[New Book] Click to get The Beginner's Guide to Data Science!
Use the offer code 20offearlybird to get 20% off. Hurry, sale ends soon!

Evaluate Naive Models for Forecasting Household Electricity Consumption

Given the rise of smart electricity meters and the wide adoption of electricity generation technology like solar panels, there is a wealth of electricity usage data available.

This data represents a multivariate time series of power-related variables that in turn could be used to model and even forecast future electricity consumption.

In this tutorial, you will discover how to develop a test harness for the ‘household power consumption’ dataset and evaluate three naive forecast strategies that provide a baseline for more sophisticated algorithms.

After completing this tutorial, you will know:

  • How to load, prepare, and downsample the household power consumption dataset ready for developing models.
  • How to develop metrics, dataset split, and walk-forward validation elements for a robust test harness for evaluating forecasting models.
  • How to develop and evaluate and compare the performance a suite of naive persistence forecasting methods.

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

Let’s get started.

How to Develop and Evaluate Naive Forecast Methods for Forecasting Household Electricity Consumption

How to Develop and Evaluate Naive Forecast Methods for Forecasting Household Electricity Consumption
Photo by Philippe Put, some rights reserved.

Tutorial Overview

This tutorial is divided into four parts; they are:

  1. Problem Description
  2. Load and Prepare Dataset
  3. Model Evaluation
  4. Naive Forecast Models

Problem Description

The ‘Household Power Consumption‘ dataset is a multivariate time series dataset that describes the electricity consumption for a single household over four years.

The data was collected between December 2006 and November 2010 and observations of power consumption within the household were collected every minute.

It is a multivariate series comprised of seven variables (besides the date and time); they are:

  • global_active_power: The total active power consumed by the household (kilowatts).
  • global_reactive_power: The total reactive power consumed by the household (kilowatts).
  • voltage: Average voltage (volts).
  • global_intensity: Average current intensity (amps).
  • sub_metering_1: Active energy for kitchen (watt-hours of active energy).
  • sub_metering_2: Active energy for laundry (watt-hours of active energy).
  • sub_metering_3: Active energy for climate control systems (watt-hours of active energy).

Active and reactive energy refer to the technical details of alternative current.

A fourth sub-metering variable can be created by subtracting the sum of three defined sub-metering variables from the total active energy as follows:

Load and Prepare Dataset

The dataset can be downloaded from the UCI Machine Learning repository as a single 20 megabyte .zip file:

Download the dataset and unzip it into your current working directory. You will now have the file “household_power_consumption.txt” that is about 127 megabytes in size and contains all of the observations.

We can use the read_csv() function to load the data and combine the first two columns into a single date-time column that we can use as an index.

Next, we can mark all missing values indicated with a ‘?‘ character with a NaN value, which is a float.

This will allow us to work with the data as one array of floating point values rather than mixed types (less efficient.)

We also need to fill in the missing values now that they have been marked.

A very simple approach would be to copy the observation from the same time the day before. We can implement this in a function named fill_missing() that will take the NumPy array of the data and copy values from exactly 24 hours ago.

We can apply this function directly to the data within the DataFrame.

Now we can create a new column that contains the remainder of the sub-metering, using the calculation from the previous section.

We can now save the cleaned-up version of the dataset to a new file; in this case we will just change the file extension to .csv and save the dataset as ‘household_power_consumption.csv‘.

Tying all of this together, the complete example of loading, cleaning-up, and saving the dataset is listed below.

Running the example creates the new file ‘household_power_consumption.csv‘ that we can use as the starting point for our modeling project.

Need help with Deep Learning for Time Series?

Take my free 7-day email crash course now (with sample code).

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

Model Evaluation

In this section, we will consider how we can develop and evaluate predictive models for the household power dataset.

This section is divided into four parts; they are:

  1. Problem Framing
  2. Evaluation Metric
  3. Train and Test Sets
  4. Walk-Forward Validation

Problem Framing

There are many ways to harness and explore the household power consumption dataset.

In this tutorial, we will use the data to explore a very specific question; that is:

Given recent power consumption, what is the expected power consumption for the week ahead?

This requires that a predictive model forecast the total active power for each day over the next seven days.

Technically, this framing of the problem is referred to as a multi-step time series forecasting problem, given the multiple forecast steps. A model that makes use of multiple input variables may be referred to as a multivariate multi-step time series forecasting model.

A model of this type could be helpful within the household in planning expenditures. It could also be helpful on the supply side for planning electricity demand for a specific household.

This framing of the dataset also suggests that it would be useful to downsample the per-minute observations of power consumption to daily totals. This is not required, but makes sense, given that we are interested in total power per day.

We can achieve this easily using the resample() function on the pandas DataFrame. Calling this function with the argument ‘D‘ allows the loaded data indexed by date-time to be grouped by day (see all offset aliases). We can then calculate the sum of all observations for each day and create a new dataset of daily power consumption data for each of the eight variables.

The complete example is listed below.

Running the example creates a new daily total power consumption dataset and saves the result into a separate file named ‘household_power_consumption_days.csv‘.

We can use this as the dataset for fitting and evaluating predictive models for the chosen framing of the problem.

Evaluation Metric

A forecast will be comprised of seven values, one for each day of the week ahead.

It is common with multi-step forecasting problems to evaluate each forecasted time step separately. This is helpful for a few reasons:

  • To comment on the skill at a specific lead time (e.g. +1 day vs +3 days).
  • To contrast models based on their skills at different lead times (e.g. models good at +1 day vs models good at days +5).

The units of the total power are kilowatts and it would be useful to have an error metric that was also in the same units. Both Root Mean Squared Error (RMSE) and Mean Absolute Error (MAE) fit this bill, although RMSE is more commonly used and will be adopted in this tutorial. Unlike MAE, RMSE is more punishing of forecast errors.

The performance metric for this problem will be the RMSE for each lead time from day 1 to day 7.

As a short-cut, it may be useful to summarize the performance of a model using a single score in order to aide in model selection.

One possible score that could be used would be the RMSE across all forecast days.

The function evaluate_forecasts() below will implement this behavior and return the performance of a model based on multiple seven-day forecasts.

Running the function will first return the overall RMSE regardless of day, then an array of RMSE scores for each day.

Train and Test Sets

We will use the first three years of data for training predictive models and the final year for evaluating models.

The data in a given dataset will be divided into standard weeks. These are weeks that begin on a Sunday and end on a Saturday.

This is a realistic and useful way for using the chosen framing of the model, where the power consumption for the week ahead can be predicted. It is also helpful with modeling, where models can be used to predict a specific day (e.g. Wednesday) or the entire sequence.

We will split the data into standard weeks, working backwards from the test dataset.

The final year of the data is in 2010 and the first Sunday for 2010 was January 3rd. The data ends in mid November 2010 and the closest final Saturday in the data is November 20th. This gives 46 weeks of test data.

The first and last rows of daily data for the test dataset are provided below for confirmation.

The daily data starts in late 2006.

The first Sunday in the dataset is December 17th, which is the second row of data.

Organizing the data into standard weeks gives 159 full standard weeks for training a predictive model.

The function split_dataset() below splits the daily data into train and test sets and organizes each into standard weeks.

Specific row offsets are used to split the data using knowledge of the dataset. The split datasets are then organized into weekly data using the NumPy split() function.

We can test this function out by loading the daily dataset and printing the first and last rows of data from both the train and test sets to confirm they match the expectations above.

The complete code example is listed below.

Running the example shows that indeed the train dataset has 159 weeks of data, whereas the test dataset has 46 weeks.

We can see that the total active power for the train and test dataset for the first and last rows match the data for the specific dates that we defined as the bounds on the standard weeks for each set.

Walk-Forward Validation

Models will be evaluated using a scheme called walk-forward validation.

This is where a model is required to make a one week prediction, then the actual data for that week is made available to the model so that it can be used as the basis for making a prediction on the subsequent week. This is both realistic for how the model may be used in practice and beneficial to the models allowing them to make use of the best available data.

We can demonstrate this below with separation of input data and output/predicted data.

The walk-forward validation approach to evaluating predictive models on this dataset is implement below, named evaluate_model().

The name of a function is provided for the model as the argument “model_func“. This function is responsible for defining the model, fitting the model on the training data, and making a one-week forecast.

The forecasts made by the model are then evaluated against the test dataset using the previously defined evaluate_forecasts() function.

Once we have the evaluation for a model, we can summarize the performance.

The function below named summarize_scores() will display the performance of a model as a single line for easy comparison with other models.

We now have all of the elements to begin evaluating predictive models on the dataset.

Naive Forecast Models

It is important to test naive forecast models on any new prediction problem.

The results from naive models provide a quantitative idea of how difficult the forecast problem is and provide a baseline performance by which more sophisticated forecast methods can be evaluated.

In this section, we will develop and compare three naive forecast methods for the household power prediction problem; they are:

  • Daily Persistence Forecast.
  • Weekly Persistent Forecast.
  • Weekly One-Year-Ago Persistent Forecast.

Daily Persistence Forecast

The first naive forecast that we will develop is a daily persistence model.

This model takes the active power from the last day prior to the forecast period (e.g. Saturday) and uses it as the value of the power for each day in the forecast period (Sunday to Saturday).

The daily_persistence() function below implements the daily persistence forecast strategy.

Weekly Persistent Forecast

Another good naive forecast when forecasting a standard week is to use the entire prior week as the forecast for the week ahead.

It is based on the idea that next week will be very similar to this week.

The weekly_persistence() function below implements the weekly persistence forecast strategy.

Weekly One-Year-Ago Persistent Forecast

Similar to the idea of using last week to forecast next week is the idea of using the same week last year to predict next week.

That is, use the week of observations from 52 weeks ago as the forecast, based on the idea that next week will be similar to the same week one year ago.

The week_one_year_ago_persistence() function below implements the week one year ago forecast strategy.

Naive Model Comparison

We can compare each of the forecast strategies using the test harness developed in the previous section.

First, the dataset can be loaded and split into train and test sets.

Each of the strategies can be stored in a dictionary against a unique name. This name can be used in printing and in creating a plot of the scores.

We can then enumerate each of the strategies, evaluating it using walk-forward validation, printing the scores, and adding the scores to a line plot for visual comparison.

Tying all of this together, the complete example evaluating the three naive forecast strategies is listed below.

Running the example first prints the total and daily scores for each model.

We can see that the weekly strategy performs better than the daily strategy and that the week one year ago (week-oya) performs slightly better again.

Note: Your results may vary given the stochastic nature of the algorithm or evaluation procedure, or differences in numerical precision. Consider running the example a few times and compare the average outcome.

We can see this in both the overall RMSE scores for each model and in the daily scores for each forecast day. One exception is the forecast error for the first day (Sunday) where it appears that the daily persistence model performs better than the two weekly strategies.

We can use the week-oya strategy with an overall RMSE of 465.294 kilowatts as the baseline in performance for more sophisticated models to be considered skillful on this specific framing of the problem.

A line plot of the daily forecast error is also created.

We can see the same observed pattern of the weekly strategies performing better than the daily strategy in general, except in the case of the first day.

It is surprising (to me) that the week one-year-ago performs better than using the prior week. I would have expected that the power consumption from last week to be more relevant.

Reviewing all strategies on the same plot suggests possible combinations of the strategies that may result in even better performance.

Line Plot Comparing Naive Forecast Strategies for Household Power Forecasting

Line Plot Comparing Naive Forecast Strategies for Household Power Forecasting

Extensions

This section lists some ideas for extending the tutorial that you may wish to explore.

  • Additional Naive Strategy. Propose, develop, and evaluate one more naive strategy for forecasting the next week of power consumption.
  • Naive Ensemble Strategy. Develop an ensemble strategy that combines the predictions from the three proposed naive forecast methods.
  • Optimized Direct Persistence Models. Test and find the optimal relative prior day (e.g. -1 or -7) to use for each forecast day in a direct persistence model.

If you explore any of these extensions, I’d love to know.

Further Reading

This section provides more resources on the topic if you are looking to go deeper.

API

Articles

Summary

In this tutorial, you discovered how to develop a test harness for the household power consumption dataset and evaluate three naive forecast strategies that provide a baseline for more sophisticated algorithms.

Specifically, you learned:

  • How to load, prepare, and downsample the household power consumption dataset ready for modeling.
  • How to develop metrics, dataset split, and walk-forward validation elements for a robust test harness for evaluating forecasting models.
  • How to develop and evaluate and compare the performance a suite of naive persistence forecasting methods.

Do you have any questions?
Ask your questions in the comments below and I will do my best to answer.

Develop Deep Learning models for Time Series Today!

Deep Learning for Time Series Forecasting

Develop Your Own Forecasting models in Minutes

...with just a few lines of python code

Discover how in my new Ebook:
Deep Learning for Time Series Forecasting

It provides self-study tutorials on topics like:
CNNs, LSTMs, Multivariate Forecasting, Multi-Step Forecasting and much more...

Finally Bring Deep Learning to your Time Series Forecasting Projects

Skip the Academics. Just Results.

See What's Inside

23 Responses to Evaluate Naive Models for Forecasting Household Electricity Consumption

  1. Avatar
    sanjie October 3, 2018 at 12:38 am #

    hello Jason,
    your article is best for us to learn ML AND DL.
    do you have any article about reinforcement learning ,such as Sarsa、Q learning、Monte-carlo learning、Deep-Q-Network and so on?

    thanks a lot.

    • Avatar
      Jason Brownlee October 3, 2018 at 6:19 am #

      Not at this stage, I don’t see how they can be useful on anything other than toy problems (e.g. I don’t see how developers can use the methods “at work”.)

  2. Avatar
    Nayan October 3, 2018 at 4:18 am #

    Hi Jason!
    I am currently working on a NMT project for translation of my native language to English and vice versa. As told my project mentor I generated 20 epochs with the help of the readme file that comes by default with openNMT package. Now I am asked to generate 80 more epochs. He told that it can be achieved by start_index and end_index. I searched a lot how to do that and finally found this
    https://machinelearningmastery.com/text-generation-lstm-recurrent-neural-networks-python-keras/

    Please direct me how to do this.!
    Thank you

    • Avatar
      Jason Brownlee October 3, 2018 at 6:23 am #

      Sorry, I don’t have material on openNMT, I cannot give you good off the cuff advice.

      • Avatar
        Nayan October 3, 2018 at 6:47 pm #

        Okay then!
        Thanks for your response

  3. Avatar
    sanjie October 3, 2018 at 9:54 am #

    thanks for your reply.
    have a good day.

  4. Avatar
    Allan October 9, 2018 at 11:49 am #

    Great article (and series). Thanks. Is there a version of the code in R?

    • Avatar
      Jason Brownlee October 9, 2018 at 3:05 pm #

      Thanks.

      No, sorry my focus is on Python at the moment given the much greater demand.

  5. Avatar
    mk January 9, 2019 at 6:52 pm #

    transform dataset to household_power_consumption_hour
    I use your code.
    six hours as one ”benchmark” just like seven days as one week.
    Do I understand this correctly?

    TANKS

    • Avatar
      Jason Brownlee January 10, 2019 at 7:48 am #

      Sorry, I don’t have the capacity to debug your changes.

  6. Avatar
    KG February 28, 2019 at 5:56 pm #

    Hello! Now I want to make a model of the power amplifier. The input and output of the power amplifier are complex Numbers composed of the real part and the imaginary part. Now I have the data of the input and output. What to do with this data, thank you so much

  7. Avatar
    Darshittaa August 21, 2019 at 6:23 pm #

    Can You please mention the detailed conclusion of naive bayes algorithm applied.

  8. Avatar
    Nicholas Jallan April 6, 2020 at 8:53 pm #

    Overall RMSE could be computed with the formula :
    ”’python
    score = np.sqrt(np.mean((actual-predicted)**2))
    ”’
    For clarity, the dataset should keep only the values that will be predicted (and drop all other columns) and manipulate only numpy arrays (instead of lists)

    A nice additional plot would be to the forceasts and real baseline for some period.
    Best regards

  9. Avatar
    William Amador April 9, 2020 at 7:15 am #

    Excellent contribution, a question if my variable of interest for the prediction was the voltage as an adjustment so that in the prediction it takes this value as output.

    Thank you for your cooperation

    • Avatar
      Jason Brownlee April 9, 2020 at 8:10 am #

      Sorry, I don’t follow your question, perhaps you can restate it?

      • Avatar
        William Amador April 9, 2020 at 9:37 am #

        How can I change the prediction variable in the code?
        in this case select another variable in the dataset (voltage)

        • Avatar
          Jason Brownlee April 9, 2020 at 1:13 pm #

          Perhaps focus on the “Load and Prepare Dataset” section.

          It should be quite straightforward, if not, perhaps start with some simpler tutorials to get familiar with python programming.

  10. Avatar
    Sarah Alhrbi June 3, 2020 at 6:27 pm #

    Hi Jason,

    Thanks for this nice tutorial,

    There is something that I couldn’t understand with the way of reshaping the dataset. Actually I have this problem with most of your tutorials. I believe there is a point that I misunderstood.

    So The shape of the data after split is as following- train : (159, 7, 8) and test: (46, 7, 8)

    so the predictions shape will be (46, 7, 1)? correct?
    If so, this means there are more points predicted than needed? aren’t they?

    I got something strange when I try to plot the results. I am not sure why!!

    here is how it looks like

    I https://www.dropbox.com/s/8jblxjhxmtfjcip/Screen%20Shot%202020-06-03%20at%206.23.29%20pm.png?dl=0

    your feedback is highly valuable for me.

    One more question, is there any discounts if I want to buy a single book from yours?

    Regards,

Leave a Reply