In this notebook, we will show how to use a virtual environment on ipython and jupyter notebooks and we will load a local directory library into our code.
Python is a very mighty programming language. The major strength of python are its partly user maintained, intuitively usable and vast libraries. Before you import them into your code, you have to install these libraries and their dependencies on your interpreter first. If you are using pip
to install them to your interpreter, soon it will be clogged by loads of libraries and dependencies which demand to be maintained und kept up to date. Therefore and for many other reasons, we strictly recommend to use virtual environments with specified libraries bundeled with your project. There are mainly three steps:
As there is already a useful documentation about how you might do this, we will skip to importing a local library.
For using local code with jupyter notebooks, you need to add the local directory to the include paths of python. First, we will have a look, what the current import path looks like.
import os, sys
print(sys.path)
If we have set up the venv correctly, our venv path is now present in the sys.path
variable. Now let's add our module path, which is one directory above the current working directory
import os, sys
cwd = os.getcwd()
module_path = os.path.dirname(cwd) # target working directory
sys.path = [item for item in sys.path if item != module_path] # remove module_path from sys.path
sys.path.append(module_path) # add module_path to sys.path
print(sys.path)
Now we have added the module path to the search paths for our environment and we can start importing our local module.
from pyrcn.extreme_learning_machine import ELMClassifier
Now it is time for a minimal working example.
from sklearn.datasets import load_iris, load_digits
from sklearn.preprocessing import LabelBinarizer
from sklearn.model_selection import train_test_split
from pyrcn.extreme_learning_machine import ELMRegressor
def test_iris():
X, y = load_iris(return_X_y=True)
X_train, X_test, y_train, y_test = train_test_split(X, y, test_size=0.05)
lb = LabelBinarizer().fit(y)
y_train_numeric = lb.transform(y_train)
classifier = ELMClassifier(hidden_layer_size=10)
classifier.fit(X_train, y_train_numeric)
y_predicted_numeric = classifier.predict(X_test)
y_predicted = lb.inverse_transform(y_predicted_numeric)
for record in range(len(y_test)):
print('predicted: {0} \ttrue: {1}'.format(y_predicted[record], y_test[record]))
test_iris()