How to predict a few future values (closed loop) with LSTM which has been trained on the base many predictors (max(Delays) = 15)?

7 views (last 30 days)
A LSTM has been trained on the base many predictors (max(Delays) = 15). How to predict a few future values (closed loop) with such trained LSTM ? The problem of usual instructions (predict and predictAndUpdateState) is the prediction sequences are of feature dimension 1 but the input layer expects sequences of feature dimension 15.

Accepted Answer

Darshak
Darshak on 12 Aug 2025
Hello @Yury Mikh,
This is a common point of confusion when working with sequence models like LSTM in MATLAB.
When you train your LSTM with “maxDelay” = 15, the model learns to expect a 15-dimensional input vector at each time step. In the case of univariate data, this usually means: [x(t-15), x(t-14), ..., x(t-1)]
So, during inference, especially in closed-loop forecasting, you need to maintain a sliding window of the most recent 15 values. If you try to feedback just the last predicted value (1×1), MATLAB will throw an error because the input shape doesn’t match what the model expects (1×15).
To do it correctly, this approach can be followed:
% Assume 'net' is your trained LSTM network
% Assume 'data' is a column vector of your time series
delays = 15;
numPredict = 10;
X = data(end - delays + 1:end)'; % 1×15 input vector
[net, ~] = resetState(net);
YPred = zeros(1, numPredict);
for i = 1:numPredict
[net, y] = predict(net, X);
YPred(i) = y;
X = [X(2:end), y];
end
disp('Predicted future values:');
disp(YPred);
  • “X” holds the current 15-value input window.
  • “predict” generates the next forecast.
  • The prediction is appended to the window for the next iteration.
  • This loop continues for as many future time steps as needed.
This approach ensures that the input dimensions remain consistent throughout the prediction process.
The following documentation links might be useful -
“predict” – Predicts output given the current state of the network.
“resetState” – Resets the internal state of the LSTM.
For a complete walkthrough, MATLAB provides a helpful example on time series forecasting with LSTM:
  1 Comment
Yury Mikh
Yury Mikh on 13 Aug 2025
Edited: Yury Mikh on 13 Aug 2025
Dear Darshak!
Thank you very much for your attention to my question and real help. If the network is a trained SeriesNetwork object, then I think it is useful to pre-convert it to a dlnetwork object with the dag2dlnetwork function in connection with
https://nl.mathworks.com/help/deeplearning/ref/seriesnetwork.html#mw_d746b029-271d-474f-92f4-3110a7aa210f_sep_mw_cb584fda-cd25-4d33-9cef-dbdac1bb025e

Sign in to comment.

More Answers (0)

Categories

Find more on Sequence and Numeric Feature Data Workflows in Help Center and File Exchange

Community Treasure Hunt

Find the treasures in MATLAB Central and discover how the community can help you!

Start Hunting!