Skip to content
Project: Building a Demand Forecasting Model
  • AI Chat
  • Code
  • Report
  • It's simple to buy any product with a click and have it delivered to your door. Online shopping has been rapidly evolving over the last few years, making our lives easier. But behind the scenes, e-commerce companies face a complex challenge that needs to be addressed.

    Uncertainty plays a big role in how the supply chains plan and organize their operations to ensure that the products are delivered on time. These uncertainties can lead to challenges such as stockouts, delayed deliveries, and increased operational costs.

    You work for the Sales & Operations Planning (S&OP) team at a multinational e-commerce company. They need your help to assist in planning for the upcoming end-of-the-year sales. They want to use your insights to plan for promotional opportunities and manage their inventory. This effort is to ensure they have the right products in stock when needed and ensure their customers are satisfied with the prompt delivery to their doorstep.

    The Data

    You are provided with a sales dataset to use. A summary and preview are provided below.

    Online Retail.csv

    ColumnDescription
    'InvoiceNo'A 6-digit number uniquely assigned to each transaction
    'StockCode'A 5-digit number uniquely assigned to each distinct product
    'Description'The product name
    'Quantity'The quantity of each product (item) per transaction
    'UnitPrice'Product price per unit
    'CustomerID'A 5-digit number uniquely assigned to each customer
    'Country'The name of the country where each customer resides
    'InvoiceDate'The day and time when each transaction was generated "MM/DD/YYYY"
    'Year'The year when each transaction was generated
    'Month'The month when each transaction was generated
    'Week'The week when each transaction was generated (1-52)
    'Day'The day of the month when each transaction was generated (1-31)
    'DayOfWeek'The day of the weeke when each transaction was generated
    (0 = Monday, 6 = Sunday)
    # Import required libraries
    from pyspark.sql import SparkSession
    from pyspark.ml.feature import VectorAssembler
    from pyspark.ml import Pipeline
    from pyspark.ml.regression import RandomForestRegressor
    from pyspark.sql.functions import col, dayofmonth, month, year,  to_date, to_timestamp, weekofyear, dayofweek
    from pyspark.ml.feature import StringIndexer
    from pyspark.ml.evaluation import RegressionEvaluator
    
    # Initialize Spark session
    my_spark = SparkSession.builder.appName("SalesForecast").getOrCreate()
    
    # Importing sales data
    sales_data = my_spark.read.csv(
        "Online Retail.csv", header=True, inferSchema=True, sep=",")
    
    # Convert InvoiceDate to datetime 
    sales_data = sales_data.withColumn("InvoiceDate", to_date(
        to_timestamp(col("InvoiceDate"), "d/M/yyyy H:mm")))
    # Insert the code necessary to solve the assigned problems. Use as many code cells as you need.
    
    sales_data

    1. Aggregate the Data

    # Aggregate data into daily intervals
    daily_sales_data = sales_data.groupBy("Country", "StockCode", "InvoiceDate", "Year", "Month", "Day", "Week", "DayOfWeek").agg({"Quantity": "sum",                                                                                                           "UnitPrice": "avg"})
    # Rename the target column
    daily_sales_data = daily_sales_data.withColumnRenamed(
        "sum(Quantity)", "Quantity")
    
    daily_sales_data

    2. Splitting the Dataset

    # Split the data into two sets based on the spliting date, "2011-09-25". All data up to and including this date should be in the training set, while data after this date should be in the testing set. Return a pandas Dataframe, pd_daily_train_data, containing, at least, the columns ["Country", "StockCode", "InvoiceDate", "Quantity"].
    
    split_date_train_test = "2011-09-25"
    # Creating the train and test datasets
    train_data = daily_sales_data.filter(
        col("InvoiceDate") <= split_date_train_test)
    
    test_data = daily_sales_data.filter(
        col("InvoiceDate") > split_date_train_test)
    pd_daily_train_data = train_data.toPandas()
    pd_daily_train_data.head()
    # Creating indexer for categorical columns
    country_indexer = StringIndexer(
        inputCol="Country", outputCol="CountryIndex").setHandleInvalid("keep")
    stock_code_indexer = StringIndexer(
        inputCol="StockCode", outputCol="StockCodeIndex").setHandleInvalid("keep")
    
    # Selectiong features columns
    feature_cols = ["CountryIndex", "StockCodeIndex", "Month", "Year",
                    "DayOfWeek", "Day", "Week"]
    # Using vector assembler to combine features
    assembler = VectorAssembler(inputCols=feature_cols, outputCol="features")

    3. Building your Regression Model

    # Initializing a Random Forest model
    rf = RandomForestRegressor(
        featuresCol="features",
        labelCol="Quantity",
        maxBins=4000
    )
    
    # Create a pipeline for staging the processes
    pipeline = Pipeline(stages=[country_indexer, stock_code_indexer, assembler, rf])
    
    # Training the model
    model = pipeline.fit(train_data)

    Evalualting the Model