[New Book] Click to get Deep Learning with PyTorch!
Use the offer code 20offearlybird to get 20% off.

How to Create an ARIMA Model for Time Series Forecasting in Python

Last Updated on December 10, 2020

A popular and widely used statistical method for time series forecasting is the ARIMA model.

ARIMA is an acronym that stands for AutoRegressive Integrated Moving Average. It is a class of model that captures a suite of different standard temporal structures in time series data.

In this tutorial, you will discover how to develop an ARIMA model for time series forecasting in Python.

After completing this tutorial, you will know:

  • About the ARIMA model the parameters used and assumptions made by the model.
  • How to fit an ARIMA model to data and use it to make forecasts.
  • How to configure the ARIMA model on your time series problem.

Kick-start your project with my new book Time Series Forecasting With Python, including step-by-step tutorials and the Python source code files for all examples.

Let’s get started.

  • Updated Apr/2019: Updated the link to dataset.
  • Updated Sep/2019: Updated examples to use latest API.
  • Updated Dec/2020: Updated examples to use latest API.

Autoregressive Integrated Moving Average Model

An ARIMA model is a class of statistical models for analyzing and forecasting time series data.

It explicitly caters to a suite of standard structures in time series data, and as such provides a simple yet powerful method for making skillful time series forecasts.

ARIMA is an acronym that stands for AutoRegressive Integrated Moving Average. It is a generalization of the simpler AutoRegressive Moving Average and adds the notion of integration.

This acronym is descriptive, capturing the key aspects of the model itself. Briefly, they are:

  • AR: Autoregression. A model that uses the dependent relationship between an observation and some number of lagged observations.
  • I: Integrated. The use of differencing of raw observations (e.g. subtracting an observation from an observation at the previous time step) in order to make the time series stationary.
  • MA: Moving Average. A model that uses the dependency between an observation and a residual error from a moving average model applied to lagged observations.

Each of these components are explicitly specified in the model as a parameter. A standard notation is used of ARIMA(p,d,q) where the parameters are substituted with integer values to quickly indicate the specific ARIMA model being used.

The parameters of the ARIMA model are defined as follows:

  • p: The number of lag observations included in the model, also called the lag order.
  • d: The number of times that the raw observations are differenced, also called the degree of differencing.
  • q: The size of the moving average window, also called the order of moving average.

A linear regression model is constructed including the specified number and type of terms, and the data is prepared by a degree of differencing in order to make it stationary, i.e. to remove trend and seasonal structures that negatively affect the regression model.

A value of 0 can be used for a parameter, which indicates to not use that element of the model. This way, the ARIMA model can be configured to perform the function of an ARMA model, and even a simple AR, I, or MA model.

Adopting an ARIMA model for a time series assumes that the underlying process that generated the observations is an ARIMA process. This may seem obvious, but helps to motivate the need to confirm the assumptions of the model in the raw observations and in the residual errors of forecasts from the model.

Next, let’s take a look at how we can use the ARIMA model in Python. We will start with loading a simple univariate time series.

Stop learning Time Series Forecasting the slow way!

Take my free 7-day email course and discover how to get started (with sample code).

Click to sign-up and also get a free PDF Ebook version of the course.

Shampoo Sales Dataset

This dataset describes the monthly number of sales of shampoo over a 3 year period.

The units are a sales count and there are 36 observations. The original dataset is credited to Makridakis, Wheelwright, and Hyndman (1998).

Download the dataset and place it in your current working directory with the filename “shampoo-sales.csv“.

Below is an example of loading the Shampoo Sales dataset with Pandas with a custom function to parse the date-time field. The dataset is baselined in an arbitrary year, in this case 1900.

Running the example prints the first 5 rows of the dataset.

The data is also plotted as a time series with the month along the x-axis and sales figures on the y-axis.

Shampoo Sales Dataset Plot

Shampoo Sales Dataset Plot

We can see that the Shampoo Sales dataset has a clear trend.

This suggests that the time series is not stationary and will require differencing to make it stationary, at least a difference order of 1.

Let’s also take a quick look at an autocorrelation plot of the time series. This is also built-in to Pandas. The example below plots the autocorrelation for a large number of lags in the time series.

Running the example, we can see that there is a positive correlation with the first 10-to-12 lags that is perhaps significant for the first 5 lags.

A good starting point for the AR parameter of the model may be 5.

Autocorrelation Plot of Shampoo Sales Data

Autocorrelation Plot of Shampoo Sales Data

ARIMA with Python

The statsmodels library provides the capability to fit an ARIMA model.

An ARIMA model can be created using the statsmodels library as follows:

  1. Define the model by calling ARIMA() and passing in the p, d, and q parameters.
  2. The model is prepared on the training data by calling the fit() function.
  3. Predictions can be made by calling the predict() function and specifying the index of the time or times to be predicted.

Let’s start off with something simple. We will fit an ARIMA model to the entire Shampoo Sales dataset and review the residual errors.

First, we fit an ARIMA(5,1,0) model. This sets the lag value to 5 for autoregression, uses a difference order of 1 to make the time series stationary, and uses a moving average model of 0.

Running the example prints a summary of the fit model. This summarizes the coefficient values used as well as the skill of the fit on the on the in-sample observations.

First, we get a line plot of the residual errors, suggesting that there may still be some trend information not captured by the model.

ARMA Fit Residual Error Line Plot

ARMA Fit Residual Error Line Plot

Next, we get a density plot of the residual error values, suggesting the errors are Gaussian, but may not be centered on zero.

ARMA Fit Residual Error Density Plot

ARMA Fit Residual Error Density Plot

The distribution of the residual errors is displayed. The results show that indeed there is a bias in the prediction (a non-zero mean in the residuals).

Note, that although above we used the entire dataset for time series analysis, ideally we would perform this analysis on just the training dataset when developing a predictive model.

Next, let’s look at how we can use the ARIMA model to make forecasts.

Rolling Forecast ARIMA Model

The ARIMA model can be used to forecast future time steps.

We can use the predict() function on the ARIMAResults object to make predictions. It accepts the index of the time steps to make predictions as arguments. These indexes are relative to the start of the training dataset used to make predictions.

If we used 100 observations in the training dataset to fit the model, then the index of the next time step for making a prediction would be specified to the prediction function as start=101, end=101. This would return an array with one element containing the prediction.

We also would prefer the forecasted values to be in the original scale, in case we performed any differencing (d>0 when configuring the model). This can be specified by setting the typ argument to the value ‘levels’: typ=’levels’.

Alternately, we can avoid all of these specifications by using the forecast() function, which performs a one-step forecast using the model.

We can split the training dataset into train and test sets, use the train set to fit the model, and generate a prediction for each element on the test set.

A rolling forecast is required given the dependence on observations in prior time steps for differencing and the AR model. A crude way to perform this rolling forecast is to re-create the ARIMA model after each new observation is received.

We manually keep track of all observations in a list called history that is seeded with the training data and to which new observations are appended each iteration.

Putting this all together, below is an example of a rolling forecast with the ARIMA model in Python.

Running the example prints the prediction and expected value each iteration.

We can also calculate a final root mean squared error score (RMSE) for the predictions, providing a point of comparison for other ARIMA configurations.

A line plot is created showing the expected values (blue) compared to the rolling forecast predictions (red). We can see the values show some trend and are in the correct scale.

ARIMA Rolling Forecast Line Plot

ARIMA Rolling Forecast Line Plot

The model could use further tuning of the p, d, and maybe even the q parameters.

Configuring an ARIMA Model

The classical approach for fitting an ARIMA model is to follow the Box-Jenkins Methodology.

This is a process that uses time series analysis and diagnostics to discover good parameters for the ARIMA model.

In summary, the steps of this process are as follows:

  1. Model Identification. Use plots and summary statistics to identify trends, seasonality, and autoregression elements to get an idea of the amount of differencing and the size of the lag that will be required.
  2. Parameter Estimation. Use a fitting procedure to find the coefficients of the regression model.
  3. Model Checking. Use plots and statistical tests of the residual errors to determine the amount and type of temporal structure not captured by the model.

The process is repeated until either a desirable level of fit is achieved on the in-sample or out-of-sample observations (e.g. training or test datasets).

The process was described in the classic 1970 textbook on the topic titled Time Series Analysis: Forecasting and Control by George Box and Gwilym Jenkins. An updated 5th edition is now available if you are interested in going deeper into this type of model and methodology.

Given that the model can be fit efficiently on modest-sized time series datasets, grid searching parameters of the model can be a valuable approach.

For an example of how to grid search the hyperparameters of the ARIMA model, see the tutorial:

Summary

In this tutorial, you discovered how to develop an ARIMA model for time series forecasting in Python.

Specifically, you learned:

  • About the ARIMA model, how it can be configured, and assumptions made by the model.
  • How to perform a quick time series analysis using the ARIMA model.
  • How to use an ARIMA model to forecast out of sample predictions.

Do you have any questions about ARIMA, or about this tutorial?
Ask your questions in the comments below and I will do my best to answer.

Want to Develop Time Series Forecasts with Python?

Introduction to Time Series Forecasting With Python

Develop Your Own Forecasts in Minutes

...with just a few lines of python code

Discover how in my new Ebook:
Introduction to Time Series Forecasting With Python

It covers self-study tutorials and end-to-end projects on topics like: Loading data, visualization, modeling, algorithm tuning, and much more...

Finally Bring Time Series Forecasting to
Your Own Projects

Skip the Academics. Just Results.

See What's Inside

828 Responses to How to Create an ARIMA Model for Time Series Forecasting in Python

  1. SalemAmeen January 9, 2017 at 7:22 am #

    Many thank

    • Jason Brownlee January 9, 2017 at 7:53 am #

      You’re welcome.

      • Hugo Santillan April 10, 2019 at 1:52 pm #

        Hi Jason! Great tutorial.
        Just a reeal quick question ..how can I fit and run the last code for multiple varialbles?..the dataset that looks like this:

        Date,CO,NO2,O3,PM10,SO2,Temperature
        2016-01-01 00:00:00,0.615,0.01966,0.00761,49.92,0.00055,18.1

      • joseph November 5, 2019 at 8:22 pm #

        have a question am doing a project concerning data analytics insights for retail company sales case study certain supermarket in my area and am proposing to use ARIMA can it be appropriate and how can i apply it

      • Jagan January 22, 2020 at 8:18 pm #

        Hi Jason! Great Tutorial!!

        I have a usecase of timeseries forecasting where I have to predict sales of different products out of the electronics store. There are around 300 types of different products. And I have to predict the sales on the next day for each of the product based on previous one year data. But not every product is being sold each day.

        My guess is I have to create a tsa for each product. but the data quality for each product is low as not each product is being sold each day. And my use case is that I have to predict sales of each product.

        Any way I can use time series on whole data without using tsa on each product individually?

      • Abhishek December 3, 2020 at 11:58 pm #

        Hi I am trying to understand data set related to daily return of a stock. I calculated autocorrelation and partial autocorrelation function as a function of lag. I am observing
        that ACF lies within two standard error limits. But I find PACF to be large value at few non-zero lags, one and two. I want to ask you is this behaviour strange ? ACF zero and PACF large and non-zero. If this behaviour not strange, then how does one arrive at the correct order of ARIMA model for this data.

      • Razi December 18, 2021 at 12:17 am #

        hi. great tutorial.
        what’s your advice for finding correlation between two data sets.
        I have two csv file, one showing amount of money spent on advertising and one showing amount of sale. and I wanna find out effect of advertisement on sale and forecasting future sale with different amount of advertisement. I know one way is finding correlation with panda like:
        sales_df[‘colx’].corr(spend_df[‘coly’])
        but I wanna know is there a better way?

    • Chris May 18, 2019 at 12:20 pm #

      Hi Jason! Great tutorial.

      I got a question that needs your kind help.

      For some reason, I need to calculate residuals of a fitted ARMA-GARCH model manually, but found that the calculated residuals are different of those directly from the R package such rugarh. I put the estimated parameters back to the model and use the training data to back out the residuals. How to get the staring residuals at t=0, t=-1 etc. Should I treat the fitted ARMA-GARCH just as an fitted ARMA model? In that case why we need to fit an ARMA-GARCH model to the training data.

      • Jason Brownlee May 19, 2019 at 7:59 am #

        Sorry, I’m not familiar wit the “rugarh” package or how it functions.

    • A. Sharma August 1, 2019 at 6:51 am #

      Hi Jason,
      Could you do a GaussianProcess example with the same data. And compare the two- those two methods seem to be applicable to similar problems- I would love to see your insights.

      • Jason Brownlee August 1, 2019 at 6:57 am #

        Thanks for the great suggestion. I hope to cover Gaussian Processes in the future.

        • a Sharma August 1, 2019 at 10:47 am #

          Thanks. If you also did a comparative study of the two, that would be great- I realize that might be out of the regular, thought I’d still ask. Also can I sign up for email notification?

        • estudent February 18, 2021 at 5:37 pm #

          Hi, appreciate your great explanations, awesome! I wonder how will you load a statistics feature-engineered time series dataset/dataframe into ARIMA? Would appreciate if you have example or article. Thanks!

          • Jason Brownlee February 19, 2021 at 5:57 am #

            Perhaps as exog variables?

            Perhaps try an alternate ml model instead?

    • Ahmed hesham March 16, 2020 at 7:52 pm #

      Hello,
      I have climate change data for the past 8 years and I need to do a regression model using climate as a factor so I need at least climate data for 30 years which I can’t find online. Is it possible to get the previous 22 years climate change using ARIMA based on the last 8 years data.
      Thank you

      • Jason Brownlee March 17, 2020 at 8:13 am #

        No, that would be way too much data. ARIMA is for small datasets – or at least the python implementation cannot handle much data.

        Perhaps explore using a linear regression or other ML methods as a first step.

        • Muhammad Ali November 9, 2020 at 11:57 pm #

          ARIMA model can be used for any number of observations, yes its performance is more better if one used it for short-term forecasting.

  2. Blessing Ojeme January 9, 2017 at 1:20 pm #

    Much appreciated, Jason. Keep them coming, please.

    • Jason Brownlee January 10, 2017 at 8:55 am #

      Sure thing! I’m glad you’re finding them useful.

      What else would you like to see?

      • Utkarsh July 22, 2017 at 10:31 pm #

        Hi Jason ,can you suggest how one can solve time series problem if the target variable is categorical having around 500 categories.

        Thanks

        • Jason Brownlee July 23, 2017 at 6:24 am #

          That is a lot of categories.

          Perhaps moving to a neural network type model with a lot of capacity. You may also require a vast amount of data to learn this problem.

          • Sreekar March 25, 2021 at 6:52 pm #

            Hi Jason and Utkarsh,

            I am also working on a similar dataset which is univariate with a timestamp and a categorical value (around 150 distinct categories). Can we use an ARIMA model for this task?

          • Jason Brownlee March 26, 2021 at 6:22 am #

            Not sure if ARIMA supports categorical exog variables.

            Perhaps check the documentation?
            Perhaps encode the categorical variable and try modeling anyway?
            Perhaps try an alternate model?

      • Yash July 25, 2018 at 8:01 pm #

        What if there are multiple columns in dataset. For example: Instead of only 1 items like the shampoo, there could be a column with item numbers ranging from 1 – 20 and a column with number of stores and finally a column with respective sales?

      • Aflal May 13, 2020 at 7:35 am #

        OMG. Searching for weeks, never found an article like this one. Thank a lot.
        I need your advice please,
        I need to predict Retail sales data with variables like weather, sales Discount’, holiday etc.

        Which is the best model is to use? And why?
        How can decide the best fit model?
        (Can I use SARIMAX for this?)

        Love from Sri Lanka

        Sorry for bad English

    • Somayeh November 27, 2017 at 2:43 am #

      Hi Jason,
      Recently I am working on time series prediction, but my research is a little bit complicated for me to understand how to fix a time series models to predict future values of multi targets.
      Recently I read your post in multi-step and multivariate time series prediction with LSTM. But my problem have a series input values for every time (for each second we have recorded more than 500 samples). We have 22 inputs and 3 targets. All the data has been collected during 600 seconds and then predict 3 targets for 600 next seconds. Please help me how can solve this problem?
      It is noticed we have trend and seasonality pulses for targets during the time.

      • morteza February 19, 2018 at 2:58 am #

        do you find a solution to this problem?

  3. Chow Xixi January 9, 2017 at 6:00 pm #

    good,Has been paid close attention to your blog.

  4. Kevin January 17, 2017 at 12:58 am #

    Gives me loads of errors:

    Traceback (most recent call last):
    File “/Users/kevinoost/anaconda/lib/python3.5/site-packages/pandas/io/parsers.py”, line 2276, in converter
    date_parser(*date_cols), errors=’ignore’)
    File “/Users/kevinoost/PycharmProjects/ARIMA/main.py”, line 6, in parser
    return datetime.strptime(‘190’+x, ‘%Y-%m’)
    TypeError: strptime() argument 1 must be str, not numpy.ndarray

    During handling of the above exception, another exception occurred:

    Traceback (most recent call last):
    File “/Users/kevinoost/anaconda/lib/python3.5/site-packages/pandas/io/parsers.py”, line 2285, in converter
    dayfirst=dayfirst),
    File “pandas/src/inference.pyx”, line 841, in pandas.lib.try_parse_dates (pandas/lib.c:57884)
    File “pandas/src/inference.pyx”, line 838, in pandas.lib.try_parse_dates (pandas/lib.c:57802)
    File “/Users/kevinoost/PycharmProjects/ARIMA/main.py”, line 6, in parser
    return datetime.strptime(‘190’+x, ‘%Y-%m’)
    File “/Users/kevinoost/anaconda/lib/python3.5/_strptime.py”, line 510, in _strptime_datetime
    tt, fraction = _strptime(data_string, format)
    File “/Users/kevinoost/anaconda/lib/python3.5/_strptime.py”, line 343, in _strptime
    (data_string, format))
    ValueError: time data ‘190Sales of shampoo over a three year period’ does not match format ‘%Y-%m’

    During handling of the above exception, another exception occurred:

    Traceback (most recent call last):
    File “/Users/kevinoost/PycharmProjects/ARIMA/main.py”, line 8, in
    series = read_csv(‘shampoo-sales.csv’, header=0, parse_dates=[0], index_col=0, squeeze=True, date_parser=parser)
    File “/Users/kevinoost/anaconda/lib/python3.5/site-packages/pandas/io/parsers.py”, line 562, in parser_f
    return _read(filepath_or_buffer, kwds)
    File “/Users/kevinoost/anaconda/lib/python3.5/site-packages/pandas/io/parsers.py”, line 325, in _read
    return parser.read()
    File “/Users/kevinoost/anaconda/lib/python3.5/site-packages/pandas/io/parsers.py”, line 815, in read
    ret = self._engine.read(nrows)
    File “/Users/kevinoost/anaconda/lib/python3.5/site-packages/pandas/io/parsers.py”, line 1387, in read
    index, names = self._make_index(data, alldata, names)
    File “/Users/kevinoost/anaconda/lib/python3.5/site-packages/pandas/io/parsers.py”, line 1030, in _make_index
    index = self._agg_index(index)
    File “/Users/kevinoost/anaconda/lib/python3.5/site-packages/pandas/io/parsers.py”, line 1111, in _agg_index
    arr = self._date_conv(arr)
    File “/Users/kevinoost/anaconda/lib/python3.5/site-packages/pandas/io/parsers.py”, line 2288, in converter
    return generic_parser(date_parser, *date_cols)
    File “/Users/kevinoost/anaconda/lib/python3.5/site-packages/pandas/io/date_converters.py”, line 38, in generic_parser
    results[i] = parse_func(*args)
    File “/Users/kevinoost/PycharmProjects/ARIMA/main.py”, line 6, in parser
    return datetime.strptime(‘190’+x, ‘%Y-%m’)
    File “/Users/kevinoost/anaconda/lib/python3.5/_strptime.py”, line 510, in _strptime_datetime
    tt, fraction = _strptime(data_string, format)
    File “/Users/kevinoost/anaconda/lib/python3.5/_strptime.py”, line 343, in _strptime
    (data_string, format))
    ValueError: time data ‘190Sales of shampoo over a three year period’ does not match format ‘%Y-%m’

    Process finished with exit code 1

    Help would be much appreciated.

    • Jason Brownlee January 17, 2017 at 7:39 am #

      It looks like there might be an issue with your data file.

      Open the csv in a text editor and confirm the header line looks sensible.

      Also confirm that you have no extra data at the end of the file. Sometimes the datamarket files download with footer data that you need to delete.

      • Joseph Brown March 7, 2018 at 8:35 am #

        Hi Jason,

        I’m getting this same error. I checked the data and looks fine. I not sure what else to do, still learning. Please help.

        Data

        “Month”;”Sales of shampoo over a three year period”
        “1-01”;266.0
        “1-02”;145.9
        “1-03”;183.1
        “1-04”;119.3
        “1-05”;180.3
        “1-06”;168.5
        “1-07”;231.8
        “1-08”;224.5
        “1-09”;192.8
        “1-10”;122.9
        “1-11”;336.5
        “1-12”;185.9
        “2-01”;194.3
        “2-02”;149.5
        “2-03”;210.1
        “2-04”;273.3
        “2-05”;191.4
        “2-06”;287.0
        “2-07”;226.0
        “2-08”;303.6
        “2-09”;289.9
        “2-10”;421.6
        “2-11”;264.5
        “2-12”;342.3
        “3-01”;339.7
        “3-02”;440.4
        “3-03”;315.9
        “3-04”;439.3
        “3-05”;401.3
        “3-06”;437.4
        “3-07”;575.5
        “3-08”;407.6
        “3-09”;682.0
        “3-10”;475.3
        “3-11”;581.3
        “3-12”;646.9

        • Jason Brownlee March 7, 2018 at 3:02 pm #

          The data you have pasted is separated by semicolons, not commas as expected.

    • Al January 21, 2018 at 8:56 pm #

      Hi Kevin,
      the last line of the data set, at least in the current version that you can download, is the text line “Sales of shampoo over a three year period”. The parser barfs on this because it is not in the specified format for the data lines. Try using the “nrows” parameter in read_csv.

      series = read_csv(‘~/Downloads/shampoo-sales.csv’, header=0, nrows=36, parse_dates=[0], index_col=0, squeeze=True, date_parser=parser)

      worked for me.

      • Jason Brownlee January 22, 2018 at 4:43 am #

        Great tip!

      • Serail April 7, 2018 at 4:13 pm #

        Thanks for your excellent tip

      • Alex November 25, 2018 at 8:56 pm #

        Thanks, had the same problem, worked!

  5. NGUYEN Quang Anh January 19, 2017 at 6:28 pm #

    Let say I have a time series data with many attribute. For example a row will have (speed, fuel, tire_pressure), how could we made a model out of this ? the value of each column may affect each other, so we cannot do forecasting on solely 1 column. I google a lot but all the example I’ve found so far only work on time series of 1 attribute.

    • Jason Brownlee January 20, 2017 at 10:19 am #

      This is called multivariate time series forecasting. Linear models like ARIMA were not designed for this type of problem.

      generally, you can use the lag-based representation of each feature and then apply a standard machine learning algorithm.

      I hope to have some tutorials on this soon.

      • rchesak May 30, 2017 at 12:37 pm #

        Wanted to check in on this, do you have any tutorials on multivariate time series forecasting?

        Also, when you say standard machine learning algorithm, would a random forest model work?

        Thanks!

        • rchesak May 30, 2017 at 12:52 pm #

          Update: the statsmodels.tsa.arima_model.ARIMA() function documentation says it takes the optional parameter exog, which is described in the documentation as ‘an optional array of exogenous variables’. This sounds like multivariate analysis to me, would you agree?

          I am trying to predict number of cases of a mosquito-borne disease, over time, given weather data. So I believe the ARIMA model should work for this, correct?

          Thank you!

          • Jason Brownlee June 2, 2017 at 12:32 pm #

            I have not experimented with this argument.

        • Jason Brownlee June 2, 2017 at 12:32 pm #

          No multivariate examples at this stage.

          Yes, any supervised learning method.

    • Muyi Ibidun February 7, 2017 at 9:36 am #

      Hello Ng,

      Your problem fits what VAR (Vector Autoregression) models is designed for. See the following links for more information. I hope this helps your work.

      https://en.wikipedia.org/wiki/Vector_autoregression
      http://statsmodels.sourceforge.net/devel/vector_ar.html

  6. Kelvid January 20, 2017 at 11:55 am #

    Hi, would you have a example for the seasonal ARIMA post? I have installed latest statsmodels module, but there is an error of import the SARIMAX. Do help if you manage to figure it out. Thanks.

    • Jason Brownlee January 21, 2017 at 10:23 am #

      Hi Kelvid, I don’t have one at the moment. I ‘ll prepare an example of SARIMAX and post it soon.

  7. Muhammad Arsalan January 29, 2017 at 10:13 pm #

    It is so informative..thankyou

  8. Sebastian January 31, 2017 at 3:33 am #

    Great post Jason!

    I have a couple of questions:

    – Just to be sure. model_fit.forecast() is single step ahead forecasts and model_fit.predict() is for multiple step ahead forecasts?

    – I am working with a series that seems at least quite similar to the shampoo series (by inspection). When I use predict on the training data, I get this zig-zag pattern in the prediction as well. But for the test data, the prediction is much smoother and seems to saturate at some level. Would you expect this? If not, what could be wrong?

    • Jason Brownlee February 1, 2017 at 10:28 am #

      Hi Sebastian,

      Yes, forecast() is for one step forecasts. You can do one step forecasts with predict() also, but it is more work.

      I would not expect prediction beyond a few time steps to be very accurate, if that is your question?

      • Sebastian February 3, 2017 at 9:25 am #

        Thanks for the reply!

        Concerning the second question. Yes, you are right the prediction is not very accurate. But moreover, the predicted time series has a totally different frequency content. As I said, it is smooth and not zig-zaggy as the original data. Is this normal or am I doing something wrong. I also tried the multiple step prediction (model_fit.predict()) on the training data and then the forecast seem to have more or less the same frequency content (more zig-zaggy) as the data I am trying to predict.

        • Jason Brownlee February 3, 2017 at 10:22 am #

          Hi Sebastian, I see.

          In the case of predicting on the training dataset, the model has access to real observations. For example, if you predict the next 5 obs somewhere in the training dataset, it will use obs(t+4) to predict t+5 rather than prediction(t+4).

          In the case of predicting beyond the end of the model data, it does not have obs to make predictions (unless you provide them), it only has access to the predictions it made for prior time steps. The result is the errors compound and things go off the rails fast (flat forecast).

          Does that make sense/help?

          • Sebastian February 3, 2017 at 6:34 pm #

            That helped!

            Thanks!

          • Jason Brownlee February 4, 2017 at 10:00 am #

            Glad to hear it Sebastian.

          • satya May 22, 2017 at 9:19 pm #

            Hi Jason,

            suppose my training set is 1949 to 1961. Can I get the data for 1970 with using Forecast or Predict function

            Thanks
            Satya

          • Jason Brownlee May 23, 2017 at 7:51 am #

            Yes, you would have to predict 10 years worth of data though. The predictions after 10 years would likely have a lot of error.

          • Ani July 6, 2018 at 1:22 am #

            Hi Jason,

            Continuing on this note, how far ahead can you forecast using something like ARIMA or AR or GARCH in Python? I’m guessing most of these utilize some sort of Kalman filter forecasting mechanism?

            To give you a sense of my data, given between 60k and 80k data points, how far ahead in terms of number of predictions can we make reliably? Similar to Sebastian, I have pretty jagged predictions in-sample, but essentially as soon as the valid/test area begins, I have no semblance of that behavior and instead just get a pretty flat curve. Let me know what you think. Thanks!

          • Jason Brownlee July 6, 2018 at 6:43 am #

            The skill of AR+GARH (or either) really depends on the choice of model parameters and on the specifics of the problem.

            Perhaps you can try grid searching different parameters?
            Perhaps you can review ACF/PACF plots for your data that may suggest better parameters?
            Perhaps you can try non-linear methods?
            Perhaps your problem is truly challenging/not predictable?

            I hope that helps as a start.

      • Iván Moreno September 15, 2021 at 9:28 am #

        Dear Jason,

        One question. I need to perform in-sample one-step forecast using a ARMA model without re-train it. How can I start?

        Best regards.

  9. Elliot January 31, 2017 at 10:07 am #

    So this is building a model and then checking it off of the given data right?

    -How can I predict what would come next after the last data point? Am I misunderstanding the code?

  10. Muyi Ibidun February 7, 2017 at 9:38 am #

    Thanks Jason for this post!

    It was really useful. And your blogs are becoming a must read for me because of the applicable and piecemeal nature of your tutorials.

    Keep up the good work!

  11. Kalin Stoyanov February 8, 2017 at 9:30 pm #

    Hi,
    This is not the first post on ARIMA, but it is the best so far. Thank you.

  12. James Zhang February 10, 2017 at 7:42 pm #

    Hey Jason,

    thank you very much for the post, very good written! I have a question: so I used your approach to build the model, but when I try to forecast the data that are out of sample, I commented out the obs = test[t] and change history.append(obs) to history.append(yhat), and I got a flat prediction… so what could be the reason? and how do you actually do the out-of-sample predictions based on the model fitted on train dataset? Thank you very much!

    • Jason Brownlee February 11, 2017 at 5:00 am #

      Hi james,

      Each loop in the rolling forecast shows you how to make a one-step out of sample forecast.

      Train your ARIMA on all available data and call forecast().

      If you want to perform a multi-step forecast, indeed, you will need to treat prior forecasts as “observations” and use them for subsequent forecasts. You can do this automatically using the predict() function. Depending on the problem, this approach is often not skillful (e.g. a flat forecast).

      Does that help?

      • James February 16, 2017 at 2:03 am #

        Hi Jason,

        thank you for you reply! so what could be the reason a flat forecast occurs and how to avoid it?

        • Jason Brownlee February 16, 2017 at 11:09 am #

          Hi James,

          The model may not have enough information to make a good forecast.

          Consider exploring alternate methods that can perform multi-step forecasts in one step – like neural nets or recurrent neural nets.

          • James February 16, 2017 at 7:41 pm #

            Hi Jason,

            thanks a lot for your information! still need to learn a lot from people like you! 😀 nice day!

          • Jason Brownlee February 17, 2017 at 9:53 am #

            I’m here to help James!

  13. Supriya February 16, 2017 at 1:27 am #

    when i calculate train and test error , train rmse is greater than test rmse.. why is it so?

    • Jason Brownlee February 16, 2017 at 11:08 am #

      I see this happen sometimes Supriya.

      It suggests the model may not be well suited for the data.

  14. Matias T February 18, 2017 at 12:04 am #

    Hello Jason, thanks for this amazing post.
    I was wondering how does the “size” work here. For example lets say i want to forecast only 30 days ahead. I keep getting problems with the degrees of freedom.
    Could you please explain this to me.

    Thanks

    • Jason Brownlee February 18, 2017 at 8:40 am #

      Hi Matias, the “size” in the example is used to split the data into train/test sets for model evaluation using walk forward validation.

      You can set this any way you like or evaluate your model different ways.

      To forecast 30 days ahead, you are going to need a robust model and enough historic data to evaluate this model effectively.

      • Matias R February 21, 2017 at 6:39 am #

        I get it. Thanks Jason.

        I was thinking, in this particular example, ¿will the prediction change if we keep adding data?

        • Jason Brownlee February 21, 2017 at 9:41 am #

          Great question Matias.

          The amount of history is one variable to test with your model.

          Design experiments to test if having more or less history improves performance.

  15. ubald kuijpers February 24, 2017 at 10:05 pm #

    Dear Jason,

    Thank you for explaining the ARIMA model in such clear detail.
    It helped me to make my own model to get numerical forrcasts and store it in a database.
    So nice that we live in an era where knowledge is de-mystified .

  16. Jacques Sauve February 25, 2017 at 6:41 am #

    Hi Jason. Very good work!
    It would be great to see how forecasting models can be used to detect anomalies in time series. thanks.

  17. Mehran March 1, 2017 at 12:56 am #

    Hi there. Many thanks. I think you need to change the way you parse the datetime to:

    datetime.strptime(’19’+x, ‘%Y-%b’)

    Many thanks

    • Jason Brownlee March 1, 2017 at 8:41 am #

      Are you sure?

      See this list of abbreviations:
      https://docs.python.org/3/library/datetime.html#strftime-and-strptime-behavior

      The “%m” refers to “Month as a zero-padded decimal number.” which is exactly what we have here.

      See a sample of the raw data file:

      The “%b” refers to “Month as locale’s abbreviated name.” which we do not have here.

  18. Niirkshith March 6, 2017 at 4:49 pm #

    Hi Jason,
    Lucky i found this at the begining of my project.. Its a great start point and enriching.
    Keep it coming :).
    This can also be used for non linear time series as well?

    Thanks,
    niri

  19. Anthony of Sydney March 8, 2017 at 9:00 am #

    Dear Dr Jason,

    In the above example of the rolling forecast, you used the rmse of the predicted and the actual value.

    Another way of getting the residuals of the model is to get the std devs of the residuals of the fitted model

    Question, is the std dev of the residuals the same as the root_mean_squared(actual, predicted)?
    Thank you
    Anthony of Sydney NSW

    what is the difference between measuring the std deviation of the residuals of a fitted model and the rmse of the rolling forecast will

  20. Niirkshith March 10, 2017 at 1:28 pm #

    Hi Jason,
    Great writeup, had a query, when u have a seasonal data and do seasonal differencing. i.e for exy(t)=y(t)-y(t-12) for yearly data. What will be the value of d in ARIMA(p,d,q).

    • Niirkshith March 10, 2017 at 1:29 pm #

      typo, ex y(t)=y(t)-y(t-12) for monthly data not yearly

    • Jason Brownlee March 11, 2017 at 7:56 am #

      Great question Niirkshith.

      ARIMA will not do seasonal differencing (there is a version that will called SARIMA). The d value on ARIMA will be unrelated to the seasonal differencing and will assume the input data is already seasonally adjusted.

  21. Niirkshith March 13, 2017 at 1:09 pm #

    Thanks for getting back.

  22. ivan March 19, 2017 at 5:17 am #

    Hi, Jason

    thanks for this example. My question how is chosen the parameter q ?
    best Ivan

  23. Narbukra March 30, 2017 at 4:21 am #

    Hi Jason, I am wondering if you did a similar tutorial on multi-variate time series forecasting?

    • Jason Brownlee March 30, 2017 at 8:57 am #

      Not yet, I am working on some.

      • Nirikshith May 12, 2017 at 1:02 pm #

        Hi Jason,
        any updates on the same

      • Shruti June 8, 2018 at 6:54 pm #

        Hi Jason,
        Nice post.

        Can you please suggest how should I resolve this error: LinAlgError: SVD did not converge

        I have a univariate time series.

        • Jason Brownlee June 9, 2018 at 6:48 am #

          Sounds like the data is not a good fit for the method, it may have all zeros or some other quirk.

  24. David March 30, 2017 at 8:53 am #

    Hi Jason,

    Thanks for the great post! It was very helpful. I’m currently trying to forecast with the ARIMA model using order (4, 1, 5) and I’m getting an error message “The computed initial MA coefficients are not invertible. You should induce invertibility, choose a different model order, or you can pass your own start_params.” The model works when fitting, but seems to error out when I move to model_fit = model.fit(disp=0). The forecast works well when using your parameters of (0, 1, 5) and I used ACF and PACF plots to find my initial p and q parameters. Any ideas on the cause/fix for the error? Any tips would be much appreciated.

    • mostafa kotb October 17, 2017 at 4:52 am #

      i have the same problem as yours, i use ARIMA with order (5,1,2) and i have been searching for a solution, but still couldn’t find it.

      • Vit January 30, 2019 at 9:13 pm #

        Hi, I have exactly the same problem. Have you already found any solution to that?

        Thank you for any information,
        Vit

        • Jason Brownlee January 31, 2019 at 5:32 am #

          Perhaps try a different model configuration?

          • Long August 8, 2020 at 12:06 pm #

            Sorry, it is difficult for (3,1,3) as well.
            It worked for prediction for the first step of the test data, but gave out the error on the second prediction step.

            My code is as follow:

  25. tom reilly April 27, 2017 at 6:39 am #

    It’s a great blog that you have, but the PACF determines the AR order not the ACF.

  26. Evgeniy May 2, 2017 at 1:22 am #

    Good afternoon!
    Is there an analog to the function auto.arima in the package for python from the package of the language R.
    For automatic selection of ARIMA parameters?
    Thank you!

  27. timer May 18, 2017 at 7:23 pm #

    Hi. Great one. Suppose I have multiple airlines data number of passengers for two years recorded on daily basis. Now I want to predict for each airline number of possible passangers on next few months. How can I fit these time series models. Separate model for each airline or one single model?

    • Jason Brownlee May 19, 2017 at 8:16 am #

      Try both approaches and double down on what works best.

      • Kashif May 26, 2017 at 2:06 am #

        Hi Jason, if in my dataset, my first column is date (YYYYMMDD) and second column is time (hhmmss) and third column is value at given date and time. So could I use ARIMA model for forecasting such type of time series ?

        • Jason Brownlee June 2, 2017 at 11:47 am #

          Yes, use a custom parse function to combine the date and time into one index column.

    • Ashwini March 26, 2020 at 5:39 pm #

      I have very similar data set. So how to train arima/sarima single model with above kind of data, i.e.. multiple data points at each timestep?

  28. Kashif May 25, 2017 at 6:30 pm #

    Hi Sir, Do you have tutorial about vector auto regression model (for multi-variate time series forecasting?)

  29. Ebrahim Aly May 30, 2017 at 5:03 am #

    Thanks a lot, Dr. Jason. This tutorial explained a lot. But I tried to run it on an oil prices data set from Bp and I get the following error:

    SVD did not converge

    I used (p,d,q) = (5, 1, 0)

    Would you please help me on solving or at least understanding this error?

    • Jason Brownlee June 2, 2017 at 12:29 pm #

      Perhaps consider rescaling your input data and explore other configurations?

  30. Alex June 9, 2017 at 8:01 am #

    Hi Jason,
    I have a general question about ARIMA model in the case of multiple Time Series:
    suppose you have not only one time series but many (i.e. the power generated per hour at 1000 different wind farms). So you have a dataset of 1000 time series of N points each and you want to predict the next N+M points for each of the time series.
    Analyzing each time series separately with the ARIMA could be a waste. Maybe there are similarities in the time evolution of these 1000 different patterns which could help my predictions. What approach would you suggest in this case?

    • Jason Brownlee June 10, 2017 at 8:11 am #

      You could not use ARIMA.

      For linear models, you could use vector autoregressions (VAR).

      For nonlinear methods, I’d recommend a neural network.

      I hope that helps as a start.

  31. Donato June 13, 2017 at 10:23 pm #

    Hi Jeson, it’s possible to training the ARIMA with more files? Thanks!

  32. TaeWoo Kim June 23, 2017 at 3:22 am #

    “First, we get a line plot of the residual errors, suggesting that there may still be some trend information not captured by the model.”

    So are you looking for a smooth flat line in the curve?

    • Jason Brownlee June 23, 2017 at 6:47 am #

      No, the upward trend that appears to exist in the plot of residuals.

  33. Ukesh June 24, 2017 at 12:37 am #

    At the end of the code, when I tried to print the predictions, it printed as the array, how do I convert it to the data points???

    print(predictions)

    [array([ 309.59070719]), array([ 388.64159699]), array([ 348.77807261]), array([ 383.60202178]), array([ 360.99214813]), array([ 449.34210105]), array([ 395.44928401]), array([ 434.86484106]), array([ 512.30201612]), array([ 428.59722583]), array([ 625.99359188]), array([ 543.53887362])]

  34. Ukesh June 24, 2017 at 12:53 am #

    Never mind.. I figured it out…

    forecasts = numpy.array(predictions)

    [[ 309.59070719]
    [ 388.64159699]
    [ 348.77807261]
    [ 383.60202178]
    [ 360.99214813]
    [ 449.34210105]
    [ 395.44928401]
    [ 434.86484106]
    [ 512.30201612]
    [ 428.59722583]
    [ 625.99359188]
    [ 543.53887362]]

    Keep up the good work Jason.. Your blogs are extremely helpful and easy to follow.. Loads of appreciation..

  35. Vincent June 29, 2017 at 6:53 pm #

    Hi Jason and thank you for this post, its really helpful!

    I have one question regarding ARIMA computation time.

    I’m working on a dataset of 10K samples, and I’ve tried rolling and “non rolling” (where coefficients are only estimated once or at least not every new sample) forecasting with ARIMA :
    – rolling forecast produces good results but takes a big amount of time (I’m working with an old computer, around 3/6h depending on the ARMA model);
    – “non rolling” doesn’t forecast well at all.

    Re-estimating the coefficients for each new sample is the only possibility for proper ARIMA forecasting?

    Thanks for your help!

    • Jason Brownlee June 30, 2017 at 8:11 am #

      I would focus on the approach that gives the best results on your problem and is robust. Don’t get caught up on “proper”.

  36. Kashif July 12, 2017 at 11:29 pm #

    Dear Respected Sir, I have tried to use ARIMA model for my dataset, some samples of my dataset are following,
    YYYYMMDD hhmmss Duration
    20100916 130748 18
    20100916 131131 99
    20100916 131324 214
    20100916 131735 72
    20100916 135342 37
    20100916 144059 250
    20100916 150148 87
    20100916 150339 0
    20100916 150401 180
    20100916 154652 248
    20100916 183403 0
    20100916 210148 0
    20100917 71222 179
    20100917 73320 0
    20100917 81718 25
    20100917 93715 15
    But when I used ARIMA model for such type of dataset, the prediction was very bad and test MSE was very high as well, My dataset has irregular pattern and autocorrelation is also very low. so could ARIMA model be used for such type of dataset ? or I have to do some modification in my dataset for using ARIMA model?
    Looking forward.
    Thanks

  37. Vaibhav Agarwal July 14, 2017 at 6:53 am #

    Hi Jason,

    def parser(x):
    return datetime.strptime(‘190’+x, ‘%Y-%m’)
    series = read_csv(‘/home/administrator/Downloads/shampoo.csv’, header=0, parse_dates=[0], index_col=0, squeeze=True, date_parser=parser)
    print(series.head())

    for these lines of code, I’m getting the following error

    ValueError: time data ‘190Sales of shampoo over a three year period’ does not match format ‘%Y-%m’

    Please help.

    Thanks

    • Jason Brownlee July 14, 2017 at 8:37 am #

      Check that you have deleted the footer in the raw data file.

  38. Kushal July 14, 2017 at 6:53 pm #

    Hi Jason

    Does ARIMA have any limitations for size of the sample. I have a dataset with 18k rows of data, ARIMA just doesn’t complete.

    Thanks

    Kushal

    • Jason Brownlee July 15, 2017 at 9:41 am #

      Yes, it does not work well with lots of data (linalg methods under the covers blow up) and it can take forever as you see.

      You could fit the model using gradient descent, but not with statsmodels, you may need to code it yourself.

  39. Olivia July 18, 2017 at 4:51 am #

    Love this. The code is very straightforward and the explanations are nice.
    I would like to see a HMM model on here. I have been struggling with a few different packages (pomegranate and hmmlearn) for some time now. would like to see what you can do with it! (particularly a stock market example)

    • Jason Brownlee July 18, 2017 at 8:48 am #

      Thanks Olivia, I hope to cover HMMs in the future.

  40. Ben July 19, 2017 at 11:27 am #

    Good evening,
    In what I am doing, I have a training set and a test set. In the training set, I am fitting an ARIMA model, let’s say ARIMA(0,1,1) to the training set. What I want to do is use this model and apply it to the test set to get the residuals.
    So far I have:
    model = ARIMA(data,order = (0,1,1))
    model_fit = model.fit(disp=0)
    res = model_fit.resid
    This gives me the residuals for the training set. So I want to apply the ARIMA model in ‘model’ to the test data.
    Is there a function to do this?
    Thank you

    • Jason Brownlee July 19, 2017 at 4:09 pm #

      Hi Ben,

      You could use your fit model to make a prediction for the test dataset then compare the predictions vs the real values to calculate the residual errors.

  41. Shaun July 27, 2017 at 9:29 am #

    Hi Jason,

    In your example, you append the real data set to the history list- aren’t you supposed to append the prediction?

    history.append(obs), where obs is test[t].

    in a real example, you don’t have access to the real “future” data. if you were to continue your example with dates beyond the data given in the csv, the results are poor. Can you elaborate?

    • Jason Brownlee July 28, 2017 at 8:25 am #

      We are doing walk-forward validation.

      In this case, we are assuming that the real ob is made available after the prediction is made and before the next prediction is required.

  42. Jai July 31, 2017 at 3:59 pm #

    Hi,

    How i do fix following error ?

    —————————————————————————
    ImportError Traceback (most recent call last)
    in ()
    6 #fix deprecated – end
    7 from pandas import DataFrame
    —-> 8 from statsmodels.tsa.arima_model import ARIMA
    9
    10 def parser(x):

    ImportError: No module named ‘statsmodels’

    i have already install the statsmodels module.

    (py_env) E:\WinPython-64bit-3.5.3.1Qt5_2\virtual_env\scikit-learn>pip3 install –
    -upgrade “E:\WinPython\packages\statsmodels-0.8.0-cp35-cp35m-win_amd64.whl”
    Processing e:\winpython\packages\statsmodels-0.8.0-cp35-cp35m-win_amd64.whl
    Installing collected packages: statsmodels
    Successfully installed statsmodels-0.8.0

    http://www.lfd.uci.edu/~gohlke/pythonlibs/

    • Jai July 31, 2017 at 5:25 pm #

      problem fixed,

      from statsmodels.tsa.arima_model import ARIMA
      #this must come after statsmodels.tsa.arima_model, not before
      from matplotlib import pyplot

    • Jason Brownlee August 1, 2017 at 7:50 am #

      It looks like statsmodels was not installed correctly or is not available in your current environment.

      You installed using pip3, are you running a python3 env to run the code?

      • Jai August 1, 2017 at 4:18 pm #

        interestingly, under your Rolling Forecast ARIMA Model explanation, matplotlib was above statsmodels.

        from matplotlib import pyplot
        from statsmodels.tsa.arima_model import ARIMA

        i am using jupyter notebook from WinPython-64bit-3.5.3.1Qt5 to run your examples. i keep getting ImportError: No module named ‘statsmodels’ if i declare import this way in ARIMA with Python explanation

        from matplotlib import pyplot
        from pandas import DataFrame
        from statsmodels.tsa.arima_model import ARIMA

        • Jai August 1, 2017 at 4:21 pm #

          i think it could be i need to restart the virtual environment to let the environment recognize it, today i re-test the following declarations it is ok.

          from matplotlib import pyplot
          from pandas import DataFrame
          from statsmodels.tsa.arima_model import ARIMA

          thanks for the replies. case close

        • Jason Brownlee August 2, 2017 at 7:46 am #

          You will need to install statsmodels.

  43. Fathi July 31, 2017 at 5:44 pm #

    Great explanation
    can anyone help me to write code in R about forecasting such as (50,52,50,55,57) i need to forecasting the next 3 hour, kindly help me to write code using R with ARIMA and SARIMA Model
    thanks in advance

  44. Fathi August 9, 2017 at 10:49 pm #

    Dear :sir
    i hope all of you fine
    could any help me to analysis my data I will pay for him
    if u can help me plz contact me [email protected]
    thanks

  45. Quentin August 11, 2017 at 10:37 pm #

    Can the ACF be shown using bars so you can look to see where it drops off when estimating order of MA model? Or have you done a tutorial on interpreting ACF/PACF plots please elsewhere?

  46. Amritanshu August 18, 2017 at 8:20 pm #

    Hi Jason

    I am getting the error when trying to run the code:

    from matplotlib import pyplot
    from pandas import DataFrame
    from pandas.core import datetools
    from pandas import read_csv
    from statsmodels.tsa.arima_model import ARIMA

    series = read_csv(‘sales-of-shampoo-over-a-three-year.csv’, header=0, parse_dates=[0], index_col=0)
    # fit model
    model = ARIMA(series, order=(0, 0, 0))
    model_fit = model.fit(disp=0)
    print(model_fit.summary())
    # plot residual errors
    residuals = DataFrame(model_fit.resid)
    residuals.plot()
    pyplot.show()
    residuals.plot(kind=’kde’)
    pyplot.show()
    print(residuals.describe())

    Error Mesg on Console :

    C:\Python36\python.exe C:/Users/aamrit/Desktop/untitled1/am.py
    C:/Users/aamrit/Desktop/untitled1/am.py:3: FutureWarning: The pandas.core.datetools module is deprecated and will be removed in a future version. Please use the pandas.tseries module instead.
    from pandas.core import datetools
    Traceback (most recent call last):
    File “C:\Python36\lib\site-packages\pandas\core\tools\datetimes.py”, line 444, in _convert_listlike
    values, tz = tslib.datetime_to_datetime64(arg)
    File “pandas\_libs\tslib.pyx”, line 1810, in pandas._libs.tslib.datetime_to_datetime64 (pandas\_libs\tslib.c:33275)
    TypeError: Unrecognized value type:

    During handling of the above exception, another exception occurred:

    Traceback (most recent call last):
    File “C:\Python36\lib\site-packages\statsmodels\tsa\base\tsa_model.py”, line 56, in _init_dates
    dates = to_datetime(dates)
    File “C:\Python36\lib\site-packages\pandas\core\tools\datetimes.py”, line 514, in to_datetime
    result = _convert_listlike(arg, box, format, name=arg.name)
    File “C:\Python36\lib\site-packages\pandas\core\tools\datetimes.py”, line 447, in _convert_listlike
    raise e
    File “C:\Python36\lib\site-packages\pandas\core\tools\datetimes.py”, line 435, in _convert_listlike
    require_iso8601=require_iso8601
    File “pandas\_libs\tslib.pyx”, line 2355, in pandas._libs.tslib.array_to_datetime (pandas\_libs\tslib.c:46617)
    File “pandas\_libs\tslib.pyx”, line 2538, in pandas._libs.tslib.array_to_datetime (pandas\_libs\tslib.c:45511)
    File “pandas\_libs\tslib.pyx”, line 2506, in pandas._libs.tslib.array_to_datetime (pandas\_libs\tslib.c:44978)
    File “pandas\_libs\tslib.pyx”, line 2500, in pandas._libs.tslib.array_to_datetime (pandas\_libs\tslib.c:44859)
    File “pandas\_libs\tslib.pyx”, line 1517, in pandas._libs.tslib.convert_to_tsobject (pandas\_libs\tslib.c:28598)
    File “pandas\_libs\tslib.pyx”, line 1774, in pandas._libs.tslib._check_dts_bounds (pandas\_libs\tslib.c:32752)
    pandas._libs.tslib.OutOfBoundsDatetime: Out of bounds nanosecond timestamp: 1-01-01 00:00:00

    During handling of the above exception, another exception occurred:

    Traceback (most recent call last):
    File “C:/Users/aamrit/Desktop/untitled1/am.py”, line 9, in
    model = ARIMA(series, order=(0, 0, 0))
    File “C:\Python36\lib\site-packages\statsmodels\tsa\arima_model.py”, line 997, in __new__
    return ARMA(endog, (p, q), exog, dates, freq, missing)
    File “C:\Python36\lib\site-packages\statsmodels\tsa\arima_model.py”, line 452, in __init__
    super(ARMA, self).__init__(endog, exog, dates, freq, missing=missing)
    File “C:\Python36\lib\site-packages\statsmodels\tsa\base\tsa_model.py”, line 44, in __init__
    self._init_dates(dates, freq)
    File “C:\Python36\lib\site-packages\statsmodels\tsa\base\tsa_model.py”, line 58, in _init_dates
    raise ValueError(“Given a pandas object and the index does ”
    ValueError: Given a pandas object and the index does not contain dates

    Process finished with exit code 1

    • Jason Brownlee August 19, 2017 at 6:17 am #

      Ensure you have removed the footer data from the CSV data file.

  47. Amritanshu August 18, 2017 at 11:44 pm #

    Hi Jason

    Please help me to resolve the error

    I am getting error :

    Traceback (most recent call last):
    File “C:/Users/aamrit/Desktop/untitled1/am.py”, line 10, in
    model_fit = model.fit(disp=0)
    File “C:\Python36\lib\site-packages\statsmodels\tsa\arima_model.py”, line 1151, in fit
    callback, start_ar_lags, **kwargs)
    File “C:\Python36\lib\site-packages\statsmodels\tsa\arima_model.py”, line 956, in fit
    start_ar_lags)
    File “C:\Python36\lib\site-packages\statsmodels\tsa\arima_model.py”, line 578, in _fit_start_params
    start_params = self._fit_start_params_hr(order, start_ar_lags)
    File “C:\Python36\lib\site-packages\statsmodels\tsa\arima_model.py”, line 508, in _fit_start_params_hr
    endog -= np.dot(exog, ols_params).squeeze()
    TypeError: Cannot cast ufunc subtract output from dtype(‘float64’) to dtype(‘int64’) with casting rule ‘same_kind’

    Code :

    import pandas as pd
    import numpy as np
    import matplotlib.pylab as plt
    from datetime import datetime
    from statsmodels.tsa.arima_model import ARIMA

    data = pd.read_csv(‘AirPassengers.csv’, header=0, parse_dates=[0], index_col=0)
    model = ARIMA(data, order=(1,1,0),exog=None, dates=None, freq=None, missing=’none’)
    model_fit = model.fit(disp=0)
    print(model_fit.summary())

    • Jason Brownlee August 19, 2017 at 6:21 am #

      Sorry, I have not seen this error before, consider posting to stack overflow.

    • kyci November 27, 2017 at 6:16 pm #

      It is a bug in statsmodels. You should convert the integer values in ‘data’ to float first (e.g., by using np.float()).

    • Anup May 18, 2018 at 11:04 pm #

      How can I add multiple EXOG variales in the model?

  48. Amritanshu August 29, 2017 at 8:00 pm #

    Jason, I am able to implement the model but the results are very vague for the predicted….

    how to find the exact values for p,d and q ?

  49. Amritanshu August 31, 2017 at 5:21 pm #

    Jason, Can I get a link to understand it in a better way ? I am a bit confused on this.

  50. Amritanshu September 5, 2017 at 11:22 pm #

    Hi Jason

    I am trying to predict values for the future. I am facing issue.

    My data is till 31st July and I want to have prediction of 20 days…..

    My Date format in excel file for the model is 4/22/17 –MM-DD-YY

    output = model_fit.predict(start=’2017-01-08′,end=’2017-20-08′)

    Error :

    Traceback (most recent call last):
    File “C:/untitled1/prediction_new.py”, line 31, in
    output = model_fit.predict(start=’2017-01-08′,end=’2017-20-08′)
    File “C:\Python36\lib\site-packages\statsmodels\base\wrapper.py”, line 95, in wrapper
    obj = data.wrap_output(func(results, *args, **kwargs), how)
    File “C:\Python36\lib\site-packages\statsmodels\tsa\arima_model.py”, line 1492, in predict
    return self.model.predict(self.params, start, end, exog, dynamic)
    File “C:\Python36\lib\site-packages\statsmodels\tsa\arima_model.py”, line 733, in predict
    start = self._get_predict_start(start, dynamic)
    File “C:\Python36\lib\site-packages\statsmodels\tsa\arima_model.py”, line 668, in _get_predict_start
    method)
    File “C:\Python36\lib\site-packages\statsmodels\tsa\arima_model.py”, line 375, in _validate
    start = _index_date(start, dates)
    File “C:\Python36\lib\site-packages\statsmodels\tsa\base\datetools.py”, line 52, in _index_date
    date = dates.get_loc(date)
    AttributeError: ‘NoneType’ object has no attribute ‘get_loc’

    Can you please help ?

    • Jason Brownlee September 7, 2017 at 12:45 pm #

      Sorry, I’m not sure about the cause of this error. Perhaps try predicting one day and go from there?

      • Amritanshu September 20, 2017 at 10:20 pm #

        Not working … can you please help ?

  51. Kashif September 6, 2017 at 8:11 pm #

    Hi Sir
    Please help me to resolve this error
    from pandas import read_csv
    from pandas import datetime
    from matplotlib import pyplot

    def parser(x):
    return datetime.strptime(‘190’+x, ‘%Y-%m’)

    series = read_csv(‘E:/data/csv/shampoo-sales.csv’, header=0, parse_dates=[0], index_col=0, squeeze=True, date_parser=parser)
    print(series.head())
    series.plot()
    pyplot.show()

    ERROR is
    runfile(‘C:/Users/kashi/Desktop/prog/Date_time.py’, wdir=’C:/Users/kashi/Desktop/prog’)
    Traceback (most recent call last):

    File “”, line 1, in
    runfile(‘C:/Users/kashi/Desktop/prog/Date_time.py’, wdir=’C:/Users/kashi/Desktop/prog’)

    File “C:\Users\kashi\Anaconda3\lib\site-packages\spyder\utils\site\sitecustomize.py”, line 866, in runfile
    execfile(filename, namespace)

    File “C:\Users\kashi\Anaconda3\lib\site-packages\spyder\utils\site\sitecustomize.py”, line 102, in execfile
    exec(compile(f.read(), filename, ‘exec’), namespace)

    File “C:/Users/kashi/Desktop/prog/Date_time.py”, line 10, in
    series = read_csv(‘E:/data/csv/shampoo-sales.csv’, header=0, parse_dates=[0], index_col=0, squeeze=True, date_parser=parser)

    File “C:\Users\kashi\Anaconda3\lib\site-packages\pandas\io\parsers.py”, line 562, in parser_f
    return _read(filepath_or_buffer, kwds)

    File “C:\Users\kashi\Anaconda3\lib\site-packages\pandas\io\parsers.py”, line 325, in _read
    return parser.read()

    File “C:\Users\kashi\Anaconda3\lib\site-packages\pandas\io\parsers.py”, line 815, in read
    ret = self._engine.read(nrows)

    File “C:\Users\kashi\Anaconda3\lib\site-packages\pandas\io\parsers.py”, line 1387, in read
    index, names = self._make_index(data, alldata, names)

    File “C:\Users\kashi\Anaconda3\lib\site-packages\pandas\io\parsers.py”, line 1030, in _make_index
    index = self._agg_index(index)

    File “C:\Users\kashi\Anaconda3\lib\site-packages\pandas\io\parsers.py”, line 1111, in _agg_index
    arr = self._date_conv(arr)

    File “C:\Users\kashi\Anaconda3\lib\site-packages\pandas\io\parsers.py”, line 2288, in converter
    return generic_parser(date_parser, *date_cols)

    File “C:\Users\kashi\Anaconda3\lib\site-packages\pandas\io\date_converters.py”, line 38, in generic_parser
    results[i] = parse_func(*args)

    File “C:/Users/kashi/Desktop/prog/Date_time.py”, line 8, in parser
    return datetime.strptime(‘190’+x, ‘%Y-%m’)

    File “C:\Users\kashi\Anaconda3\lib\_strptime.py”, line 510, in _strptime_datetime
    tt, fraction = _strptime(data_string, format)

    File “C:\Users\kashi\Anaconda3\lib\_strptime.py”, line 343, in _strptime
    (data_string, format))

    ValueError: time data ‘1901-Jan’ does not match format ‘%Y-%m’

    I have already removed the footer note from the dataset and I also open dataset in text editor. But I couldn’t remove this error. But when I comment ”date_parser=parser” my code runs but doesn’t show years,
    How to resolve it?
    Thanks

  52. Alec September 21, 2017 at 6:41 pm #

    Getting this problem:

    File “/shampoo.py”, line 6, in parser
    return datetime.strptime(‘190’+x, ‘%Y-%m’)
    TypeError: ufunc ‘add’ did not contain a loop with signature matching types dtype(‘<U32') dtype('<U32') dtype('<U32')

    I've tried '%Y-%b' but that only gives me the "does not match format" error.

    Any ideas?

    / Thanks

    • Jason Brownlee September 22, 2017 at 5:35 am #

      Hi Alex, sorry to hear that.

      Confirm that you downloaded the CSV version of the dataset and that you have deleted the footer information from the file.

      • Alec September 22, 2017 at 5:41 pm #

        Hey,

        I got it to work right after I wrote the post…

        The header in the .csv was written as “Month,””Sales” and that caused the error, so I just changed it to “month”, “sales” and it worked.

        Thanks for putting in the effort to follow up on posts!

  53. Teja October 6, 2017 at 8:15 am #

    Hey,
    I’ve two years monthly data of different products and their sales at different stores. How can I perform Time series forecasting on each product at each location?

    Thanks in advance.

    • Jason Brownlee October 6, 2017 at 11:04 am #

      You could explore modeling products separately, stores separately, and try models that combine the data. See what works best.

  54. Shud October 23, 2017 at 7:47 pm #

    Hey Jason,

    You mentioned that since the residuals doesn’t have mean = 0, there is a bias. I have same situation. But the spread of the residuals is in the order of 10^5. So i thought it is okay to have non-zero mean. Your thoughts please?

    • Shud October 23, 2017 at 8:20 pm #

      Btw my mean is ~400

  55. zhifeng November 4, 2017 at 1:17 am #

    For those who came with an error of ValueError: time data ‘1901-Jan’ does not match format ‘%Y-%m’

    please replace the month column with following:

    Month
    1-1
    1-2
    1-3
    1-4
    1-5
    1-6
    1-7
    1-8
    1-9
    1-10
    1-11
    1-12
    2-1
    2-2
    2-3
    2-4
    2-5
    2-6
    2-7
    2-8
    2-9
    2-10
    2-11
    2-12
    3-1
    3-2
    3-3
    3-4
    3-5
    3-6
    3-7
    3-8
    3-9
    3-10
    3-11
    3-12

  56. cuongquyet November 10, 2017 at 9:59 pm #

    Dear Jason,

    Firstly, I would like to thanks about your sharing

    Secondly, I have a small question about ARIMA with Python. I have about 700 variables need to be forecasted with ARIMA model. How Python supports this issuse Jason

    For example, I have data of total orders in a country, and it will be contributte to each districts
    So I need to forecast for each districts (about 700 districts)

    Thanks you so much

    • Jason Brownlee November 11, 2017 at 9:22 am #

      Generally, ARIMA only supports univariate time series, you may need to use another method.

      That is a lot of variables, perhaps you could explore a multilayer perceptron model?

  57. volity November 13, 2017 at 10:11 pm #

    The result of model_fit.forecast() is like (array([ 242.03176448]), array([ 91.37721802]), array([[ 62.93570815, 421.12782081]])). The first number is yhat, can you explain what the other number means in the result? thank you!

  58. Chetan November 14, 2017 at 10:32 am #

    Great blogpost Jason!
    Had a follow up question on the same topic.
    Is it possible to do the forecast with the ARIMA model at a higher frequency than the training dataset?
    For instance, let’s say the training dataset is sampled at 15min interval and after building the model, can I forecast at 1second level intervals?
    If not directly as is, any ideas on what approaches can be taken? One approach I am entertaining is creating a Kernel Density Estimator and sampling it to create higher frequency samples on top of the forecasts.
    Thanks, much appreciate your help!

    • Jason Brownlee November 15, 2017 at 9:44 am #

      Hmm, it might not be the best tool. You might need something like a neural net so that you can design a one-to-many mapping function for data points over time.

  59. Monsoon November 18, 2017 at 3:23 am #

    Hi Jason,

    Your tutorial was really helpful to understand the concept of solving time series forecasting problem. But I have small doubt regarding the steps you followed at the very end. I’m pasting your code down below-

    X = series.values
    size = int(len(X) * 0.66)
    train, test = X[0:size], X[size:len(X)]
    history = [x for x in train]
    predictions = list()
    for t in range(len(test)):
    model = ARIMA(history, order=(5,1,0))
    model_fit = model.fit(disp=0)
    output = model_fit.forecast()
    yhat = output[0]
    predictions.append(yhat)
    obs = test[t]
    history.append(obs)
    print(‘predicted=%f, expected=%f’ % (yhat, obs))
    error = mean_squared_error(test, predictions)

    Note:1) here in the above for each iteration you’re adding the elements from the “test” and the forecasted value because in real forecasting we don’t have future data to include in test, isn’t it? Or is it that your’re trying to explain something and I’m not getting it.

    2) Second doubt, aren’t you suppose to perform “reverse difference” for that you have used first order differencing in the model?

    Kindly, please clear my doubt

    Note: I have also went through one of your other tutorial where you have forecasted the average daily temperature in Australia.

    https://machinelearningmastery.com/make-sample-forecasts-arima-python/

    here the steps you followed were convincing, also you have performed “inverse difference” step to scale the prediction to original scale.
    I have followed the steps from the one above but I m unable to forecast correctly.

    • Jason Brownlee November 18, 2017 at 10:23 am #

      In this case, we are assuming the real observation is available after prediction. This is often the case, but perhaps over days, weeks, months, etc.

      The differencing and reverse differencing were performed by the ARIMA model itself.

  60. Somayeh November 28, 2017 at 12:39 am #

    Hi Jason,
    Recently I am working on time series prediction, but my research is a little bit complicated for me to understand how to fix a time series models to predict future values of multi targets.
    Recently I read your post in multi-step and multivariate time series prediction with LSTM. But my problem have a series input values for every time (for each second we have recorded more than 500 samples). We have 22 inputs and 3 targets. All the data has been collected during 600 seconds and then predict 3 targets for 600 next seconds. Please help me how can solve this problem?
    It is noticed we have trend and seasonality pulses for targets during the time.

  61. Desmond December 7, 2017 at 6:04 pm #

    Hey just a quick check with you regarding the prediction part. I need to do some forecast of future profit based on the data from past profit. Let’s say I got the data for the past 3 years, and then I wanted to perform a forecast on the next 12 months in next year. Does the model above applicable in this case?

    Thanks!

    • Jason Brownlee December 8, 2017 at 5:36 am #

      This post will help you make predictions that are out of sample:
      https://machinelearningmastery.com/make-sample-forecasts-arima-python/

      • Desmond December 9, 2017 at 7:52 pm #

        Hey Jason thanks so much for the clarification! But just to clarify, when I run the example above, my inputs are the past records for the past 3 years grouped by month. Then, how the code actually plot out the forecasted graph is basically takes in those input and plot, am I right? So, can I assumed that the graph that plotted out is meant for the prediction of next year?

        • Jason Brownlee December 10, 2017 at 5:24 am #

          I don’t follow, sorry. You can plot anything you wish.

          • Desmond December 10, 2017 at 2:29 pm #

            Sorry but what does the expected and predicted means actually?

          • Jason Brownlee December 11, 2017 at 5:21 am #

            The expected value is the real observation from your dataset. The predicted value is the value predicted by your model.

          • Desmond December 10, 2017 at 4:25 pm #

            Also, why the prediction has 13 points (start from 0 to 12) when each year only have 12 months? Looking forward to hear from you soon and thanks!

          • Jason Brownlee December 11, 2017 at 5:23 am #

            I arbitrarily chose to make predictions for 33% of the data which turned out to be 13 months.

            You’re right, it would have been clearer if I only predicted the final year.

          • Desmond December 11, 2017 at 4:12 pm #

            Hey Jason, thanks so much for the replies! But just to check with you, which line of the code should I modify so that it will only predict for the next 12 months instead of 13?

            Also, just to be sure, if I were to predict for the profit for next year, the value that I should take should be the predicted rather than expected, am I right?

            Thanks!!

          • Jason Brownlee December 11, 2017 at 4:55 pm #

            Sorry, I cannot prepare a code example for you, the URLs I have provided show you exactly what to do.

          • Desmond December 11, 2017 at 6:24 pm #

            Hey Jason, thanks so much but I am still confused as I am new to data analytic. The model above aims to make a prediction on what you already have or trying to forecast on what you do not have?

            Also, may I check with you on how it works? Because I downloaded the sample dataset and the dataset contains the values of past 3 years grouped by months. So, can I assume the prediction takes all the values from past years into account in order to calculate for the prediction value? Or it simply takes the most recent one and calculate for the prediction?

            Thanks!

  62. Desmond December 11, 2017 at 4:17 pm #

    Hey Jason, I am so sorry for the spams. But just a quick check with you again, let’s say I have some zero value for the profit, will it break the forecast function? Or the forecast function must take in all non-zero value. Because sometimes I am getting “numpy.linalg.linalg.LinAlgError: SVD did not converge” error message and I not sure if it is the zero values that is causing the problem. 🙂

    • Jason Brownlee December 11, 2017 at 4:56 pm #

      Good question, it might depend on the model.

      Perhaps spot check some values and see how the model behaves?

      • Desmond December 11, 2017 at 8:33 pm #

        May I know what kind of situation will cause the error above? Is it because of drastic up and down from 3 different dataset?

  63. Sushil Namdeo Raut December 13, 2017 at 10:26 am #

    Hi Jason,
    Thanks for this post. I am getting following error while running the very first code:

    ValueError: time data ‘1901-Jan’ does not match format ‘%Y-%m’

    • Jason Brownlee December 13, 2017 at 4:13 pm #

      Ensure your data is in CSV format and that the footer was removed.

  64. Denise December 13, 2017 at 7:07 pm #

    Hi Jason, thanks so much for the share! The tutorial was good! However, when I am using my own data set, I am getting the same error message as one of the guy above. The error message is ‘numpy.linalg.linalg.LinAlgError: SVD did not converge’.

    I tried to crack my head out trying to observe the data sets that caused the error message but I could not figure out anything. I tried with 0 value and very very very drastic drop or increase in the data, some seems okay but at some point, some data set will just fail and return the error message.

    May I know what kind of data or condition will trigger the error above so I can take extra precaution when preparing the data?

    • Jason Brownlee December 14, 2017 at 5:36 am #

      Perhaps try manually differencing the data first?

      Perhaps there are a lot of 0 values in your data that the model does not like?

      • Denise December 14, 2017 at 2:38 pm #

        I tried with multiple set of data without a single zero. I realized a problem but I not sure if my observation is correct as I am still trying to figure out how the code above works, for that part I might need your enlightenment.

        Let’s say the data is 1000, 100, 10000 respectively to first, second and third year. This kind of data will throw out the error message above. So can I assume that, as long as there is a big drastic drop/increase in the data set, in this case from 100 to 10000, this kind of condition will execute with error?

    • anand February 27, 2018 at 4:40 am #

      Hey Denise, i got the same issue. did you get any solution for this problem??

  65. Kelly December 17, 2017 at 8:00 am #

    Hi Jason,

    Thank you for the tutorial, it’s great! I have a question about stationarity and differencing. If time series is non stationary but is made stationary with simple differencing, are you required to have d=1 in your selected model? Can I choose a Model with no differencing for this data if it gives me a better root mean square error and there is no evidence of autocorrelation?

    • Jason Brownlee December 17, 2017 at 8:57 am #

      Yes, you can let the ARIMA difference or perform it yourself.

      But ARIMA will do it automatically for you which might be easier.

  66. Satyajit Pattnaik December 20, 2017 at 10:53 pm #

    @Jason, This article has helped me a lot for the training set predictions which i had managed to do earlier too, but could you help me with the future forecasting, let say your date data is till 10th November, 2017 and i want to predict the values for the next one week or next 3 days..

    If we get help for this, that would be amazing 🙂

  67. Satyajit Pattnaik December 21, 2017 at 2:23 am #

    @Jason,

    For future predictions, let say i have data till 10th November, and based on your analysis as shown above, can you help me with the future predictions for a week or so, need an idea of how to predict future data..

  68. Shariq Suhail December 27, 2017 at 4:29 pm #

    Great post Jason!
    I have a question:

    – We need to ensure that the residuals of our model are uncorrelated and normally distributed with zero mean.
    What if the residuals are not normally distributed?

    It would be very grateful if you could explain how to approach in such scenario.

    Thanks
    Shariq

    • Jason Brownlee December 28, 2017 at 5:18 am #

      It may mean that you could improve your model with some data transform, perhaps something like a boxcox?

  69. Namrata Nayak December 28, 2017 at 5:12 pm #

    @Jason, What if we don’t want Rolling forecast, which means, my forecast should only be based on the training data, and it should predict the test data..

    I am using the below code:

    X = ts.values
    size = int(len(X) * 0.75)
    train, test = X[0:size], X[size:len(X)]
    model = ARIMA(train, order=(4, 1, 2))
    results_AR = model.fit(disp=0)
    preds=results_AR.predict(size+1,size+16)
    pyplot.plot(test[0:17])
    pyplot.plot(preds, color=’red’)
    pyplot.show()

    This prediction is giving me really bad results, need urgent help on this.

  70. Vadim Pliner December 29, 2017 at 3:17 am #

    Hi Jason, I have two questions.
    1. Let’s say I want to estimate an AR model like this: x(t)=a*x(t-2) + e. If I use ARIMA(2,0,0), it will add the term x(t-1) as well, which I don’t want. In SAS I would use p=(2) on the estimate statement of proc arima rather than p=2.
    2. How do I incorporate covariates? For example, a simple model like this: x(t)=a*x(t-2) + b*f(t) + e, where f(t) e.g. is 1 if it’s the month of January and 0 otherwise.
    Thanks.

    • Jason Brownlee December 29, 2017 at 5:24 am #

      Re the first question, it’s good. I don’t know how to do this with statsmodels off the cuff, some google searchers are needed.

      Re multivariates, you may need to use ARIMAX or SARIMAX or similar method.

  71. Fawad January 3, 2018 at 6:16 pm #

    Hi,

    I am getting the following error when loading the series dataframe in python
    “ValueError: time data ‘190Sales of shampoo over a three year period’ does not match format ‘%Y-%m'”

    Ive just copy pasted the code from this website but its not working. Any suggestions? Im using Sypder

    • Jason Brownlee January 4, 2018 at 8:08 am #

      Ensure you remove the footer from the data file.

  72. Jelly January 9, 2018 at 1:58 pm #

    Hi, may I know what are the yhat, obs and error variable are for? As for the error, is it better with greater value or the other way around? Thanks!

    • Jason Brownlee January 9, 2018 at 3:19 pm #

      yhat are the predictions. obs are the observations or the actual real data.

      • Jelly January 9, 2018 at 4:11 pm #

        Thanks! Then what about the MSE? Is it the greater the better or the other way around?

  73. Satyajit Pattnaik January 17, 2018 at 10:13 pm #

    Could you please have a blog on Anomaly detection using timeseries data, may be from the above example itself.

  74. Omar Irbaihat January 23, 2018 at 1:51 am #

    hey sir , thanks for that , Is ARIMA good for predictions of currencies exchange rate or not ?

    • Jason Brownlee January 23, 2018 at 8:05 am #

      I don’t know about currency exchange problems sorry. Try it and see.

  75. Chintan January 25, 2018 at 7:20 am #

    Hello,
    Is it possible to predict hourly temperature for upcoming 5 years based on hourly temperature data of last 5 years ?
    I am trying this out with ARIMA model, its giving me vrey bad output ( attenuating curve ).

    • Jason Brownlee January 25, 2018 at 9:10 am #

      You could model that, but I expect the skill to be very poor. The further in the future you want to predict, the worse the skill.

  76. Jing February 2, 2018 at 9:24 am #

    if the time series corresponds to brownian motion time series generated with different Hurst value (let’s say H1 = 0.6 and H2 = 0.7), is this model a good fit to classify if it is H1 or H2?

  77. Rajan R G February 12, 2018 at 1:25 am #

    Hi Jason,

    I have followed all of your posts related to Time Series to do my first data science project. I have done the parameter optimization also. The same code is working in my laptop but when i ran in Kaggle it shows “The computed initial AR coefficients are not stationary
    You should induce stationarity, choose a different model order, or you can
    pass your own start_params”. The python version is same in my environment and in Kaggle. Is this common?

    • Jason Brownlee February 12, 2018 at 8:30 am #

      Sorry, I don’t know about “running code in kaggle”.

      • Sofia May 22, 2019 at 7:59 pm #

        I get the same error when I run the code in my local PC. Not for every p and q though, but for higher values.

        • Jason Brownlee May 23, 2019 at 6:00 am #

          Perhaps try using a “d” term to make the data stationary.

  78. Deepu Raj March 10, 2018 at 6:53 pm #

    Hello, may I know what is the purpose for these two lines?

    size = int(len(X) * 0.66)
    train, test = X[0:size], X[size:len(X)]

    Thanks!

    • Deepu Raj March 10, 2018 at 7:05 pm #

      Also, just to double confirm with you on my understanding, basically what the algorithm does is, take in all input in csv and fit into model, perform a forecast, append the forecast value into the model, then go thru the for loop again to recreate a new ARIMA model, forecast then append new forecast value, then go thru the for loop again?

      In addition, the next row prediction is always depends on the past prediction values?

      • Jason Brownlee March 11, 2018 at 6:23 am #

        Yes, I believe so. Note, this is just one framing of the problem.

    • Jason Brownlee March 11, 2018 at 6:21 am #

      To split the dataset into train and test sets.

      • Deepu Raj March 11, 2018 at 7:38 pm #

        Is there a specific reason for you to multiply with 0.66? Thanks!

        • Jason Brownlee March 12, 2018 at 6:28 am #

          No reason, just an arbitrarily chosen 66%/37% split of the data.

  79. James Neligan March 13, 2018 at 6:56 am #

    I need to forecasting the next x hour. How can i do this?

  80. Ajay March 15, 2018 at 2:28 am #

    Thanks Jason for making it simple. I run the program but getting error
    1st error :
    TypeError: Cannot cast ufunc subtract output from dtype(‘float64’) to dtype(‘int64’) with casting rule ‘same_kind’

    After changing code , i got 2nd error
    model = ARIMA(series.astype(float), order=(5,1,0))

    I m getting following error
    LinAlgError: SVD did not converge

    • Jason Brownlee March 15, 2018 at 6:32 am #

      Looks like the data might have some issues. Perhaps calculate some summary stats, visualizations and look at the raw data to see if there is anything obvious.

      • Ajay Verma March 16, 2018 at 2:16 am #

        Thanks Jason for the quick response. Now i tried for Sampoo dataset, getting following error :
        ValueError: time data ‘1901-Jan’ does not match format ‘%d-%m’

        Code :
        def parser(x): return datetime.strptime(‘190’+x, ‘%d-%m’)

        series = read_csv(‘shampoo-sales.csv’, header=0, parse_dates=[0], index_col=0, squeeze=True, date_parser=parser)
        print(series.head())
        series.plot()
        pyplot.show()

  81. Satyajit Pattnaik March 19, 2018 at 7:28 pm #

    When we use a recursive model for ARIMA, let say like saw in one of your examples:

    Why my final test vs predicted graph is coming as if, the predictions are following the test values, it’s like if test is following a pattern, predictions is following similar pattern, hence ultimately our ARIMA predictions isn’t working properly, i hope you got my point.

    For example: if test[0] keeps increasing till test[5] and decreases, then prediction[1] keeps increasing till predictions[5] and decreases..

    • Jason Brownlee March 20, 2018 at 6:14 am #

      It suggests the model is not skilful and is acting like a persistence model.

      It may also be possible that persistence is the best that can be achieved on your problem.

      • Satyajit Pattnaik March 21, 2018 at 5:46 pm #

        Does that mean, ARIMA isn’t giving good results for my problem?

        What are different ways of solving this problem by ARIMA, can differencing or Log approach be a good solution?

        • Jason Brownlee March 22, 2018 at 6:19 am #

          You can use ACF/PACF plots to help choose ARIMA parameters, or you can grid search ARIMA parametres on your test set.

  82. Mihir Ranade March 21, 2018 at 12:28 am #

    Hello! Thank you for this great tutorial. It’d be a great help if you guide me through one of my problems.

    I want to implement a machine learning model to predict(forecast) points scored by each player in the upcoming game week.

    Say I have values for a player (Lukaku) for 28 game weeks and I train my model based on some selected features for those 28 weeks. How do I predict the outcome of the 29th week?

    I am trying to predict total points to be scored by every player for the coming game week.
    So basically what should be the input to my model for 29th game week? Since the game assigns points as per live football games happening during the week, I wont have any input data for 29th week.

    Thank you 🙂

  83. Raphael March 30, 2018 at 2:20 am #

    Hi Jason,
    Great tutorial once again!

    I have a question on your Rolling Forecast ARIMA model.

    When your are appending obs (test(t)) on each step to history, aren’t we getting data leakage?
    The test set is supposed to be unseen data, right? Or are you using the test set as a validation set?

    • Jason Brownlee March 30, 2018 at 6:42 am #

      In this case no, we are assuming the real observation is available at the end of each iteration.

      You can change the assumptions and therefore the test setup if you like.

      • Raphael April 2, 2018 at 6:09 am #

        oh I see, i misunderstood this assumption, sorry. But how can I predict multiple steps? I used the predict() method from ARIMA model but the results were weird.

        • Jason Brownlee April 2, 2018 at 2:44 pm #

          Yes, you can use the predict() function. Performance may be poor as predicting multiple steps into the future is very challenging.

  84. Ftima April 2, 2018 at 6:57 pm #

    Hi,

    In case we try to introduce more than one input, then how can fit the model and make prediction?

    Thanks

    • Jason Brownlee April 3, 2018 at 6:32 am #

      We don’t fit one point, we fit a series of points.

  85. Hsiang April 9, 2018 at 9:35 am #

    Hi Jason,

    Very nice introduction! Thank you very much for always bringing us excellent ML knowledge.

    Can you further explain why you chose (p,d,q) = (5,1,0)? Or you did gird search (which you show in other blogs) using training/test sets to find minimum msg appears at (5,1,0)? Did you know any good reference for diagnostic plots for the hyper-parameters grid searching?

    Meanwhile, I am interested in both time-series book and LSTM book. If I purchased both, any further deal?

    • Jason Brownlee April 10, 2018 at 6:09 am #

      I recommend using both a PACF/ACF interpretation and grid searching approaches. I have tutorials on both.

      Sorry, I cannot create custom bundles of books, you can see the full catalog here:
      https://machinelearningmastery.com/products

      • Hsiang April 12, 2018 at 6:05 pm #

        Hi Jason,

        Thank you for your answer. I have purchased time series book.
        I still have few more questions on ARIMA model:

        (1) The shampoo sale data obviously shows non-stationary; strictly speaking, we should transform data until it becomes stationary data by taking logarithm and differencing (Box-Cox transformation), and then apply to ARIMA model. Is it correct?

        (2) Does the time series data with first-order differencing on ARIMA (p,0,q) give the similar results to the time series data without differencing on ARIMA(p,1,q)? i.e. d = 1 in ARIMA(p,d,q)
        equivalently process data with first-order difference?

        (3) In this example, we chose ARIMA (5,1,0) and p=5 came from the autocorrelation plot. However, what I read from the book https://www.otexts.org/fpp/8/5 said to judge value of p, we should check PACF plot, instead ACF. Are there any things I missed or misunderstood?

  86. Marco April 11, 2018 at 6:06 am #

    Hi Jason,
    In your code you use :

    yhat=output[0]

    So you take the first element of output, what are the other elements of output represent?
    Thank you

  87. Mutasem April 22, 2018 at 12:48 pm #

    Thank you for your efforts … i have question
    i’m using the following code as mentioned above
    def parser(x):
    return datetime.strptime(‘190’ +x, ‘%Y-%m’)

    but the error appears :

    ValueError: time data ‘1902-Jan’ does not match format ‘%Y-%m’

    could you please help me ….

  88. Harshil April 24, 2018 at 8:26 pm #

    Hey Jason,
    Best article I have ever seen. Currently I am working on data driven time series forecasting with PYTHON by ARIMA model. I have data of appliance energy which depends on 26 variables over period of 4 months. My question is how can I use 26 variables to forecast the future value?

    • Jason Brownlee April 25, 2018 at 6:19 am #

      Thanks.

      Sorry, I don’t have an example of ARIMA with multiple input variables.

  89. Harshil April 26, 2018 at 5:33 pm #

    Hello Jason,
    Thanks for your reply.

    Can I solve my problem with ARIMA model?

  90. Muhammad May 8, 2018 at 10:42 am #

    Hey Jason, I am new to data analytics. From the chart, may I know how you determined it is stationary or non-stationary as well as how do you see whether it has a lagged value?

    Thanks!

  91. Sven May 20, 2018 at 8:40 am #

    Hello Jason,

    can Autoregression model be used for forecasting stock price ?

  92. Randal Michnovicz May 30, 2018 at 7:21 am #

    Hello! I think you may have made a mistake in the following paragraph.

    “If we used 100 observations in the training dataset to fit the model, then the index of the next time step for making a prediction would be specified to the prediction function as start=101, end=101. This would return an array with one element containing the prediction.”

    Since python is zero-indexed, the index of the next time step for making a prediction should be 100, I think.

  93. Franky Philip June 7, 2018 at 2:19 am #

    Hello Jason!
    I’m stuck at this error when i execute these lines of code:

    from pandas import read_csv
    from pandas import datetime
    from matplotlib import pyplot

    def parser(x):
    return datetime.strptime(‘190’+x, ‘%Y-%m’)

    series = read_csv(‘shampoo_time_series.csv’, header=0, parse_dates=[0], index_col=0, squeeze=True, date_parser=parser)
    print(series.head())
    series.plot()
    pyplot.show().

    Error:-
    time data ‘19001-Jan’ does not match format ‘%Y-%m’

  94. bakhouche June 13, 2018 at 6:40 pm #

    hi dear,
    can ask you please what is the meaning of the arrow that cant be copied, thank you.

  95. Arsim June 17, 2018 at 8:24 am #

    Hi Jason,
    great tutorial, as always! Thank you very much for providing your excellent knowledge to the vast community! You really helped me to get a better understanding of this ARIMA type of models.

    Do you plan to make a tutorial on nonlinear time-series models such as SETAR? Would be great, because I could not really find anything in this region.

    • Jason Brownlee June 18, 2018 at 6:36 am #

      Thanks for the suggestion.

      I do hope to cover more methods for nonlinear time series in the future.

  96. Saloni Patil June 21, 2018 at 6:59 pm #

    Hi Jason
    I tried the code with my data. ACF, PACF plots aren’t showing me any significant correlations. Is there anything by which I can still try the forecast? What should be one’s steps on encounter of such data?

    • Jason Brownlee June 22, 2018 at 6:04 am #

      Perhaps try a grid search on ARIMA parameters and see what comes up?

  97. ezgi June 22, 2018 at 10:29 pm #

    Hi Jason,

    Is it possible to make a forecast with xgboost for a time series data with categorical variables?

  98. dnyanada June 26, 2018 at 3:48 am #

    Hello Jason, I have been following your articles and it has been very helpful.
    I am running the same code above and get following error:

    ValueError Traceback (most recent call last)
    in ()
    7 pred=list()
    8 for i in range(len(test)):
    —-> 9 model=ARIMA(history,order=(5,1,0))
    10 model_fit=model.fit(disp=0)
    11 output=model_fit.forecast()

    ~\AppData\Local\Continuum\anaconda3\lib\site-packages\statsmodels\tsa\arima_model.py in __new__(cls, endog, order, exog, dates, freq, missing)
    998 else:
    999 mod = super(ARIMA, cls).__new__(cls)
    -> 1000 mod.__init__(endog, order, exog, dates, freq, missing)
    1001 return mod
    1002

    ~\AppData\Local\Continuum\anaconda3\lib\site-packages\statsmodels\tsa\arima_model.py in __init__(self, endog, order, exog, dates, freq, missing)
    1013 # in the predict method
    1014 raise ValueError(“d > 2 is not supported”)
    -> 1015 super(ARIMA, self).__init__(endog, (p, q), exog, dates, freq, missing)
    1016 self.k_diff = d
    1017 self._first_unintegrate = unintegrate_levels(self.endog[:d], d)

    ~\AppData\Local\Continuum\anaconda3\lib\site-packages\statsmodels\tsa\arima_model.py in __init__(self, endog, order, exog, dates, freq, missing)
    452 super(ARMA, self).__init__(endog, exog, dates, freq, missing=missing)
    453 exog = self.data.exog # get it after it’s gone through processing
    –> 454 _check_estimable(len(self.endog), sum(order))
    455 self.k_ar = k_ar = order[0]
    456 self.k_ma = k_ma = order[1]

    ~\AppData\Local\Continuum\anaconda3\lib\site-packages\statsmodels\tsa\arima_model.py in _check_estimable(nobs, n_params)
    438 def _check_estimable(nobs, n_params):
    439 if nobs 440 raise ValueError(“Insufficient degrees of freedom to estimate”)
    441
    442

    ValueError: Insufficient degrees of freedom to estimate

    the code used
    from sklearn.metrics import mean_squared_error
    size = int(len(df) * 0.66)
    train,test=df[0:size],df[size:len(df)]
    print(train.shape)
    print(test.shape)
    history=[x for x in train]
    pred=list()
    for i in range(len(test)):
    model=ARIMA(history,order=(5,1,0))
    model_fit=model.fit(disp=0)
    output=model_fit.forecast()
    yhat=output[0]
    pred.append(yhat)
    obs=test[i]
    history.append(obs)
    print(‘predicted = %f,expected = %f’,(yhat,obs))
    error=mean_squared_error(test,pred)
    print(‘Test MSE: %.3f’ % error)

    plt.plot(test)
    plt.plot(pred,color=’red’)
    plt.show()

    On;ly change I have made in code is date index. I have done something like this for dates
    dt=pd.date_range(“2015-01-01”, “2017-12-1″, freq=”MS”)

    Can you explain what is wrong?

    also,
    I was under impression that you use auto_corr function to determine Q parameter in ARIMA model. then in your code when you call ARIMA why have you used (5,1,0) assuming it is (p,d,q)? i thought it was suppose to be (0,1,5)?

  99. Dnyanada Arjunwadkar June 26, 2018 at 9:28 am #

    Hello Jason, I posted a problem earlier today that I have successfully resolved. thanks for your help.

  100. Dnyanada Arjunwadkar June 27, 2018 at 4:13 am #

    Hello Jason,

    Thanks for the helpful article.
    My question is :
    “A rolling forecast is required given the dependence on observations in prior time steps for differencing and the AR model.”

    can you please elaborate?
    How do we decide when to use Rolling forecast and when not to use rolling forecast?
    what are the factors do you consider?

    Thanks

  101. mithril July 5, 2018 at 1:30 am #

    Hello,

    My company is supermaket , which have 30 stores and over 2000 products. My boss want me to predict each product sale number in next 7 days.

    I think below features would affect sales count much

    1. a day is festival
    2. a day is weekend
    3. a day’s weather
    4. a day is coupon day

    But I don’t know how to embed above features with ARIMA model.
    And also our data is from 2017-12 to now, there is no history season data。

    Could you please give me a some advice?

    Thank you.

    • Jason Brownlee July 5, 2018 at 7:57 am #

      They could be exogenous binary variables that the statsmodels ARIMA does support.

  102. Paola July 22, 2018 at 8:13 am #

    Great article! But I have a question. I have a daily time series, and I am following the steps from the time series forecasting book. How do I obtain the acf and pacf visually (for the Manually Congured ARIMA)? because I will have more than 1000 lag values (as my dataset is for many years), and after this I will need to search for the hyperparameters. I will really appreciate the help

  103. Luisa July 22, 2018 at 8:15 am #

    Great

  104. Ivan July 22, 2018 at 11:56 pm #

    thank you very much, Jason.

    However. I have some problem. Whenever I adopt your code for forcasting when no validation data is available,
    for t in range(93):
    model = ARIMA(history, order=(5,1,0))
    model_fit = model.fit(disp=0)
    output = model_fit.forecast()
    yhat = output[0]
    predictions.append(yhat)
    history.append(yhat)
    print('predicted=%f' % (yhat))

    my series converge to a constant number after a certain number of iterations, which is not right. What is the mistake?

  105. Siddharth August 3, 2018 at 3:52 pm #

    Hi Jason,

    Your articles are great to read as they give just the right amount of background and detail and are practical oriented. Please continue writing.

    I have a question though, being not from the statistical background, i am having difficulty in interpreting the output that is displayed after the summary of the fit model under the heading of “ARIMA model results”. This summarizes the coefficient values used as well as the skill of the fit on the on the in-sample observations.

    Can you please provide some explanation on their attributes and how the information assists us in the interpretation of the results

    • Jason Brownlee August 4, 2018 at 5:59 am #

      Thanks.

      Perhaps focus on the skill of the model and using the forecast of the model?

  106. Anna August 5, 2018 at 8:57 am #

    Hi Jason,
    Thanks a lot for this awesome tutorial.

    I am training on a dataset where I have to predict Traffic and Revenue during a campaign (weeks 53,54,55) driven by this marketing campaigns. I think I can only use data preceding the campaigns (weeks 1 to 52) even though I have the numbers for campaign and post campaign.

    I have a file as follows:

    week// campaign-period // TV-traffic // Revenue Trafiic
    1 //pre-campaign // 108567 // 184196,63
    2 //pre-campaign // 99358 // 166628,38

    53 // Campaign // 135058 //240163,25
    54 // Campaign // 129275 //238369,88

    56 // post-campaign //94062 // 141284,88

    62 // post-campaign // 86695 // 130153,38

    It seems like a statistical problem and I don’t know whether ARIMA is suitable for this use case (very few data, only 52 values to predict the following one). Do you think I can give it a shot with ARIMA or do you think there are other models that could be more suitable for such a use case please?

    Thanks a lot for your help.

    • Jason Brownlee August 6, 2018 at 6:23 am #

      Perhaps list out 10 or more different framings of the problem, then try fitting models to a few to see what works best?

      • Anna August 12, 2018 at 4:31 am #

        Hi Jason,
        Thanks a lot for this awesome tutorial.

        I am training on a dataset where I have to predict Traffic and Revenue during a campaign (weeks 53,54,55) driven by this marketing campaigns. I think I can only use data preceding the campaigns (weeks 1 to 52) even though I have the numbers for campaign and post campaign.

        I have a file as follows:

        week// campaign-period // TV-traffic // Revenue Trafiic
        1 //pre-campaign // 108567 // 184196,63
        2 //pre-campaign // 99358 // 166628,38

        53 // Campaign // 135058 //240163,25
        54 // Campaign // 129275 //238369,88

        56 // post-campaign //94062 // 141284,88

        62 // post-campaign // 86695 // 130153,38

        It seems like a statistical problem and I don’t know whether ARIMA is suitable for this use case (very few data, only 52 values to predict the following one). Do you think I can give it a shot with ARIMA or do you think there are other models that could be more suitable for such a use case please?

        Thanks a lot for your help.

        Thank you for your help

  107. Nii Anyetei August 7, 2018 at 5:46 am #

    Hi Jason, the constant updates are great and very helpful. I need a bit of help with my work. Im trying to forecast solid waste generation in using ANN. But I’m finding challenges with data and modeling my problem. If you could at least get me a headway that can help me produce something in 2weeks I will be grateful. I want to consider variables such as already generated solid waste, population, income levels, educational levels, etc. I hope to hear from you soon.

  108. Wen Ge August 8, 2018 at 7:32 pm #

    Many thanks Jason, it’s really helpful!

    Just one question, my data set contains some sales value = 0, would that affect the performance of ARIMA model? if there will be issues, anyway I can deal with the zero values in my data set? Thanks in advance for your advice!

  109. Brian Stephans August 15, 2018 at 1:55 am #

    Hello Jason,

    Any idea why I am having issues with datetime?

    This is the error that I have received

    Traceback (most recent call last):
    File “/Library/Frameworks/Python.framework/Versions/3.7/lib/python3.7/site-packages/pandas/io/parsers.py”, line 3021, in converter
    date_parser(*date_cols), errors=’ignore’)
    File “/Users/Brian/PycharmProjects/MachineLearningMasteryTimeSeries1/ARIMA.py”, line 9, in parser
    return datetime.strptime(‘190’ + x, ‘%Y-%m’)
    TypeError: strptime() argument 1 must be str, not numpy.ndarray

    During handling of the above exception, another exception occurred:

    Thank You
    Brian

  110. Anton Petrov August 17, 2018 at 1:32 am #

    The formating of csv seems different for everyone who downloads it, here’s the format that is used by Jason (just copy pasted this into a shampoo-sales.csv file and save)

    – thanks to the person above for the tip

    1-1,266
    1-2,145.9
    1-3,183.1
    1-4,119.3
    1-5,180.3
    1-6,168.5
    1-7,231.8
    1-8,224.5
    1-9,192.8
    1-10,122.9
    1-11,336.5
    1-12,185.9
    2-1,194.3
    2-2,149.5
    2-3,210.1
    2-4,273.3
    2-5,191.4
    2-6,287
    2-7,226
    2-8,303.6
    2-9,289.9
    2-10,421.6
    2-11,264.5
    2-12,342.3
    3-1,339.7
    3-2,440.4
    3-3,315.9
    3-4,439.3
    3-5,401.3
    3-6,437.4
    3-7,575.5
    3-8,407.6
    3-9,682
    3-10,475.3
    3-11,581.3
    3-12,646.9

  111. SA August 17, 2018 at 8:08 am #

    Hello Jason

    I’m trying to divide time series dataset into several dataset and select the best one as preprocessing dataset.I would like to use RMSE to evaluate each subset.In other word to select the window size and frame size before I do the training . Please let me know if you have any article on rows selection not column selection

  112. SA August 18, 2018 at 8:07 am #

    Hello Jason

    Many thanks for your reply. I have tried the code on the following data set and got “Best ARIMANone MSE=inf”

    date price
    0 20160227 427.1
    1 20161118 750.9
    2 20160613 690.9
    3 20160808 588.7
    4 20170206 1047.3

    RangeIndex: 657 entries, 0 to 656
    Data columns (total 2 columns):
    date 657 non-null int64
    price 657 non-null float64
    dtypes: float64(1), int64(1)
    memory usage: 10.3 KB

  113. SA August 18, 2018 at 8:16 am #

    Hello Jason

    Just to clarify my previous question that i have 700 rows of date and price and I would like select the best 70(window size) rows for prediction and decide on the frame size , frame step and extent of prediction.

    • Jason Brownlee August 19, 2018 at 6:14 am #

      Sounds great, let me know how you go!

      • SA August 19, 2018 at 7:11 am #

        Hi Jason

        Please let me know if you have an article help on specifying frame size , frame step and extent of prediction as data pre-processing step using RMSE and SEP.

        • Jason Brownlee August 20, 2018 at 6:30 am #

          I do, the grid search of the ARIMA algorithm I linked to above does that.

          Perhaps try working through it first?

          • SA August 21, 2018 at 6:41 am #

            Thanks Jason. Your post in Grid search is great. I have already applied the Grid Search and got best Arima model .

            Now I want to use the result and train the window in LSTM

            RIMA(1, 0, 0) MSE=39.723
            ARIMA(1, 0, 1) MSE=39.735
            ARIMA(1, 1, 0) MSE=36.148
            ARIMA(3, 0, 0) MSE=39.749
            ARIMA(3, 1, 0) MSE=36.141
            ARIMA(3, 1, 1) MSE=36.131
            ARIMA(6, 0, 0) MSE=39.806
            ARIMA(6, 1, 0) MSE=36.134
            ARIMA(6, 1, 1) MSE=36.128
            Best ARIMA(6, 1, 1) MSE=36.128

          • Jason Brownlee August 21, 2018 at 2:13 pm #

            An LSTM is a very different algorithm. Perhaps difference the series and use at least 6 time steps as input?

          • SA August 22, 2018 at 7:29 am #

            I have 5 years of time series data .Will 6 time steps (6 days) be enough as window size.I want to get the best optimal window as input to LSTM !

            Appreciate your feedback.

          • Jason Brownlee August 22, 2018 at 1:51 pm #

            Test many different sized subsequence lengths and see what works best.

          • SA August 23, 2018 at 7:13 am #

            Can I use Gridsearch for the testing purpose to specify the window size for LSTM?And if yes what would be the paramerters equal to 60/90/120 days ?

          • Jason Brownlee August 23, 2018 at 8:04 am #

            I would recommend running the grid search yourself with a for-loop.

            Try time periods that might make sense for your problem.

          • SA August 24, 2018 at 8:06 am #

            So I did the for-loop and manage to get different windows.
            Now to calculate the RMSE do I need to do linear regiression prediction for each window in order to calculate the RMSE or is there any other way around?

          • Jason Brownlee August 24, 2018 at 9:16 am #

            I would expect that you would fit a model for different sized windows and compare the RMSE of the models. The models could be anything you wish, try a few diffrent approaches even.

          • SA August 25, 2018 at 7:38 am #

            I got the following as example for two window size 360 days and 180 days
            For 360 days
            Window start after 0 days with windwo size 360 and step 100 have RMSE 734.1743876097737
            Window start after 100 days with windwo size 360 and step 100 have RMSE 369.94549420288877
            Window start after 200 days with windwo size 360 and step 100 have RMSE 105.70778076287142
            For 180 days

            Window start after 0 days with windwo size 180 and step 90 have RMSE 653.9070358902835
            Window start after 90 days with windwo size 180 and step 90 have RMSE 326.7832188924093
            Window start after 180 days with windwo size 180 and step 90 have RMSE 135.01118940666115
            Window start after 270 days with windwo size 180 and step 90 have RMSE 38.422587695965746
            Window start after 360 days with windwo size 180 and step 90 have RMSE 60.73374764651785
            Window start after 450 days with windwo size 180 and step 90 have RMSE 52.386817309349176

          • Jason Brownlee August 26, 2018 at 6:19 am #

            Well done!

          • SA August 26, 2018 at 7:04 am #

            Thanks Jason
            Appreciate your support.
            Your posts are really great and well organized.
            I’m excited to ready your publications 🙂

          • Jason Brownlee August 27, 2018 at 6:10 am #

            Thanks for your support!

  114. Waldo August 18, 2018 at 9:36 pm #

    Hi Jason! Here client and time series forecaster!
    When forecasting, I very often get this error:

    LinAlgError: SVD did not converge

    Any ideas how to solve this in general?

    Thanks!

    • Jason Brownlee August 19, 2018 at 6:20 am #

      This is common.

      Sounds like the linear algebra library used to solve the linear regression equation for a given configuration failed.

      Try other configurations?
      Try fitting a linear regression model manually to the lag obs?
      Try normalizing the data beforehand?

      Let me know how you go.

  115. Renato August 23, 2018 at 9:51 am #

    Hey Jason, what model i can use to equipment fault detection and prediction? So have some variables that correlate with others and i need to identification which are. See you soon.

    • Jason Brownlee August 23, 2018 at 1:54 pm #

      Try a suite of methods in order to discover what works best for your specific problem.

  116. Romain September 2, 2018 at 7:20 pm #

    Hello Jason,

    There is something that I struggle to understand, it would awesome if you could give me a hand.

    In ARIMA models, the optimization fits the MA and AR parameters. Which can be summed up as parameters of linear combination of previous terms for the AR and previous errors for the MA. A quick math formula could be :

    X_t – a_1 X_t-1 … – a_p X_t-p … = e_t + b_1 e_t-1 + … + b_q e_t-q

    When the fit method is used, it takes the train values of the signal to fit the parameters (a and b)

    When the forecast method is used, it forecast the next value of the signal using the fitted model and the train values

    When the predict method is used, it forecast the next values of the signal from start to stop.

    Let’s say I fit a model on n steps in the train set. Now I want to make predictions. I can predict step n+1. Now I am days n+1 and I have the exact signal value. I would like to actualize the model to predict n+2.

    In the rolling forecast part of your code, you fit again the model with the expanded train set (up to n+1). But in that case the model parameters are changed. It’s not the same model anymore.

    Is it possible to train one model and then actualize the signal values (the x and e) without changing the parameters (a and b)?

    It seems to me that it is important to keep one unique model and evaluate it against different time steps instead of training n different models for each new time steps we get.

    I hope I was clear enough. I miss probably a key to understand the problem.

    Thanks
    Romain

    • Jason Brownlee September 3, 2018 at 6:15 am #

      The model will use the prediction as the input to predict t+2.

  117. Matthew Orehek September 7, 2018 at 7:28 am #

    Hi Jason – Very helpful post here, thanks for sharing. I’m curious why parameter ‘p’ should be equal to the number of significant lags from the auto correlation plot? Just was wondering if you could give any more context to this part of the problem. Thanks.

    • Jason Brownlee September 7, 2018 at 8:11 am #

      Generally, we want to know how may lag observations have a measurable relationship with the next step so that the model can work on using them effectively.

  118. Christopher September 12, 2018 at 12:44 pm #

    I used your code to forecast daily temperature (it has a lag of 365). The forecast is always a day behind, i.e. learning history cannot accurately forecast next day’s temperature. I’ve played with the params with AIC.

  119. Anuradha Chaurasia September 16, 2018 at 11:23 pm #

    How to use ARIMA model in SPSS with few sample as 6 years data and according to this data for how many years we can forecast the future.

  120. Qianqian September 18, 2018 at 1:25 am #

    Hi Jason,

    Thanks for sharing! Very helpful post.
    Recently I am writing the methodology of ARIMA, but I can not find any reference (for example, some ARIMA formulas contain constant but some don’t have ). So could you please give me some reference (or ARIMA formula information) of “statsmodels.tsa.arima_model import ARIMA” used in Python?

    Thank you in advance.

  121. Milind Mahajani September 20, 2018 at 12:44 am #

    If one has a time series where the time steps are not uniform, what should be done while fitting a model such as ARIMA? I have price data for a commodity for about 4 years. The prices are available only for days that a purchase was made. This is often, but not always, every day. So sometimes purchases are made after 2, 3 or even more days and the prices are therefore available only for those days I need to forecast the price for the next week.

    Thanks for any advice on this.

    • Jason Brownlee September 20, 2018 at 8:01 am #

      Perhaps try modeling anyway?
      Perhaps try an alternative model?
      Perhaps try imputing the missing values?

      • Milind Mahajani September 20, 2018 at 8:27 pm #

        Thank you, Dr Jason!

  122. Kruthika Vishwanath September 25, 2018 at 6:55 am #

    Hi Jason,

    Thanks for this post.

    I am working on finding an anomaly using arima. Will I be able to find from the difference in actual & predicted value shown above ?

    Thanks,
    Kruthika

    • Jason Brownlee September 25, 2018 at 2:43 pm #

      Sorry, I don’t have examples of using ARIMA for anomaly detection.

  123. Bhadri September 29, 2018 at 6:20 pm #

    Hi Jason,

    I have couple of questions.

    1. is it necessary that we need to have always uni variate data set to predict for time series using ARIMA? What if i have couple of features that i want to pass along with the date time?

    2. is it also necessary that we have a non-stationary data to use time series for modelling? what if the data is already stationary? can i still do the modelling using time series?

    Thanks
    Bhadri

  124. awa October 17, 2018 at 4:36 pm #

    Hello sir,
    This is a great article. But sir I have couple of questions?
    1. Assume that if we have three inputs and one output with time period. Then how do we predict the next future value according to the past values to next time period using ARIMA model? (if we need to predict value next time interval period is 120min)
    as a example

    6:00:00 63 0 0 63
    7:00:00 63 0 2 104
    8:00:00 104 11 0 93
    9:00:00 93 0 50 177

    2. To predict value should I have to do time forecast according to the data that I mentioned earlier?

    • Jason Brownlee October 18, 2018 at 6:25 am #

      You could treat the other inputs as exogenous variables and use ARIMAX, or you could use another method like a machine learning algorithm or neural network that supports multivariate inputs.

  125. Mohammad October 31, 2018 at 3:07 pm #

    This is a great post, thank you very much.

    I’m new in this field, and I look for simple introduction to ARIMA models in general then an article about multivariate ARIMA.

    Could you please help me.

  126. Ramy November 2, 2018 at 10:07 pm #

    Hey Jason,

    I was wondering if you are aware of any auto arima functions to fine tune p,d,q parameters. I am aware that R has an auto.arima function to fine tune those parameters but was wondering if you’re familiar with any Python library.

  127. Sheldon November 6, 2018 at 1:11 pm #

    Hi Jaosn.

    Thanks a lot for the great tutorial!

    Have followed your post : “How to Grid Search ARIMA Model Hyperparameters with Python” to fine tune the p,q and d value. Have come across the below point in the post.

    “The first is to ensure the input data are floating point values (as opposed to integers or strings), as this can cause the ARIMA procedure to fail.”

    My initial data is in the below format. Month and #Sales

    2014-11 4504794
    2014-12 7656479
    2015-01 9340428
    2015-02 7229578
    2015-03 7092866
    2015-04 14514074
    2015-05 9995460
    2015-06 8593406
    2015-07 8774430
    2015-08 8448562

    I applied a log transofrmation on the above data set to convert the numbers to flot as below:-

    dateparse = lambda dates: pd.datetime.strptime(dates, ‘%Y-%m’)
    salessataparsed = pd.read_csv(‘sales.csv’, parse_dates=[‘Month’], index_col=’Month’,date_parser=dateparse)
    salessataparsed.head()
    ts_log = np.log(salessataparsed[‘#Sales’])

    Below is the ts_log.head() output.

    2014-11-01 15.320654
    2014-12-01 15.851037
    2015-01-01 16.049873
    2015-02-01 15.793691
    2015-03-01 15.774600
    2015-04-01 16.490560
    2015-05-01 16.117632
    2015-06-01 15.966517

    With this log value, applied the grid search approach to decide the best value of p,q and d.
    Howver, I got Best ARIMA(0, 1, 0) MSE=0.023. Looks good ? is it acceptable? Wondering if p=0 and q=0 is acceptable. Please confirm.

    Next, I have 37 Observations from Nov 2014 to 31-Dec-2017. I want to do future predictions for 2018, 2019 etc.How to do this?

    Also, do you have any Youtube videos explaining each of the steps in grid approach, how to make future forecatsts available ? It would be great if you can share the Youtube link. 🙂

    Once again thanks a lot for the article and your help!

  128. Michelle November 13, 2018 at 1:08 am #

    Hi Jason, thanks for the tutorial i am new to the world of predictive analysis but i have a project to predict when a customer is likely to make next purchase. I have dataset which include historical transactions and amount.

    Will this tutorial help me or is there any suggestion on material/resource i can use.

    Could you please advice

  129. Ayub November 28, 2018 at 3:44 am #

    Hi Jason,

    Used your epic tutorial to forecast bookings.
    I used the whole of 2017 as my data set and after applying everything in your post the predicted graph seems to be one day off i.e. prediction graph looks spot on with each data point very close to the what it should be, the only thing is is that it’s a day late…is this normal? Is there something within the code that causes something like this?

    Thanks

  130. Kris November 29, 2018 at 9:09 pm #

    Hi, i have had a question for a while, now this might be silly but I can’t figure out whats wrong here…

    So I have a timeseries data and when i used order=(0,1,0) that is, differencing is 1 then i get a timeseries that is ahead of time by one.
    example:
    input: 10, 12, 11, 15
    output: 8, 9.9, 12.02, 11.3, 14.9

    Now if I shift the resulting series by one timeperiod, it’ll match quite well.

    Also, similar output can be seen is (0,2,1) that is, differencing is 2 and MA is 1.

    Could someone explain why is this happening and what am i missing here.
    [numbers in example are representative not actual]

    • Jason Brownlee November 30, 2018 at 6:30 am #

      It suggest that the model is using the input as the output, this is called a persistence model:
      https://machinelearningmastery.com/faq/single-faq/why-is-my-forecasted-time-series-right-behind-the-actual-time-series

      • Kris December 3, 2018 at 6:29 am #

        Thanks Jason, I went through the link and it helps me see a clear picture which should have been obvious to notice but i missed it.

        If you please, could also share some thoughts on…

        – My model uses order(0,1,0). i.e. differencing is 1. Do such model makes sense for a practical scenario where we are trying to predict inventory requirement for a part(based on past consumption) that may fail in coming future(where failing of a part is totally a random act of nature).

        – Also, (0,2,1) and (0,1,0) gives very similar results. Is this expected in some sense. Is there any concept that i am missing here.

        Thanks a lot again, for your help.

        • Jason Brownlee December 3, 2018 at 6:55 am #

          I generally recommend using the model that gives the best performance and is the simplest.

  131. Dhananjai Sharma December 4, 2018 at 8:08 pm #

    Hello Jason!

    Thank you for the tutorial. It’s a good start to implementing an ARIMA model in Python. I have a question: You have used the actual data samples to update your training dataset after each prediction as given in “history.append(obs)”. Now let’s take a real life example when you don’t have any further actual data and you use your predictions only to update your training dataset which looks like “history.append(yhat)”. What will happen in this case? I am working on air quality prediction and in my case, the former scenario keeps the seasonal pattern in the test set but the latter does not show any seasonal pattern at all. Please let me know what’s your take on this.

    Regards,
    Dhananjai

    • Jason Brownlee December 5, 2018 at 6:15 am #

      You can re-fit the model using predictions as obs and/or predictions as inputs for subsequent predictions (recursive).

      Perhaps evaluate a few approaches on your dataset and see how it impacts model performance.

  132. Beshoy Akram December 8, 2018 at 3:19 am #

    Hi Jason ,
    Thank you for the tutorial.
    I have two questions :
    first : why you set moving average “q” Parameter by 0 ?
    second : why you set Lag value To 5 not 7 for example?
    Thanks.

    • Jason Brownlee December 8, 2018 at 7:12 am #

      They are an arbitrary configuration.

      Perhaps try other configurations and compare results.

  133. ben December 10, 2018 at 6:31 pm #

    Thank you for your great tutorial.

    I know that the third output from model_fit.forecast() consists of the confidence interval. But how can I plot the confidence interval on the whole range automatically?

    Thanks

  134. Glenn Dalida December 11, 2018 at 2:06 am #

    What’s the difference of predicted and expected? Sorry I’m a just a novice.

    • Jason Brownlee December 11, 2018 at 7:48 am #

      “Predicted” is what is output by the model.

      “Expected” or “actual” are the true observations.

  135. Ronald December 23, 2018 at 2:17 am #

    Hey Jason,

    Amazing blog, subscribed and loving it. I had a question about how you would send the output of the model to a data table in CSV?

    Ramy

  136. Benny Late December 23, 2018 at 6:01 am #

    Hi Jason, man I love this blog.

    I’m running this with a separate data set. I’ve shaped my dataset, but when I run the error line, I’m getting this:
    ValueError: Found array with dim 3. Estimator expected <= 2.

    What are you thoughts?

    Thanks,
    Benny

    Shaping:
    X_train = np.reshape(X_train, (len(X_train), 1, X_train.shape[1]))
    X_test = np.reshape(X_test, (len(X_test), 1, X_test.shape[1]))

    Code:
    history = [x for x in X_train]
    predictions = list()
    for t in range(len(X_test)):
    model = ARIMA(history, order=(10,0,3))
    model_fit = model.fit(disp=0)
    output = model_fit.forecast()
    yhat = output[0]
    predictions.append(yhat)
    obs = X_test[t]
    history.append(obs)
    print('predicted=%f, expected=%f' % (yhat, obs))

    error = mean_squared_error(X_test, predictions)
    print('Test MSE: %.3f' % error)

    • Jason Brownlee December 23, 2018 at 6:10 am #

      You’re data has too many dimensions. It should be 2D, but you have given it 3D data, perhaps change it to 2d!

      • Benny Late December 23, 2018 at 6:16 am #

        Oh. I thought that’s what I did with reshaping. Whoops =)

        I’ll hunt up some code. Thank you.

  137. Walid December 24, 2018 at 7:12 pm #

    Hi Jason,
    Thanks for this great work!
    If you allow me, I have a question: how was the confidence interval calculated in the above example? I know its equation, but I do not know what are the values to be used for (sigma) and (number of samples).
    Thank you once more.

    • Jason Brownlee December 25, 2018 at 7:20 am #

      You can review the statsmodels source code to see exactly how it was calculated. The API documentation may also be helpful.

  138. Saravana Ayyappa January 1, 2019 at 6:44 am #

    Thanks a lot Jason!
    I am preparing a time series model for my capstone project, i have around 500 items and the p,d,q value is different for each item, how can i deploy this as a tool? do i have to create model each time for different items?

    Thanks in advance.

  139. Avd January 10, 2019 at 6:02 pm #

    How many minimum data points do we require for creating accurate prediction using ARIMA model. We are predicting future cut-off values of colleges using previous records, how many years of records would we need to predict just the cutoff value of next year.

    • Jason Brownlee January 11, 2019 at 7:41 am #

      I recommend testing with different amounts of history on your specific dataset and discover the right amount of data for modeling.

  140. Renu Kalra January 16, 2019 at 10:58 pm #

    If I am not wrong, ACF plot is used to get MA value for ARIMA. But here, you have taken AR value as 5 using ACF plot?

  141. Nauman Naeem January 22, 2019 at 1:07 am #

    Hi Jason Brownlee!
    I have been following your blog since some time and the concepts and code snippets here often come handy.
    I’m totally new to time series analysis and have read some posts (mostly yours), a few lectures and of course questions from stackoverflow.
    What confuses me is, to make a series stationary we difference it, double differencing in case seasonality and trend both are present in the series. Now while performing ARIMA, the parameter ‘I’ depicts what? Number of times we have performed differencing or lag value we chose for differencing (for the removal of seasonality).
    For example, let say there is a dataset of monthly average temperatures of a place (possibly affected by global warming). Now there is seasonality (lag value of 12) and a global upward trend too.
    before performing ARIMA I need to make the series stationary, right?
    To do that I Difference twice like this:
    differenced = series – series.shift(1) # to remove trend
    double_differenced = differenced – differenced.shift(12) # to remove seasonality.
    Now what should be passed as ‘I’ to ARIMA?
    2? As we did double(2) differencing
    or
    1 or 12 as that’s the value we used for shifting.

    Also if you’re kind enough, can you elaborate more how *exactly* did you decide the value of ‘p’ and ‘q’ from acf and pacf plots.
    Or link me to some post if you have already explained that in layman terms somewhere else!

    Extremely thankful for your time and effort!

    • Jason Brownlee January 22, 2019 at 6:25 am #

      It might be better to let the ARIMA model perform the differencing rather than do it manually.

      And, if you have seasonality, you can use SARIMA to difference the trend and seasonality for you.

      If you difference manually, you don’t need the model to do it again.

  142. jaideep January 29, 2019 at 9:54 am #

    The computed initial MA coefficients are not invertible
    You should induce invertibility, choose a different model order, or you can
    pass your own start_params.

    How do I fix this error? Best ARIMA params are (4,1,3)

    • Jason Brownlee January 29, 2019 at 11:41 am #

      Perhaps try a different configuration or try to prepare the data before modeling.

  143. SKN January 30, 2019 at 1:21 am #

    Do we have a similar function in python like we have auto.arima in R?

  144. SKN January 31, 2019 at 12:19 am #

    Thank you very much, your blogs really come in handy for a beginner in python. when I run the ARIMA forecasting using above codes, getting some format error. I have tried to use Shampoo sales data too. below is the error note,

    File “”, line 1, in
    runfile(‘C:/Users/43819008/untitled2.py’, wdir=’C:/Users/43819008′)

    File “C:\ProgramData\Anaconda3\lib\site-packages\spyder\utils\site\sitecustomize.py”, line 880, in runfile
    execfile(filename, namespace)

    ValueError: time data ‘19019-01-2019’ does not match format ‘%Y-%m’

    I have tried all the format in excel and saved as CSV. but nothing helped me. hope you can help me.

    • Jason Brownlee January 31, 2019 at 5:34 am #

      Looks like an issue loading the data.

      You could try removing the date column and changing the load function call to not use the custom function?

  145. Abid Mehmood February 14, 2019 at 11:24 pm #

    Hello Everyone , I want to implement ARIMA model but this error is not leaving me.

    from . import kalman_loglike
    ImportError: cannot import name ‘kalman_loglike’

    • Jason Brownlee February 15, 2019 at 8:06 am #

      Looks like you’re trying to import a module that does not exist or is not installed.

      • Abid Mehmood February 16, 2019 at 10:44 pm #

        I got that.
        Thank you very very much ,

  146. Barry A. February 21, 2019 at 3:37 am #

    Hi Jason, I recently came accross your blog and really like the things I have learned in a short period of time. Machine learning and AI are still relatively new to me, but I try to catch up with your information. As the ARIMA Model comes from the statistics field and predicts from past data, could it be used as the basis of a machine learning algorithm? For example: if you would create a system that would update the predictions as soon as the data of a new month arrives, can it be called a machine learning algorithm? Or are there better standarized machine learning solutions to make sales predictions?

  147. Fredrick Ughimi February 25, 2019 at 7:55 am #

    Hello AI,

    >>the last line of the data set, at least in the current version that you can download, is the text line “Sales of shampoo over a three year period”. The parser barfs on this because it is not in the specified format for the data lines. Try using the “nrows” parameter in read_csv.

    series = read_csv(‘~/Downloads/shampoo-sales.csv’, header=0, nrows=36, parse_dates=[0], index_col=0, squeeze=True, date_parser=parser)

    worked for me.

    Thank you for posting this. I was having the same issue. This solved it.

    Thanks Jason for another great tutorial.

  148. Mo March 1, 2019 at 6:27 am #

    Jason,

    thank you it was very helpful in many different ways. I just want to know how you predict and how far you can predict in the future.

  149. JY March 6, 2019 at 6:33 pm #

    Hi Jason,

    Thanks for your write-up. I’ve tried all the suggestions here but still getting these two errors.

    in parser(x)
    5 def parser(x):
    —-> 6 return datetime.strptime(‘190’+x, ‘%Y-%m’)
    7

    TypeError: strptime() argument 1 must be str, not numpy.ndarray

    ValueError: time data ‘1901-Jan’ does not match format ‘%Y-%m

    I removed the footer, tried with your csv file , tried with nrows but nothing worked. Please give me your valuable feedback.Thanks.

    • Jason Brownlee March 7, 2019 at 6:44 am #

      Perhaps confirm that you downloaded the dataset in the correct format?

  150. Charlie March 16, 2019 at 1:36 am #

    i use R to get the p,q but it does work in the statsmodel’s arima model which always raise SVD did not converge even i set the p,q very small

    • Jason Brownlee March 16, 2019 at 7:57 am #

      Hmm, maybe the R version is preparing the data automatically before modelling in some way?

  151. cryptoripple March 20, 2019 at 10:56 pm #

    how can I get future forecast value with arima?

  152. AJIT MUNJULURU March 28, 2019 at 3:42 am #

    Hi Jason,

    Your materials on Time Series have been extremely useful. I want to clarify a basic question on Model results. For an ARMA(3,0) , the statsmodel prints the output as
    coef P>Z

    const c 0.00
    ar.L1 x1 0.003
    ar.L2 x2 0.10
    ar.L3 x3 0.0001

    And the Data is:

    Actual Daily Traffic Predicted Traffic
    Jan7 100
    Jan8 95
    Jan9 85
    Jan10 105

    If I want to convert the output to a linear equation will the Predicted Traffic for Jan10 be :Pred= c+ x1*85 + 0*x2 + x3*100 ?? Appreciate your thoughts

  153. Jay March 30, 2019 at 8:35 am #

    i am newbie and trying to learn time series. getting following error, please help.

    series = read_csv(‘sales.csv’, delimiter=’,’, header=0, parse_dates=[0], index_col=0, squeeze=True, date_parser=parser)
    Traceback (most recent call last):

    File “”, line 1, in
    series = read_csv(‘sales.csv’, delimiter=’,’, header=0, parse_dates=[0], index_col=0, squeeze=True, date_parser=parser)

    File “E:\ProgramData\Anaconda3\lib\site-packages\pandas\io\parsers.py”, line 678, in parser_f
    return _read(filepath_or_buffer, kwds)

    File “E:\ProgramData\Anaconda3\lib\site-packages\pandas\io\parsers.py”, line 446, in _read
    data = parser.read(nrows)

    File “E:\ProgramData\Anaconda3\lib\site-packages\pandas\io\parsers.py”, line 1036, in read
    ret = self._engine.read(nrows)

    File “E:\ProgramData\Anaconda3\lib\site-packages\pandas\io\parsers.py”, line 1922, in read
    index, names = self._make_index(data, alldata, names)

    File “E:\ProgramData\Anaconda3\lib\site-packages\pandas\io\parsers.py”, line 1426, in _make_index
    index = self._agg_index(index)

    File “E:\ProgramData\Anaconda3\lib\site-packages\pandas\io\parsers.py”, line 1504, in _agg_index
    arr = self._date_conv(arr)

    File “E:\ProgramData\Anaconda3\lib\site-packages\pandas\io\parsers.py”, line 3033, in converter
    return generic_parser(date_parser, *date_cols)

    File “E:\ProgramData\Anaconda3\lib\site-packages\pandas\io\date_converters.py”, line 39, in generic_parser
    results[i] = parse_func(*args)

    File “”, line 2, in parser
    return datetime.strptime(‘190’+x, ‘%Y-%m’)

    File “E:\ProgramData\Anaconda3\lib\_strptime.py”, line 565, in _strptime_datetime
    tt, fraction = _strptime(data_string, format)

    File “E:\ProgramData\Anaconda3\lib\_strptime.py”, line 362, in _strptime
    (data_string, format))

    ValueError: time data ‘1901-Jan’ does not match format ‘%Y-%m’

    • Jason Brownlee March 31, 2019 at 9:22 am #

      Looks like you need to download the data with numeric date format, or change the data parsing string.

      • Jay April 6, 2019 at 6:56 am #

        Thanks, it is resolved, i have to download another file.

  154. Joker Ho March 31, 2019 at 6:46 pm #

    Hi Jason!
    I have a compile error: insufficient degree of freedom to estimate, when finishing my program on ARIMA in Python. Could you tell me what leads to this error? Cuz I found little answer in other solution website like stack overflow.
    Hoping to hear from you!
    Thank you, Jason!

    • Jason Brownlee April 1, 2019 at 7:48 am #

      Perhaps your data requires further preparation – it can happen if you have lots of zero values or observations with the same value.

  155. Nick V April 9, 2019 at 11:38 am #

    Hi, Jason.
    Thanks for the writeup. When running your code with a small dataset (60-ish values) it runs without a hitch, but when I run it with an identically-formatted, much larger database (~1200 values) it throws this error:
    “TypeError: must be str, not list”
    Any idea why this is? Thanks in advance.

    • Jason Brownlee April 9, 2019 at 2:41 pm #

      Perhaps confirm that you have loaded your data correctly, as a floating point values?

  156. Orsola April 14, 2019 at 8:20 am #

    Hi Jason,
    Do you know how predict from estimated ARIMA model with new data, preserving the parameters just fitted in the previus model?
    I’m trying to accomplish in python something similar to R:

    # Refit the old model with newData
    new_model <- Arima(as.ts(Data), model = old_model)

  157. Naveksha Sood April 22, 2019 at 5:53 pm #

    Jason, great tutorial! I follow your blogs and book regularly and they help me a lot!
    However I have some conceptual doubts that I hope you can help me with.

    1. If you don’t do a rolling forecast and only use the predict function, it gives us various predicted values (number of predicted values are equal to length of training data). How are the predictions made in this case? Does it use the previous predicted values to make next predictions?

    2. When I validate a neural network made of one or more LSTM layers, I pass actual test data to the predict function and hence it uses that data to make predictions, so is walk forward validation/ rolling forecast redundant there?

    • Jason Brownlee April 23, 2019 at 7:53 am #

      Good question, ideally you want to fit the ARIMA model on all available data – up to the point of prediction.

      So, in a walk-forward validation you might want to re-fit the ARIMA each iteration.

  158. Karl April 24, 2019 at 1:46 am #

    Hi Jason, thank you so much for all your tutorials. They have been of great help to me.

    I had a question about the ARIMA model in statsmodels. If I want to select certain lags for the parameter p instead of all lags up until p how would I to do it ? I have not seen functionality for this in statsmodels, I wondered if you knew.

    Whenever you find the time. Kind regards Karl

    • Jason Brownlee April 24, 2019 at 8:06 am #

      You might have to write a custom implementation I’m afraid.

  159. Naveksha Sood April 25, 2019 at 3:28 pm #

    Yes, I totally understand why we use walk forward validation, but I see a major drawback of it i.e it works great with shorter time series, however when you have a longer time series and multiple variables, it takes a really really long time to re-fit a SARIMAX model and get the predictions.
    That’s why what I intended to ask in the second point is, if instead of a SARIMA model, I use an LSTM model, do I still need to do walk forward validation, since it already uses the actual values up to the point of prediction.

    • Jason Brownlee April 26, 2019 at 8:23 am #

      Yes. But you may not have to refit the model each step. I often do not.

  160. Yarong April 26, 2019 at 6:51 am #

    Hi Jason, thanks for the great post. My time series problem is kind of different. The data lag I have is large and inconsistent. For example, I want to know for the order I received 6 pm today, how many hours we will use to fulfill this order. We might not know the fulfillment time for order received at 5 pm, 4 pm, or not even yesterday since they might not be fulfilled yet. We have no access to the future data in real life, do you have any suggestion on this? Thank you so much.

  161. Naveksha Sood April 26, 2019 at 8:03 pm #

    Ok, Have you covered it in any of your articles? Can you refer me to it?

  162. Mitchyuuu May 8, 2019 at 12:39 pm #

    Hi! Thank You for your teach.I have a problem when I use the ARIMA to build a model for the multivariate data,but appear some error”TypeError:must be str,not list”at”model=ARIMA(history,order=(5,1,0))”.The history data is a list of 500*2.

    • Jason Brownlee May 8, 2019 at 2:12 pm #

      Sounds like you might not have loaded the dataset correctly.

      Perhaps confirm it was loaded as real values, not strings.

  163. me May 8, 2019 at 9:03 pm #

    Hi can you please show us some plots ,spcific to ARIMA ?
    thank you

  164. Anindya Sankar Chattopadhyay May 12, 2019 at 7:31 pm #

    Hi Jason:

    Thanks for this tutorial.

    Just wondering how was a value of 0 was decided for q? For that don’t you need the PACF plot?

    Any help will be much appreciated.

    Regards,
    Anindya

    • Jason Brownlee May 13, 2019 at 6:45 am #

      I may have configured the model in this tutorial based on a trial and error.

  165. Abhishek Mishra May 13, 2019 at 1:44 pm #

    Hey man, great tutorial. I just wanted to ask you how does residual error or its graph fit into time series analysis, I mean i am not able to understand the importance of residual error, what does it show. I am still in the learning phase.

    • Jason Brownlee May 13, 2019 at 2:34 pm #

      Thanks, we expect the residual error to be random – if there is a pattern to it, it means our model is missing something important.

  166. Greg Houston May 14, 2019 at 9:19 am #

    Hi Jason,

    I’m considering buying your book. Will the code examples be up to date seeing as it is now 2019? Also, what success have you had forecasting several time series, lets say 30, with the same model. Would you suggest more of an ensemble approach?

  167. mbelahcen May 22, 2019 at 8:01 pm #

    Hello Jason,

    I still don’t understand why the forecast is one step ahead of the actual value. Why is this behavior expected, If for instance my model predicts very well the timeseries but with a lag, does this mean that my model is good or I should go on tuning to take off the lag?
    In the case of the lag, the line print(‘predicted=%f, expected=%f’ % (yhat, obs)) isn’t it also lagged and not representative of the actual comparison?

    Thanks

  168. Bankole Akinuli May 29, 2019 at 6:52 pm #

    Dear Prof. Kindly help to write the equation for ARIMA (0,0,0); (0,1,0); (1, 0,1), VARMA (1,1), and ARMA (5,4)
    Thanks

    • Jason Brownlee May 30, 2019 at 8:59 am #

      I cannot write equations for you, this would be trivial though, start with the ARIMA equation and add the terms you need.

      Perhaps get a good textbook on the topic.

  169. Bankole Akinuli May 31, 2019 at 11:22 am #

    I appreciate your view and advice, sir. Please, suggest relevant textbook on ARIMA and how or where i can get one. Warmest regards.

  170. Mithlesh Patel June 3, 2019 at 8:46 pm #

    Thanks Jason for overview of ARIMA model with example,
    In below code, are you creating model again and fitting in each pass of for loop ?
    In other algorithms we generally create model and fit model once and later use same to predict values from test dataset.

    for t in range(len(test)):
    model = ARIMA(history, order=(5,1,0))
    model_fit = model.fit(disp=0)

  171. mickael June 4, 2019 at 3:17 am #

    Hi,

    Great post, and blog in general!

    I have a question regarding the practical use of ARIMA. Is it possible to use it (after fitting on some dataset), to test the prediction from any new input data, just like any regression algorithm ?
    For instance, I have one year of temperature data on which I fit my model, using the last 7 points (say 1 point per day) for autoregression. Then, to use the model in production, I want to simply store the last 7 days and use them to predict the next one. (Without the need to fit my model again and again each day)

    Many thanks,

    Mickaël

  172. Dav June 8, 2019 at 2:35 am #

    Hi

    I am new to Auto Regression and Python. Great articles, I am finding them very helpful.

    My question is around how much historical time series is enough to stand a chance of getting a good prediction? For example, if I have two years worth of data (adjusted to remove trends and seasonality) then does it really make a difference if I use all of it in a training set or use latest use latest subset e.g last 50 days (assuming lags would be less than 10?)?

    Also, how should I think about accounting for seasonality. I understand I would need to remove it from the time series in order to get a reasonable prediction. Should I then have an overlay on top of predicted values to impalement the impact of seasonality?

    Thanks
    Dav

    • Jason Brownlee June 8, 2019 at 7:03 am #

      It depends on the dataset, try different amounts of history to see how sensitive your model is to dataset size.

      You can remove seasonality or let the model remove it for you in the case of SARIMA. Any structure removed must be added to predictions, it is easier to let the model do it for you perhaps.

  173. Dav June 10, 2019 at 6:23 pm #

    got it, thanks

  174. baktr_ June 15, 2019 at 8:19 pm #

    Hi Jason, thanks for your blog, i’m newbie, i have a question: model ARIMA is machine learning?

  175. Adi June 28, 2019 at 11:58 pm #

    Hi Jason,

    Thank you for this. What are some good strategies to handle zeros (zero demand) in your time series. I know consecutive zeros can be a problem for AR algorithms (false collinearity) and for Triple exponential multiplicative version.. Is there any useful resource you can point to? Something like a normalizing/ denormalizing?
    Also, if I have a lot of time series to forecast for, where I cannot really visualize each of them, what are some indicators that will be helpful to describe the time series and the path to follow?

    Thanks

    • Jason Brownlee June 29, 2019 at 6:56 am #

      Good question – it is probably going to be domain specific how to best handle it.

      Test many things.

      Try small random values?
      Try impute with mean value?
      Try alternate methods, like neural nets?

  176. staph July 3, 2019 at 6:23 pm #

    Hi Jason how long does it take to fit a model, code is taking ages at the fit line

    model_fit = model.fit(disp=0)

  177. sundus July 7, 2019 at 5:23 am #

    much appreciated..

  178. Niloofar July 11, 2019 at 7:19 pm #

    Hi, thanks Mr.Brownlee for your great posts. I had a question, can ARIMA model be used to forecast NA values in a dataset? I mean can it handle missing values?

  179. Hugo Pire July 20, 2019 at 7:06 am #

    Hello Jason and thank you for your great posts

    I am trying to fit an ARIMA model to an company invoices timeseries. It has a timestamp (not regulary spaced) and a value that can be negative or positive – with a large interval.

    Do I have to interpolate in order to have regular intervals? If I use a naive solution, as group by day, I get a lot of zero values.

    Could you help me?

  180. Toraskar August 5, 2019 at 5:38 pm #

    Hello Jason and thank you for your posts
    can you please make same project for stock price prediction using Arima model??

    • Jason Brownlee August 6, 2019 at 6:30 am #

      Sorry, I choose not to give examples for the stock market. I believe it is not predictable and a waste of time.

  181. Amin Nasri August 6, 2019 at 1:45 am #

    Hi,

    How can I specify which lags the model uses, for instance, a two degree AR model with 1 and 24 as lags?

    Thanks in advance for your reply.

    • Jason Brownlee August 6, 2019 at 6:41 am #

      It will use all lags in between.

      To use otherwise, you may have to develop your own implementation.

  182. Nir August 6, 2019 at 3:36 pm #

    Hi Jason,
    Thanks for writing such a detailed tutorial.
    In your text, you mentioned that “A crude way to perform this rolling forecast is to re-create the ARIMA model after each new observation is received.” Is there another way to do so without retraining the model? Is there a way just to update the inputs (and not the parameters?
    After our first prediction, we get the true value and the prediction error we now use the new information to predict the next step (without retraining)?

    Thanks!

    • Jason Brownlee August 7, 2019 at 7:41 am #

      Yes, you can forecast for the future interval directly without updating the model, e.g. model.forecast() or model.predict()

      Is that what you mean?

      • Nir August 20, 2019 at 9:08 am #

        Hi Jason,

        Thanks for the rapid reply, and sorry for not being clear.
        If I understood it right, model.forecast() will forecast one step at a time.
        I’ve 4 months’ worth of data sampled every 1 min. I’d like to test how well it predicts the next minute (or 10 minutes). If my training dataset ends at time t, after predicting t+1, the true value will be available and can help to predict t+2. I see 3 options to do so:
        1. Use model.predict() for 2 samples, but then I don’t use the new information.
        2. As in your example, retrain the model every timestamp – I’d like to avoid this as I’m considering running this in real-time and don’t want to retrain at every sample. I don’t think the model parameters have changed.
        3. Update the model input without retraining the model. Meaning, update the time series samples by adding new observation but without updating the model parameters

        Thanks,
        Nir

  183. Amin Nasri August 6, 2019 at 6:59 pm #

    Thanks for your response. In Matlab, you can choose specific lags.

    When I am trying to use all the lags in between it takes forever to make a model.

    • Jason Brownlee August 7, 2019 at 7:45 am #

      Yes, the statsmodel implementation could use some improvement.

  184. Marcel August 14, 2019 at 9:20 pm #

    Hey Jason, I’m currently doing my thesis on forecasting electricity load and am also using the ARIMA from statsmodels.
    You mentioned, that the reestimation you are doing for forecasting is a crude way of doing this as you compute a new ARIMA for every step. What would be a nicer way to do this? Maybe with fitting the model on the training data and after each forecasting step appending the real value to the data and then forecasting the next step (without having to fit the model again)? I couldn’t figure out yet how to do this, might this work with the initialize() function of the ARIMAResults class?
    Btw, thanks a lot for this excellent tutorial, it’s really well explained!

    • Jason Brownlee August 15, 2019 at 8:07 am #

      Ideally fitting the model only when needed would be the best approach, e.g. testing when a refit is required.

      A fit model can forecast any future period, e.g. see forecast() and predict().

  185. Rittick Sinha Roy August 18, 2019 at 12:53 am #

    Hey Jason I’m doing a project on crime prediction and wanted to use ARIMA model could you help me in understanding what kind of factors would predict the trend

  186. Asieh August 28, 2019 at 5:24 am #

    Hi Jason,

    What made you choose 5 lags for this dataset? In other words, what is the threshold we should choose for autocorrelation? Is it above 0.5? What about negative correlation? So in this example, the absolute value of the negative correlation is <0.5. How would we choose the number of lags (p) if it was say -0.52?

    Thanks,
    Asieh

    • Jason Brownlee August 28, 2019 at 6:43 am #

      Perhaps test a range of values and see what works best for your specific dataset.

  187. Dongchan Christopher Kim September 7, 2019 at 5:34 pm #

    Loving the post! It definitely helps me grab of ARIMA. I needed to find a technique forecasting sales of an object where the growth path jumps up and down drastically. And this was the point I needed to have some smoothing ways for the projection rather than stochastic process. Not to mention, the code is simple and efficient well enough. Thank you very much.

  188. mark patzelt September 11, 2019 at 5:35 pm #

    Hello Jason. I am new to Series Forecasting in Python. I would like to dig into it and learn how to forecast time series. I have recreated your ARIMA sample with my own data and it worked. I have a unix time series and would need to forecast the next 5 future values. I have not fully grasped the concept of predicted/expected and how I can get these future values. Did I misunderstand the model? I will buy your ebook, but maybe your response will help me proceed fast.

    • Jason Brownlee September 12, 2019 at 5:15 am #

      Perhaps this post will help:
      https://machinelearningmastery.com/make-sample-forecasts-arima-python/

      • mark patzelt September 12, 2019 at 6:42 pm #

        One more question: I am using a time series with a frequency of 1 minute. The series is correctly setting a DateTimeIndex in col 0 and there seem to be no values missing. When I call ARIMA I get this message: “ValueWarning: No frequency information was provided, so inferred frequency T will be used. % freq, ValueWarning)”. None of you examples are based in 1 minute frequencies. Is it not possible to work with 1 minute time series with ARIMA?

        • Jason Brownlee September 13, 2019 at 5:40 am #

          Good question, I don’t have an example, but I can’t see that the ARIMA model will care about the frequency as long as it is consistent.

          • mark patzelt September 13, 2019 at 4:07 pm #

            All sorted. I am using the unix time stamps and its working. I am almost through with your book and have already included the ARIMA model in my project. I have implemented the grid search and have generated the best order combination. I would assume that the order combination is the key to making the best possible forecast, right (considering that the dataset has been prepared and is suitable for modeling)?

          • Jason Brownlee September 14, 2019 at 6:12 am #

            Correct. Test different orders and see what works well/best for your specific dataset.

  189. mark patzelt September 12, 2019 at 4:34 pm #

    Thank you for the link. This will defenitly help. I am half way through your book on Time Series Forecasting and will get there too, I guess. Your book is well written, hands on. Ta

  190. Brian McaAdams October 3, 2019 at 6:37 am #

    Hey Jason,

    Interested if you know what type of correlation pandas.plotting.autocorrelation_plot is using. I get a different result with this data set using pandas.Series.autocorr over 35 lags than I do from autocorrelation_plot.

    This is a copy paste of the autocorrelation_plot code to retrieve the data:

    from pandas.compat import lmap
    series = shampoo_df.Sales

    n = len(series)
    data = np.asarray(series)
    mean = np.mean(data)
    c0 = np.sum((data – mean) ** 2) / float(n)

    def r(h):
    return ((data[:n – h] – mean) *
    (data[h:] – mean)).sum() / float(n) / c0

    x = np.arange(n) + 1
    y = lmap(r, x)

    There isn’t any information I can find about why they wouldn’t be using pearson’s r. This almost looks like it could be it, but it isn’t. And mathematically float(n) cancels out in the equation above, which is odd that it wasn’t caught.

    Anyway, if you could shed any light on why pandas.Series.autocorr is different than pandas.plotting.autocorrelation_plot that would be very helpful!

    • Jason Brownlee October 3, 2019 at 6:55 am #

      I believe it is simple linear correlation, i.e. pearsons.

      Minor differences in implementation can cause differences in result, e.g. rounding errors, choice of math libs, etc.

  191. Karan Sehgal November 4, 2019 at 12:54 am #

    Hi Jason,

    1) ARIMA model works on three parameters – Auto-regression, Differencing and Moving average. So does the ARIMA model makes three separate columns like – one for AR, another for Differencing and and other for Moving average separately or it does only one column and does all the above operations on the same column only (AR, I, MA) ?

    2) If ARIMA makes separate columns like (AR, I and MA) for forecasting, then should we also do the same thing to forecast time series using supervised machine learning or we can create only one column with all the operation (AR, I and MA) done on that column only.

    Thanks.

    • Jason Brownlee November 4, 2019 at 6:47 am #

      It does not create different columns, it creates “transformed inputs” to a linear model that is fit.

      • Karan Sehgal November 4, 2019 at 1:39 pm #

        so there are different columns for transformed inputs created or only one column ?

        • Jason Brownlee November 5, 2019 at 6:43 am #

          I don’t follow your question, sorry. Perhaps you can elaborate?

          • Karan Sehgal November 6, 2019 at 2:10 am #

            I mean to say if in ARIMA model our values for (p,d,q) is (2,1,2) then it will create variables – two variables for Auto Regression i.e for Lag 1 & Lag 2 and two variables for Moving Average i.e MA1 and MA2 and all the variables created i.e AR1, AR2, MA1 and MA2 will be differenced one time as value of d is 1.

            do we need to difference the value for y variable also ?

          • Jason Brownlee November 6, 2019 at 6:42 am #

            From memory, yes I believe so. Perhaps confirm.

  192. Karan Sehgal November 6, 2019 at 5:00 am #

    Why ACF and PACF plots applied on stationary Series only ?

    • Jason Brownlee November 6, 2019 at 6:47 am #

      To help you see the signal that the model will learn, and not get distracted by trend/seasonality which get in the way.

  193. Karan Sehgal November 6, 2019 at 5:07 am #

    to make the series stationary, we deseasonalize the series by dividing it with seasonal index and difference it for detrending it. Now the same stationary series need to be used for both x and y variables (Dependent and independent variables) and if so then we have to reverse the above process to get the original data.

    I am following the below approach to make the series stationary. Is this the right approach ?
    The process of deseasonalizing – dividing it with seasonal index and detrending by differencing x(t) – x(t-1)