"Random forests are fast and shine with high dimensional data (many features).\n",
"\n",
"<div class=\"alert alert-block alert-info\">\n",
"<i class=\"fa fa-info-circle\"></i>\n",
" Random Forest can estimate <em>out-of-bag error</em> (OOB) while learning (set <code>oob_score=True</code>). It's a generalisation/predictive error, similar to cross validation accuracy (cf. <a href=https://scikit-learn.org/stable/auto_examples/ensemble/plot_ensemble_oob.html>OOB Errors for Random Forests</a> )\n",
" <p><i class=\"fa fa-info-circle\"></i>\n",
" Random Forest can estimate <em>out-of-bag error</em> (OOB) while learning; set <code>oob_score=True</code>. (The out-of-bag (OOB) error is the average error for each data sample, calculated using predictions from the trees that do not contain that sample in their respective bootstrap samples.)\n",
" OOB is a generalisation/predictive error that, together with <code>warm_start=True</code>, can be used for efficient search for a good-enough number of trees, i.e. the <code>n_estimators</code> hyperparameter value (see: <a href=https://scikit-learn.org/stable/auto_examples/ensemble/plot_ensemble_oob.html>OOB Errors for Random Forests</a>).\n",
" </p>\n",
"</div>"
]
},
...
...
%% Cell type:code id: tags:
``` python
# IGNORE THIS CELL WHICH CUSTOMIZES LAYOUT AND STYLING OF THE NOTEBOOK !
%matplotlibinline
# `sklearn.tree.plot_tree` does not work well with "retina" backend - use "svg" instead
Starting from the top the decision tree is build by selecting **best split of the dataset using a single feature**. Best feature and its split value are ones that make the resulting **subsets more pure** in terms of variety of classes they contain (i.e. that minimize misclassification error, or Gini index/impurity, or maximize entropy/information gain).
Features can repeat within a sub-tree (and there is no way to control it in scikit-learn), but usualy categorical features appear at most once on each path. They do, however, repeat across different tree branches.
%% Cell type:markdown id: tags:
### XOR decision tree
Let's try out decision trees with the XOR dataset, in which samples have class `True` when the two coordinates `x` and `y` have different sign, otherwise they have class `False`.
About the plot: **the points surrounded with a circle are from the test data set** (not used for learning), all other points belong to the training data.
This surface seems a bit rough on edges. One of the biggest advantages of the decision trees is interpretability of the model. Let's **inspect the model by looking at the tree that was built**:
<spanstyle="font-size: 150%">Whoaaa .. what happened here?</span>
XOR is the **anti-example** for DTs: they cannot make the "natural" split at value `0` because splits are selected to promote more pure sub-nodes. We're fitting data representation noise here.
Moreover, the tree is quite deep because, by default, it is built until all nodes are "pure" (`gini = 0.0`). This tree is **overfitted**.
%% Cell type:markdown id: tags:
### How to avoid overfitting?
There is no regularization penalty like in logistic regression or SVM methods when bulding a decision tree. Instead we can set learning hyperparameters such as:
* tree pruning (based on minimal cost-complexity; `ccp_alpha`) - this is actually done only after the tree has been built, or
* maximum tree depth (`max_depth`), or
* a minimum number of samples required at a node or at a leaf node (`min_samples_split`, `min_samples_leaf`), or
* an early stopping criteria based on minumum value of impurity or on minimum decrease in impurity (`min_impurity_split`, `min_impurity_decrease`),
* ... and few more - see `DecisionTreeClassifier` docs.
%% Cell type:markdown id: tags:
### Exercise section
1. In theory for the XOR dataset it should suffice to use each feature exactly once with splits at `0`, but the decision tree learning algorithm is unable to find such a solution. Play around with `max_depth` to get a smaller but similarly performing decision tree for the XOR dataset.<br/>
Bonus question: which other hyperparameter you could have used to get the same result?
2. Build a decision tree for the beers dataset. Use maximum depth and tree pruning strategies to get a much smaller tree that performs as well as the default tree.<br/>
Note: `classifier.tree_` instance has attributes such as `max_depth`, `node_count`, or `n_leaves`, which measure size of the tree.
One **issue with decision trees is their instability** - a small changes in the training data usually results in a completely different order of splits (different tree structure).
%% Cell type:markdown id: tags:
## Ensemble Averaging: Random Forests
The idea of Random Forest method is to generate **ensemble of many "weak" decision trees** and by **averaging out their probabilistic predictions**. (The original Random Forests method used voting.)
Weak classifier here are **shallow trees with feature-splits picked only out of random subsets of features** (*features bagging*). Random subset of features is selected per each split, not for the whole classifier.
f" test score: {100*internal_classifier.score(X_test_trans,y_test):.2f}%"
)
)
```
%% Cell type:markdown id: tags:
Random forests are fast and shine with high dimensional data (many features).
<divclass="alert alert-block alert-info">
<iclass="fa fa-info-circle"></i>
Random Forest can estimate <em>out-of-bag error</em> (OOB) while learning (set <code>oob_score=True</code>). It's a generalisation/predictive error, similar to cross validation accuracy (cf. <ahref=https://scikit-learn.org/stable/auto_examples/ensemble/plot_ensemble_oob.html>OOB Errors for Random Forests</a> )
<p><iclass="fa fa-info-circle"></i>
Random Forest can estimate <em>out-of-bag error</em> (OOB) while learning; set <code>oob_score=True</code>. (The out-of-bag (OOB) error is the average error for each data sample, calculated using predictions from the trees that do not contain that sample in their respective bootstrap samples.)
OOB is a generalisation/predictive error that, together with <code>warm_start=True</code>, can be used for efficient search for a good-enough number of trees, i.e. the <code>n_estimators</code> hyperparameter value (see: <ahref=https://scikit-learn.org/stable/auto_examples/ensemble/plot_ensemble_oob.html>OOB Errors for Random Forests</a>).
</p>
</div>
%% Cell type:markdown id: tags:
## Boosting: AdaBoost
<spanstyle="font-size: 125%;">What is it?</span>
Boosting is another sub-type of ensemble learning. Same as in averaging, the idea is to generate many **weak classifiers to create a single strong classifier**, but in contrast to averaging, the classifiers are learnt **iteratively**.
<spanstyle="font-size: 125%;">How does it work?</span>
Each iteration focuses more on **previously misclassified samples**. To that end, **data samples are weighted**, and after each learning iteration the data weights are readjusted.
<tr><td><center><sub>Source: Marsh, B., (2016), <em>Multivariate Analysis of the Vector Boson Fusion Higgs Boson</em>.</sub></center></td></tr>
</table>
The final prediction is a weighted majority vote or weighted sum of predictions of the weighted weak classifiers.
Boosting works very well out of the box. There is usually no need to fine tune method hyperparameters to get good performance.
<spanstyle="font-size: 125%;">Where do i start?</span>
**AdaBoost (“Adaptive Boosting”) is a baseline boosting algorithm** that originally used decisoin trees as weak classifiers, but, in principle, works with any classification method (`base_estimator` parameter).
In each AdaBoost learning iteration, additionally to samples weights, the **weak classifiers are weighted**. Their weights are readjusted, such that **the more accurate a weak classifier is, the larger its weight is**.
%% Cell type:markdown id: tags:
### Demonstration
You will find AdaBoost algorithm implementation in the `sklearn.ensemble` module.
We'll use `n_estimators` parameter to determine number of weak classifiers. These by default are single node decision trees (`base_estimator = DecisionTreeClassifier(max_depth=1)`). We can examine them via `.estimators_` property of a trained method.
For presentation, in order to weight the classifiers, we will use the original discrete AdaBoost learning method (`algorithm="SAMME"`). Because the classifiers learn iteratively on differently weighted samples, to understand the weights we have to look at internal train errors and not at the final scores on the training data.
In practice you will mostly want to use other than AdaBoost methods for boosting.
#### Gradient Tree Boosting (GTB)
It re-formulates boosting problem as an optimization problem which is solved with efficient Stochastic Gradient Descent optimization method (more on that in the neuronal networks script).
In contrast to AdaBoost, GTB relies on using decision trees.
In particular, try out [XGboost](https://xgboost.readthedocs.io/en/latest/); it's a package that won many competitions, cf. [XGboost@Kaggle](https://www.kaggle.com/dansbecker/xgboost). It is not part of scikit-learn, but it offers a `scikit-learn` API (see https://www.kaggle.com/stuarthallows/using-xgboost-with-scikit-learn ); a `scikit-learn` equivalent is [`GradientBoostingClassifier`](https://scikit-learn.org/stable/modules/generated/sklearn.ensemble.GradientBoostingClassifier.html).
A new `scikit-learn` implementation of boosting based on decision trees is [`HistGradientBoostingClassifier`](https://scikit-learn.org/stable/modules/generated/sklearn.ensemble.HistGradientBoostingClassifier.html). It is much faster then `GradientBoostingClassifier` for big datasets (`n_samples >= 10 000`).
%% Cell type:markdown id: tags:
## Ensemble Stacking: a honorary mention
Stacking is used often in case of different types of base models, when it's not clear which type of model will perform best.
**The base models learn in parallel and their (cross-validated) predictions are used to train a meta-model** (as opposed e.g. to selecting only one model or doing a naive voting). The meta-model (called also combiner, blender, or generalizer), never "sees" the input data.
Stacking combines strengths of different models and usually slightly outperforms best individual model. In practice often multiple stacking layers are used with groups of different but repeating types of classifiers.
<tr><td><center><sub><ahref="https://www.slideshare.net/jeongyoonlee/winning-data-science-competitions-74391113"> Jeong-Yoon Lee, <em>Winning Data Science Competitions</em>, Apr 2017</a></sub></center></td></tr>
</table>
In the `sklearn.ensemble` the stacking is implemented by `StackingClassifier` and `StackingRegressor`.
%% Cell type:markdown id: tags:
## Why does ensemble learning work?
* Probability of making an error by majority of the classifiers in the ensemble is much lower then error that each of the weak classifiers makes alone.
* An ensemble classifier is more roboust (has lower variance) with respect to the training data.
* The weak classifiers are small, fast to learn, and, in case of averaging, they can be learnt in parallel.
In general, **usually ensemble classifier performs better than any of the weak classifiers in the ensemble**.
%% Cell type:markdown id: tags:
## Coding session
For the beers data compare mean cross validation accuracy, precision, recall and f1 scores for all classifiers shown so far. Try to squeeze better than default performance out of the classifiers by tuning their hyperparameters. Which ones perform best?
<em>Disclaimer</em>: this table is neither a single source of truth nor complete - it's intended only to provide some first considerations when starting out. At the end of the day, you have to try and pick a method that works for your problem/data.
<tdstyle="text-align: left;">- high-dimensional data<br> - a lot of data</td>
<tdstyle="text-align: left;">- fast, also in high dimensions<br> - weights can be interpreted</td>
<tdstyle="text-align: left;">- data has to be linearly separable (happens often in higher dimensions)<br> - not very efficient with large number of samples</td>
<tdstyle="text-align: left;">- for illustration/insight<br> - with multi-class problems <br> - with categorical or mixed categorical and numerical data</td>
<tdstyle="text-align: left;">- simple to interpret<br> - good classification speed and performance</td>
<tdstyle="text-align: left;">- prone to overfitting<br> - unstable: small change in the training data can give very different model</td>
<tdstyle="text-align: left;">- when decision tree would be used but for performance</td>
<tdstyle="text-align: left;">- fixes decision tree issues: does not overfit easily and is stable with respect to training data<br> - takes into account features dependencies<br> - can compute predicitve error when learning<br> ...</td>
<tdstyle="text-align: left;">- harder to interpret than a single decision tree</td>
<tdstyle="text-align: left;">- works very well out-of-the-box<br>- better performance and more interpretable than random forest when using depth 1 trees</td>
<tdstyle="text-align: left;">- more prone to overfitting than random forest</td>
<tdstyle="text-align: left;">- when having multiple various learners (with different weaknesses)<br>- when not having enough data to use neuronal networks</td>
<tdstyle="text-align: left;">- works well out-of-the-box<br>- improves performance of even already good learners</td>
<tdstyle="text-align: left;">- complicates interpretability of results<br>- takes time to train and to build a multi-layer architecture (if enough data, it's easier to use neuronal networks)</td>
<tdstyle="text-align: left;">- with really big data</td>
<tdstyle="text-align: left;">...</td>
<tdstyle="text-align: left;">...</td>
</tr>
<tr>
<tdstyle="text-align: left;">Kernel Approximation<br><br>pipeline: <code>RBFSampler</code> or <code>Nystroem</code> + <code>LinearSVC</code></td>
<tdstyle="text-align: left;">- with really big data and on-line training</td>
<tdstyle="text-align: left;">...</td>
<tdstyle="text-align: left;">...</td>
</tr>
</tbody>
</table>
</div>
%% Cell type:markdown id: tags:
You should be able now to understand better the classification part of the ["Choosing the right estimator" scikit-learn chart ](https://scikit-learn.org/stable/tutorial/machine_learning_map/):