choosing the algorithm
play

Choosing the Algorithm FE ATU R E E N G IN E E R IN G W ITH P - PowerPoint PPT Presentation

Choosing the Algorithm FE ATU R E E N G IN E E R IN G W ITH P YSPAR K John Hog u e Lead Data Scientist , General Mills Spark ML Landscape FEATURE ENGINEERING WITH PYSPARK Spark ML Landscape FEATURE ENGINEERING WITH PYSPARK Spark ML


  1. Choosing the Algorithm FE ATU R E E N G IN E E R IN G W ITH P YSPAR K John Hog u e Lead Data Scientist , General Mills

  2. Spark ML Landscape FEATURE ENGINEERING WITH PYSPARK

  3. Spark ML Landscape FEATURE ENGINEERING WITH PYSPARK

  4. Spark ML Landscape FEATURE ENGINEERING WITH PYSPARK

  5. Spark ML Landscape FEATURE ENGINEERING WITH PYSPARK

  6. P y Spark Regression Methods Methods in ml.regression : GeneralizedLinearRegression DecisionTreeRegression IsotonicRegression GBTRegression LinearRegression RandomForestRegression FEATURE ENGINEERING WITH PYSPARK

  7. P y Spark Regression Methods Methods in ml.regression : GeneralizedLinearRegression DecisionTreeRegression IsotonicRegression GBTRegression LinearRegression RandomForestRegression FEATURE ENGINEERING WITH PYSPARK

  8. FEATURE ENGINEERING WITH PYSPARK

  9. Test and Train Splits for Time Series h � ps ://www. kaggle . com / c / santander -v al u e - prediction - challenge / disc u ssion /61408 FEATURE ENGINEERING WITH PYSPARK

  10. Test and Train Splits for Time Series # Create variables for max and min dates in our dataset max_date = df.agg({'OFFMKTDATE': 'max'}).collect()[0][0] min_date = df.agg({'OFFMKTDATE': 'min'}).collect()[0][0] # Find how many days our data spans from pyspark.sql.functions import datediff range_in_days = datediff(max_date, min_date) # Find the date to split the dataset on from pyspark.sql.functions import date_add split_in_days = round(range_in_days * 0.8) split_date = date_add(min_date, split_in_days) # Split the data into 80% train, 20% test train_df = df.where(df['OFFMKTDATE'] < split_date) test_df = df.where(df['OFFMKTDATE'] >= split_date)\ .where(df['LISTDATE'] >= split_date) FEATURE ENGINEERING WITH PYSPARK

  11. Time to practice ! FE ATU R E E N G IN E E R IN G W ITH P YSPAR K

  12. Preparing for Random Forest Regression FE ATU R E E N G IN E E R IN G W ITH P YSPAR K John Hog u e Lead Data Scientist , General Mills

  13. Ass u mptions Needed for Feat u res Random Forest Regression Ske w ed / Non Normal Data ? OK Unscaled ? OK Missing Data ? OK Categorical Data ? OK FEATURE ENGINEERING WITH PYSPARK

  14. Appended Feat u res Economic Social 30 Year Mortgage Rates Walk Score Go v ernmental Bike Score Seasonal Median Home Price for Cit y Home Age Percentages for Cit y Bank Holida y s Home Si z e Percentages for Cit y FEATURE ENGINEERING WITH PYSPARK

  15. Engineered Feat u res Temporal Feat u res E x panded Feat u res Limited v al u e w ith one y ear of data Non - Free Form Te x t Col u mns Holida y Weeks Need to Remo v e Lo w Obser v ations # What is shape of our data? Rates , Ratios , S u ms print((df.count(), len(df.columns))) B u siness Conte x t Personal Conte x t (5000, 126) FEATURE ENGINEERING WITH PYSPARK

  16. Dataframe Col u mns to Feat u re Vectors from pyspark.ml.feature import VectorAssembler # Replace Missing values df = df.fillna(-1) # Define the columns to be converted to vectors features_cols = list(df.columns) # Remove the dependent variable from the list features_cols.remove('SALESCLOSEPRICE') FEATURE ENGINEERING WITH PYSPARK

  17. Dataframe Col u mns to Feat u re Vectors # Create the vector assembler transformer vec = VectorAssembler(inputCols=features_cols, outputCol='features') # Apply the vector transformer to data df = vec.transform(df) # Select only the feature vectors and the dependent variable ml_ready_df = df.select(['SALESCLOSEPRICE', 'features']) # Inspect Results ml_ready_df.show(5) +----------------+--------------------+ | SALESCLOSEPRICE| features| +----------------+--------------------+ |143000 |(125,[0,1,2,3,5,6...| |190000 |(125,[0,1,2,3,5,6...| |225000 |(125,[0,1,2,3,5,6...| |265000 |(125,[0,1,2,3,4,5...| |249900 |(125,[0,1,2,3,4,5...| +----------------+--------------------+ only showing top 5 rows FEATURE ENGINEERING WITH PYSPARK

  18. We are no w read y for machine learning ! FE ATU R E E N G IN E E R IN G W ITH P YSPAR K

  19. B u ilding a Model FE ATU R E E N G IN E E R IN G W ITH P YSPAR K John Hog u e Lead Data Scientist , General Mills

  20. RandomForestRegressor Basic Model Parameters O u r Model Parameter v al u es featuresCol="features" featuresCol="features" labelCol="label" labelCol="SALESCLOSEPRICE" predictionCol="prediction" predictionCol="Prediction_Price" seed=None seed=42 FEATURE ENGINEERING WITH PYSPARK

  21. Training a Random Forest from pyspark.ml.regression import RandomForestRegressor # Initialize model with columns to utilize rf = RandomForestRegressor(featuresCol="features", labelCol="SALESCLOSEPRICE", predictionCol="Prediction_Price", seed=42 ) # Train model model = rf.fit(train_df) FEATURE ENGINEERING WITH PYSPARK

  22. Predicting w ith a Model # Make predictions predictions = model.transform(test_df) # Inspect results predictions.select("Prediction_Price", "SALESCLOSEPRICE").show(5) +------------------+---------------+ | Prediction_Price|SALESCLOSEPRICE| +------------------+---------------+ |426029.55463222397| 415000| | 708510.8806005502| 842500| | 164275.7116183204| 161000| | 208943.4143642175| 200000| |217152.43272221283| 205000| +------------------+---------------+ only showing top 5 rows FEATURE ENGINEERING WITH PYSPARK

  23. E v al u ating a Model from pyspark.ml.evaluation import RegressionEvaluator # Select columns to compute test error evaluator = RegressionEvaluator(labelCol="SALESCLOSEPRICE", predictionCol="Prediction_Price") # Create evaluation metrics rmse = evaluator.evaluate(predictions, {evaluator.metricName: "rmse"}) r2 = evaluator.evaluate(predictions, {evaluator.metricName: "r2"}) # Print Model Metrics print('RMSE: ' + str(rmse)) print('R^2: ' + str(r2)) RMSE: 22898.84041072095 R^2: 0.9666594402208077 FEATURE ENGINEERING WITH PYSPARK

  24. Let ' s model some data ! FE ATU R E E N G IN E E R IN G W ITH P YSPAR K

  25. Interpreting , Sa v ing & Loading Models FE ATU R E E N G IN E E R IN G W ITH P YSPAR K John Hog u e Lead Data Scientist , General Mills

  26. Interpreting a Model import pandas as pd # Convert feature importances to a pandas column fi_df = pd.DataFrame(model.featureImportances.toArray(), columns=['importance']) # Convert list of feature names to pandas column fi_df['feature'] = pd.Series(feature_cols) # Sort the data based on feature importance fi_df.sort_values(by=['importance'], ascending=False, inplace=True) FEATURE ENGINEERING WITH PYSPARK

  27. Interpreting a Model # Interpret results model_df.head(9) | feature |importance| |-------------------------|----------| | LISTPRICE | 0.312101 | | ORIGINALLISTPRICE | 0.202142 | | LIVINGAREA | 0.124239 | | SQFT_TOTAL | 0.081260 | | LISTING_TO_MEDIAN_RATIO | 0.075086 | | TAXES | 0.048452 | | SQFTABOVEGROUND | 0.045859 | | BATHSTOTAL | 0.034397 | | LISTING_PRICE_PER_SQFT | 0.018253 | FEATURE ENGINEERING WITH PYSPARK

  28. Sa v ing & Loading Models # Save model model.save('rfr_real_estate_model') from pyspark.ml.regression import RandomForestRegressionModel # Load model from model2 = RandomForestRegressionModel.load('rfr_real_estate_model') FEATURE ENGINEERING WITH PYSPARK

  29. On to y o u r last set of e x ercises ! FE ATU R E E N G IN E E R IN G W ITH P YSPAR K

  30. Final Tho u ghts FE ATU R E E N G IN E E R IN G W ITH P YSPAR K John Hog u e Lead Data Scientist

  31. What y o u learned ! Inspecting v is u all y & statisticall y Generating feat u res Dropping ro w s and col u mns E x tracting v ariables from mess y � elds Scaling and adj u sting data Binning , b u cketing and encoding Handling missing v al u es Training and e v al u ating a model Joining e x ternal datasets Interpreting model res u lts FEATURE ENGINEERING WITH PYSPARK

  32. Time to learn something ne w! FE ATU R E E N G IN E E R IN G W ITH P YSPAR K

Download Presentation
Download Policy: The content available on the website is offered to you 'AS IS' for your personal information and use only. It cannot be commercialized, licensed, or distributed on other websites without prior consent from the author. To download a presentation, simply click this link. If you encounter any difficulties during the download process, it's possible that the publisher has removed the file from their server.

Recommend


More recommend