Technology Blogs by SAP
Learn how to extend and personalize SAP applications. Follow the SAP technology blog for insights into SAP BTP, ABAP, SAP Analytics Cloud, SAP HANA, and more.
cancel
Showing results for 
Search instead for 
Did you mean: 
AndreasForster
Product and Topic Expert
Product and Topic Expert
SAP Data Intelligence is SAP's platform for data management, data orchestration and Machine Learning (ML) deployment. Whether your data is structured or unstructured, in SAP HANA or outside, SAP Data Intelligence can be very useful.

This blog shows how to create a very basic ML project in SAP Data Intelligence, We will train a linear regression model in Python with just a single predictor column. Based on how many minutes it takes a person run a half-marathon, the model will estimate the person's marathon time. That trained model will then be exposed as REST-API for inference. Your business applications could now leverage these predictions in your day-to-day processes. After this introductory tutorial you will be familiar with the core components of an ML scenario in SAP Data Intelligence, and the implementation of more advanced requirements is likely to follow a similar pattern.

For those who prefer R instead of Python, Ingo Peter has published a blog which implements this  first ML Scenario with R.

Should you have access to a system you can follow hands-on yourself. You can currently request a trial or talk to your Account Executive anytime.

Update on 3 April 2023:

  • Please note that SAP Data Intelligence is not intended as one-stop-shop Data Science Platform.

  • Recently an issue caused the "Python Producer" and "Python Consumer" template pipelines to disappear. See SAP Note 3316646 to rectify.

  • This blog was created with Python 3.6, which isn't supported anymore. See the comment below by tarek.abou-warda on using Python 3.9 instead.

  • Examples on using the embedded Machine Learning in SAP HANA, SAP HANA Cloud and SAP Datasphere from SAP Data Intelligence are given in the book "Data Science mit SAP HANA" (that book exists only in German, unfortunately there is no English edition)


Table of contents



 

Training data


Our dataset is a small CSV file, which contains the running times (in minutes) of 117 people, who ran both the Zurich Marathon as well as a local Half-Marathon in the same region, the Greifenseelauf. The first rows show the fastest runners:

































ID HALFMARATHON_MINUTES MARATHON_MINUTES
1 73 149
2 74 154
3 78 158
4 73 165
5 74 172

 

SAP Data Intelligence can connect to range of sources. However, to follow this tutorial hands-on, please place this this file into SAP Data Intelligence's internal DI_DATA_LAKE.

  • Open the "Metadata Explorer"

  • Select "Browse Connections"

  • Click "DI_DATA_LAKE"

  • Select "shared" and upload the file


 

 

 

Data connection


Since we are using the built-in DI_DATA_LAKE you do not need any additional connection. If the file was located outside SAP Data Intelligence, then you would create an additional connection in the Connection Management.


 

If the file was located in an S3 bucket for instance, you would need to create a new connection and and set the "Connection Type" to "S3". Enter the bucket's endpoint, the region and the access key as well as the secret key. Also, set the "Root Path" to the name of your bucket.


 

Data exploration and free-style Data Science


Now start work on the Machine Learning project. On the main page of SAP Data Intelligence click into the "ML Scenario Manager", where you will carry out all Machine Learning related activities.

Click the little "+"-sign on the top right to create a new scenario. Name it "Marathon time predictions" and you enter further details into the "Business Question" section. Click "Create".


 

You see the empty scenario. You will use the Notebooks to explore the data and to script the regression model in Python. Pipelines bring the code into production. Executions of these pipelines will create Machine Learning models, which are then deployed as REST-API for inference.


 

But one step at a time. Next, you load and explore the data in a Notebook. Select the "Notebooks" tab, then click the "+"-sign.  Name the Notebook "10 Data exploration and model training". Click "Create" and the Notebook opens up. You will be prompted for the kernel, keep the default of "Python 3".


 

Now you are free to script in Python, to explore the data and train the regression model. The central connection to your DI_DATA_LAKE can be leveraged through Python.
from hdfs import InsecureClient
import pandas as pd
client = InsecureClient('http://datalake:50070')

 

The CSV file can then be loaded into a pandas DataFrame. Just make sure that the value assigned to the bucket corresponds with your own bucket name.
with client.read('/shared/i056450/RunningTimes.csv') as reader:
df_data = pd.read_csv(reader, delimiter=';')

 

Use Python to explore the data. Display the first few rows for example.
df_data.head(5)

 

Or plot the runners' half-marathon time against the full marathon time.
x = df_data[["HALFMARATHON_MINUTES"]]
y_true = df_data["MARATHON_MINUTES"]

%matplotlib inline
import matplotlib.pyplot as plot
plot.scatter(x, y_true, color = 'darkblue');
plot.xlabel("Minutes Half-Marathon");
plot.ylabel("Minutes Marathon");

 

There is clearly a linear relationship. No surprise, If you can run a marathon fast, you are also likely to be one of the faster half-marathon runners.


 

Train regression model


Begin by installing the scikit-learn library, which is very popular for Machine Learning in Python on tabular data such as ours.
!pip install sklearn​

 

Then continue by training the linear regression model with the newly installed scikit-learn library. In case you are not familiar with a linear regression, you might enjoy the openSAP course "Introduction to Statistics for Data Science".
from sklearn.linear_model import LinearRegression
lm = LinearRegression()
lm.fit(x, y_true)

 

Plot the linear relationship that was estimated.
plot.scatter(x, y_true, color = 'darkblue');
plot.plot(x, lm.predict(x), color = 'red');
plot.xlabel("Actual Minutes Half-Marathon");
plot.ylabel("Actual Minutes Marathon");


 

Calculate the Root Mean Squared Error (RMSE) as quality indicator of the model's performance on the training data. This indicator will be shown later on in the ML Scenario Manager.

In this introductory example the RMSE is calculated rather manually. This way, I hope, it easier to understand its meaning, in case you have not yet been familiar with it. Most Data Scientists would probably leverage a Python package to shorten this bit.
import numpy as np
y_pred = lm.predict(x)
mse = np.mean((y_pred - y_true)**2)
rmse = np.sqrt(mse)
rmse = round(rmse, 2)
print("RMSE: " , str(rmse))
print("n: ", str(len(x)))

 

A statistician may want to run further tests on the regression, ie on the distribution of the errors. We skip these steps in this example.

 

Save regression model


You could apply the model immediately on a new observation. However, to deploy the model later on, we will be using one graphical pipeline to train and save the model and a second pipeline for inference.

Hence at this point we also spread the Python code across two separate Notebooks for clarity.  Therefore we finish this Notebook by saving the model. The production pipeline will save the model as pickled object. Hence the model is also saved here in the Notebook as pickle object as well.
import pickle
pickle.dump(lm, open("marathon_lm.pickle.dat", "wb"))

 

Don't forget to save the Notebook itself as well.

 

Load and apply regression model


To create the second Notebook, go back to the overview page of your ML Scenario and click the "+"-sign in the Notebooks section.


 

Name the new Notebook "20 Apply model", confirm "Python 3" as kernel and the empty Notebook opens up. Use the following code to load the model that has just been saved.
import pickle
lm_loaded = pickle.load(open("marathon_lm.pickle.dat", "rb"))

 

It's time to apply the model. Predict a runner's marathon time if the person runs a half-marathon in 2 hours.
x_new = 120
predictions = lm_loaded.predict([[x_new]])
round(predictions[0], 2)

 

The model estimates a time of just under 4 hours and 24 minutes.


 

Deployment


Now everything is in place to start deploying the model in two graphical pipelines.

  • One pipeline to train the model and save it into the ML Scenario.

  • And Another pipeline to surface the model as REST-API for inference


 

Training pipeline


To create the graphical pipeline to retrain the model, go to your ML Scenario's main page, select the "Pipelines" tab and click the "+"-sign.


 

Name the pipeline "10 Train" and select the "Python Producer"-template.



 

You should see the following pipeline, which we just need to adjust. In principle, the pipeline loads data with the "Read File"-operator. That data is passed to a Python-operator, in which the ML model is trained. The same Python-operator stores the model in the ML Scenario through the "Artifact Producer". The Python-operator's second output can pass a quality metric of the model to the same ML Scenario. Once both model and metric are saved, the pipeline's execution is ended with the "Graph Terminator".


 

Now adjust the template to our scenario. Begin with the data connection. Select the "Read File"-operator and click the "Open Configuration" option.


 

In the Configuration panel on the right-hand side open the "Connection"-configuration, set "Configuration type" to "Connection Management" and you can set the "Connection ID" to the "DI_DATA_LAKE.


 

Save this configuration. Now open the "Path" setting and select the RunningTimes.csv file you had uploaded.


 

Next we adjust the Python code that trains the regression model. Select the "Python 3"-operator and click the Script-option.


 

The template code opens up. It shows how to pass the model and metrics into the ML Scenario. Replace the whole code with the following. That code receives the data from the "Read File"-operator, uses the code from the Notebook to train the model and passes the trained model as well as its quality indicator (RMSE) to the ML Scenario.
# Example Python script to perform training on input data & generate Metrics & Model Blob
def on_input(data):

# Obtain data
import pandas as pd
import io
df_data = pd.read_csv(io.StringIO(data), sep=";")

# Get predictor and target
x = df_data[["HALFMARATHON_MINUTES"]]
y_true = df_data["MARATHON_MINUTES"]

# Train regression
from sklearn.linear_model import LinearRegression
lm = LinearRegression()
lm.fit(x, y_true)

# Model quality
import numpy as np
y_pred = lm.predict(x)
mse = np.mean((y_pred - y_true)**2)
rmse = np.sqrt(mse)
rmse = round(rmse, 2)

# to send metrics to the Submit Metrics operator, create a Python dictionary of key-value pairs
metrics_dict = {"RMSE": str(rmse), "n": str(len(df_data))}

# send the metrics to the output port - Submit Metrics operator will use this to persist the metrics
api.send("metrics", api.Message(metrics_dict))

# create & send the model blob to the output port - Artifact Producer operator will use this to persist the model and create an artifact ID
import pickle
model_blob = pickle.dumps(lm)
api.send("modelBlob", model_blob)

api.set_port_callback("input", on_input)

 

Close the Script-window, then hit "Save" in the menu bar.


 

Before running the pipeline, we just need to create a Docker image for the Python operator. This gives the flexibility to leverage virtually any Python library, you just need to provide the Docker file, which installs the necessary libraries. You find the Dockerfiles by clicking into the "Repository"-tab on the left, then right-click the "Dockerfiles" folder and select "Create Docker File".


 

Name the file python36marathon.



 

Enter this code into the Docker File window. This code leverages a base image that comes with SAP Data Intelligence and installs the necessary libraries on it. It's advised to specify the versions of the libraries to ensure that new versions of these libraries do not impact your environment.
FROM $com.sap.sles.base
RUN pip3.6 install --user numpy==1.16.4
RUN pip3.6 install --user pandas==0.24.0
RUN pip3.6 install --user sklearn

 

SAP Data Intelligence uses tags to indicate the content of the Docker File. These tags are used in a graphical pipeline to specify in which Docker image an Operator should run. Open the Configuration panel for the Docker File with the icon on the top-right hand corner.


 

Add a custom tag to be able to specify that this Docker File is for the Marathon case. Name it  "marathontimes". No further tags need to be added, as the base image com.sap.sles.base already contains all other tags that are required ("sles", "python36", "tornado").

The "Configuration" should look like:


 

Now save the Docker file and click the "Build"-icon to start building the Docker image.



 

Wait a few minutes and you should receive a confirmation that the build completed successfully.


 

Now you just need to configure the Python operator, which trains the model, to use this Docker image. Go back to the graphical pipeline "10 Train". Right-click the "Python 3"-operator and select "Group".


 

Such a group can contain one or more graphical operators. And on this group level you can specify which Docker image should be used. Select the group, which surrounds the "Python 3" Operator. Now in the group's Configuration select the tag "marathontimes". Save the graph.



 

The pipeline is now complete and we can run it. Go back to the ML Scenario. On the top left you notice a little orange icon, which indicates that the scenario was changed after the current version was created.


 

Earlier versions of SAP Data Intelligence were only able to execute pipelines that had no changes made to them after the last version was taken. This requirement has been removed, hence there is no need to create a new version at the moment. However, when implementing a productive solution, I strongly suggest to deploy only versioned content.

You can immediately execute this graph, to train and save the model! Select the pipeline in the ML Scenario and click the "Execute" button on the right.


 

Skip the optional steps until you get to the "Pipeline Parameters". Set "newArtifactName" to lm_model. The trained regression model will be saved under this name.


 

Click "Save". Wait a few seconds until the pipeline executes and completes. Just refresh the page once in a while and you should see the following screen. The metrics section shows the trained model's quality indicator (RMSE = 16.96) as well as the number of records that were used to train the model (n = 116). The model itself was saved successfully under the name "lm_model".


 

If you scroll down on the page, you see how the model's metrics as well as the model itself have become part of the ML scenario.


 

We have our model, now we want to use it for real-time inference.

Prediction / Inference with REST-API


Go back to the main page of your ML Scenario and create a second pipeline. This pipeline will provide the REST-API to obtain predictions in real-time. Hence call the pipeline "20 Apply REST-API". Now select the template "Python Consumer". This template contains a pipeline that provides a REST-API. We just need to configure it for our model.


 

The "OpenAPI Servlow" operator provides the REST-API. The "Artifact Consumer" loads the trained model from our ML scenario and the "Python36 - Inference" operator ties the two operators together. It receives the input from the REST-API call (here the half-marathon time) and uses the loaded model to create the prediction, which is then returned by the "OpenAPI Servlow" to the client, which had called the REST-API.


 

We only need to change the "Python36 - Inference"-operator. Open its "Script" window. At the top of the code, in the on_model() function, replace the single line "model = model_blob" with
import pickle
model = pickle.loads(model_blob)

 

Add a variable to store the prediction. Look for the on_input() function and add the line "prediction = None" as shown:
def on_input(msg):
error_message = ""
success = False
prediction = None # This line needs to be added

 

Below the existing comment "# obtain your results" add the syntax to extract the input data (half-marathon time) and to carry out the prediction:
# obtain your results
hm_minutes = json.loads(user_data)['half_marathon_minutes']
prediction = model.predict([[hm_minutes]])

 

Further at the bottom of the page, change the "if success:" section to:
if success:
# apply carried out successfully, send a response to the user
msg.body = json.dumps({'marathon_minutes_prediction': round(prediction[0], 1)})

 

Close the editor window. Finally, you just need assign the Docker image to the "Python36 - Inference" operator. As before, right-click the operator and select "Group". Add the tag "marathontimes".


 

Save the changes and go back to the ML Scenario. Now deploy the new pipeline. Select the pipeline "20 Apply REST-API" and click the "Deploy" icon.


 

Click through the screens until you can select the trained model from a drop-down. Click "Save".


 

Wait a few seconds and the pipeline is running!


 

As long as that pipeline is running, you have the REST-API for inference. So let's use it! There are plenty of applications you could use to test the REST_API. My personal preference is Postman, hence the following steps are using Postman. You are free to use any other tool of course.

Copy the deployment URL from the above screen. Do not worry, should you receive a message along the lines of "No service at path XYZ does not exist". This URL is not yet complete, hence the error might come up should you try to call the URL.

Now open Postman and enter the Deployment URL as request URL. Extend the URL with v1/uploadjson/. Change the request type from "GET" to "POST".



 

Go to the "Authorization"-tab, select "Basic Auth" and enter your user name and password for SAP Data Intelligence. The user name starts with your tenant's name, followed by a backslash and your actual user name.



 

Go to the "Headers"-tab and enter the key "X-Requested-With" with value "XMLHttpRequest".



 

Finally, pass the input data to the REST-API. Select the "Body"-tab, choose "raw" and enter this JSON syntax:
{
"half_marathon_minutes": 120
}

 

Press "Send" and you should see the prediction that comes from SAP Data Intelligence! Should you run a half-marathon in 2 hours, the model estimates a marathon time of under 2 hours 24 minutes. Try the REST-API with different values to see how the predictions change. Just don't extrapolate, stay within the half-marathon times of the training data.



 

Should you prefer to authenticate against the REST-API with a certificate, instead of a password, then see Certificate Authentication to call an OpenAPI Servlow pipeline on SAP Data Intelligence.

 

Summary


You have used Python in Jupyter Notebooks to train a Machine Learning model and the code has been deployed in a graphical pipeline for productive use. Your business processes and application can now leverage these predictions. The business users who benefit from these predictions, are typically not exposed to the underlying technologies. They should just receive the information they need, where and when they need it.

Let me give an example that is more business related than running times. Here is a screenshot of a Conversational AI chatbot, which uses such a REST-API from SAP Data Intelligence to estimate the price of a vehicle. The end users is having a chat with a bot and just needs to provide the relevant information about a car to receive a price estimate.



Happy predicting!

 

 

Looking for more?


If you liked this exercise and you want to keep going, you could follow the next blog, which uses SAP Data Intelligence to train a Machine Learning model inside SAP HANA, using the Machine Learning that is embedded inside SAP HANA:
SAP Data Intelligence: Deploy your first HANA ML pipelines

In case you want to stick with native Python, you may wonder how to apply the concept from this blog with your own, more realistic, dataset, that contains more than a single predictor. Below are the most import differences for using three predictors instead of just one. In this new example, we predict the price of a used vehicle, using the car's mileage, horse power, and the year in which the car was build.

Training the model in Jupyter:
from sklearn.linear_model import LinearRegression
x = df_data[['YEAR', 'HP', 'KILOMETER']]
y_true = df_data[['PRICE']]
lm = LinearRegression()
lm.fit(x, y_true)

Applying the model in Jupyter:
x_new = [[2005, 150, 50000]]
predictions = lm_loaded.predict(x_new)
round(predictions[0][0], 2)

Training the model in the pipeline. Just as in Jupyter:
    x = df_data[['YEAR', 'HP', 'KILOMETER']]
y_true = df_data[['PRICE']]

Inference pipeline, retrieving the new predictor values and creating the new prediction:
                input_year = json.loads(user_data)['YEAR']
input_hp = json.loads(user_data)['HP']
input_kilometer = json.loads(user_data)['KILOMETER']
prediction = model.predict([[input_year, input_hp, input_kilometer]])

Inference pipeline, returning the prediction:
        msg.body = json.dumps({'car_price': round(prediction[0][0], 2)})

Passing the values from Postman:
{
"YEAR": 2005,
"HP": 200,
"KILOMETER": 50000
}
117 Comments
0 Kudos
Excellent - thank you, Andreas!!
Philipp_Z
Product and Topic Expert
Product and Topic Expert

SAP Data Intelligence also comes with a built-in Data Lake. If you would like to use that embedded Data Lake instead of AWS S3 you need to do the following changes:

Section „Data Connection“: Instead of defining the connection to S3, use the pre-defined connection for the DI Data Lake. In the Metadata Explorer go via “Browse Connections” to “DI_DATA_LAKE” and directly upload the CSV file (e.g. in folder “shared”).

Section “Data exploration and free-style Data Science”: In the Juypter Notebook omit the code for connecting to S3, but instead use the following code to connect to the DI Data Lake and read the CSV file.

!pip install hdfs
from hdfs import InsecureClient
client = InsecureClient('http://datalake:50070')
with client.read('/shared/RunningTimes.csv', encoding = 'utf-8') as reader:
df = pd.read_csv(reader, sep=";")

The access to the built-in data lake from within Jupyter is also described in the documentation.

Section “Training Pipeline”: Instead of configuring the “Read File” operator for S3, configure the parameter “Service” and set it to “SDL”. Furthermore, adjust the input file path to the execution step in the “Training Pipeline” section, i.e. inputFilePath = shared/RunningTimes.csv

That’s all you need to do.

 

dubravko_bulic
Discoverer
0 Kudos
Thanks Andreas for sharing  - its perfect tutorial !!! 🙂
Phillip_P
Product and Topic Expert
Product and Topic Expert
0 Kudos
Great blog post Andreas, I was able to follow along in my own tenant.
dbertsche
Participant
For the Semantic Data Lake soluton I also had to add the complete input file path to the Execution step in the "Training Pipeline" section.

i.e. inputFilePath = shared/RunningTimes.csv

 

Thanks for the great tutorial and comments!
Philipp_Z
Product and Topic Expert
Product and Topic Expert
0 Kudos
Correct and thanks for spotting this. I updated my comment accordingly.
KarimM
Advisor
Advisor
0 Kudos

Thnx Andreas for this great tutorial.

I got error 502 “bad gateway” when sending the POST request.

It could be fixed by extending the Python Consumer template:
when returning the response a new instance of api.message was created.

request_id = msg.attributes['message.request.id']
response = api.Message(attributes={'message.request.id': request_id}, body=msg.body)
api.send('output', response)

dbertsche
Participant
0 Kudos
What all needs to be changed to train a different type of model using the pipeline interface? I trained a regression tree model (https://scikit-learn.org/stable/modules/generated/sklearn.ensemble.ExtraTreesRegressor.html) successfully in the Jupyter Notebook interface, then transferred to code to the Python3 operator in the pipeline interface. That operator seems to run fine, but the pipeline gets stuck on the "Artifact Producer" operator and the model is not produced (however, the metrics are produced). The pipeline stays in "running" status and never reaches "completed".
schneidertho
Advisor
Advisor
0 Kudos
Very cool blog, andreas.forster!

Thanks

Thorsten
0 Kudos
andreas.forster , Super Blog ! Informative and step by step - explained well ! Able to get hands on with SAP DI and created my first ML scenario with in build Data Lake. :).

karim.mohraz i ran into the same 502 error , your suggestion helped :).

philipp.zaltenbach Your steps to read from SDL connection helped a lot :).

dbertsche
Participant
Working with SAP support we found that there is a 10MB size limit on objects to fit through the pipeline between the Python3 operator and the Artifact Producer operator. In my case the model was larger and was getting stuck. We solved this by grouping those two operators together, tagged with the dockerfile below. Note: some of these settings are specific to my instance of DI

 
FROM §/com.sap.datahub.linuxx86_64/vsolution-golang:2.7.44

RUN python3.6 -m pip --no-cache-dir install \
requests==2.18.4 \
tornado==5.0.2 \
minio==3.0.3 \
hdfs==2.5.0 \
Pillow==6.0.0 \
tensorflow==1.13.1 \
numpy==1.16.4 \
pypng==0.0.19 \
pandas==0.24.0 \
sklearn
elimase101
Product and Topic Expert
Product and Topic Expert
0 Kudos

Very interesting and complete blog andreas.forster, thank you!

I am trying to do the same having loaded the marathon times file on a HANA table.

In the Jupyter notebook all good, I have used the new python APIs, but then? How should I change the training pipeline?

Thanks

Elisa

 

AndreasForster
Product and Topic Expert
Product and Topic Expert
0 Kudos
Thank you for sharing David, great to hear that you got it working and how you made it!
AndreasForster
Product and Topic Expert
Product and Topic Expert
0 Kudos
Hello Elisa, thank you for the feedback! To follow this tutorial with data that is held in SAP HAN you need to replace the "Read File" operator in the training pipeline with a "HANA Client". The select statement that retrieves the history can be passed to the HANA Client with a "Constant Operator". And a "Format Converter" after the HANA Client might be needed to get the CSV format this tutorial is based on.
However, with data in HANA, there is an alternative, that I would prefer. Since in HANA we have predictive algorithms, you can train the model directly in SAP HANA without data extraction. We have a new Python and R wrappers that make this pretty easy. Here are some links on that wrapper
https://blogs.sap.com/2019/08/21/conquer-your-data-with-the-hana-dataframe-exploratory-data-analysis...
https://help.sap.com/doc/1d0ebfe5e8dd44d09606814d83308d4b/latest/en-US/index.html
There are also hands-on sessions on that wrapper at this year's Teched season that is just starting, ie DAT260, SAP Data Intelligence: Machine Learning Push-Down to SAP HANA with Python
i033659
Advisor
Advisor
0 Kudos
Hello,

When I call the rest-API via Postman I get



Is there something wrong or do I just have to wait - actually I've been waiting already a rather long time? The inference pipeline in the modeller is running.

Thx, Ingo
henrique_pinto
Active Contributor
You don't need to have all operators running the same image/dockerfile to be able to run them in the same pod. A pod can have several containers based on different images. In DH, the way you tell it to run all operators in the same pod is by adding them all to the same group.
i033659
Advisor
Advisor
0 Kudos

Hi,

I think the reason might be that the Semantic Data Lake (SDL) does not really work in the CAL environment where I tried to deploy the solution. In particular it is possible to save the model in the SDL which can be checked in the Metadata Explorer. However trying to access the model when using it in the inference operator seems to fail. You can also find the error message in the else-branch of the interference operator.

Instead I used the local file system of DH to store the model which worked fine.

Regards, Ingo

elimase101
Product and Topic Expert
Product and Topic Expert
0 Kudos
Thank you Andreas!
Is there a documentation page about the library hana_notebook_connector?
AndreasForster
Product and Topic Expert
Product and Topic Expert
0 Kudos
The only documentation I am aware of is the popup within Jupyer. Have the cursor within the round brackets of NotebookConnectionContext(connectionId='YOURCONNECTION') and hit SHIFT+TAB.
0 Kudos
Hello Andreas,

 

Great Blog. I have one further question.

 

Is it possible to access Vora from JupyterLab Notebooks to access multiple Parquet files and leverage SQL on files.

 

Thanks, Prem

 
AndreasForster
Product and Topic Expert
Product and Topic Expert
0 Kudos
Hi Prem, I haven't tried accessing Vora from Python. But you can read Parquet files in Jupyter Notebooks and in the graphical pipelines, the latter of which can also write to Vora if that's any helpful. Greetings, Andreas
0 Kudos

Hi Philip,

Do we need to do any setting if we wish to use DI_DATA_LAKE for the first time.Its a newly created instance.

I am getting following error while accessing folders in Data lake for uploading the file. Can you please advise.

Folder cannot be displayed Error displaying Connection: DI_DATA_LAKE, Path: /. Select a connection or go back to previous location

Module
dh-app-metadata
Code
91322
Message
Could not browse the connection or folder
Detail
Could not browse the connection. Invalid input.
GUID
5f68badf-83d0-4e25-857e-ee00d936606a
Hostname
data-application-59d7l-bf46cd9d8-xgk27
Causes
Module
dh-app-connection
Code
10102
Message
Error at Type Extension ‘onBeforeSendResponse’: Error at exchange with Storage Gateway: 404 – “<html>\n<head>\n<meta http-equiv=\”Content-Type\” content=\”text/html;charset=ISO-8859-1\”/>\n<title>Error 404 </title>\n</head>\n<body>\n<h2>HTTP ERROR: 404</h2>\n<p>Problem accessing /webhdfs/v1/. Reason:\n<pre> Not Found</pre></p>\n<hr />\n</body>\n</html>\n”
GUID
7d3f7ff4-7dc1-4080-89ef-a1ffc0e448dd
Hostname
flowagent-whcwh-784854d86c-pk9cn
0 Kudos
Hi Andreas,

 

also thanks for your great blog - I'm also actually trying to access HANA from a canary service instance but cannot connect (ESOCKETTIMEDOUT). Is there something specific to configure?

 

Thanks,

Rudolf
AndreasForster
Product and Topic Expert
Product and Topic Expert
0 Kudos
Hi Rudolf, I have seen the ESOCKETTIMEDOUT error when
- the HANA system is either down
- or if the HANA system cannot be found (ie if it has no external IP address)
- or if the wrong port was specified

In case this doesn't help, please ping me directly so we keep the comments on this blog close to the Marathon case 🙂

Many Greetings, Andreas
erick_santillan
Discoverer
I would add that if you can't upload the file using the Metadata Explorer (the upload button is grey) it could be that is because you don't have the sufficient permissions. Your user must have the policy sap.dh.metadata assigned to them.

In order to assign it you can go to System Management > Users then click on the plus sign and add that policy to the user.

 

Thanks for the tutorial!

 
PrashantJayaram
Product and Topic Expert
Product and Topic Expert

It’s worth noting that the Data Intelligence virtual machines (DI VMs) do not have the DI_DATA_LAKE connection as of this writing; therefore I had to use an S3 bucket.

Within the “10 Train” pipeline I also had to make the following changes to the Artifact Producer:

  • Right-click the Artifact Producer operator, and click “Open Operator Editor”.  Click the “Configuration” tab, and change the “service” parameter’s value from “SDL” to “File”.
  • Open the script for Artifact Producer, and change the value of the “flagUsingFileStorage” variable to “true”.

On a related note, I found “kubectl get pods -w” and “kubectl log {pod_id}” to be invaluable for diagnosing why my pipeline execution kept failing.  These logs can also be downloaded from the Status tab in the pipeline modeler.

EDIT:  Actually, if you just click the name of the item in Status, you get something more readable than the log, and you can see exactly where in the pipeline the execution failed. 

joseph_reddy88
Participant
0 Kudos
Thank you so much Andrea for the end-to-end tutorial. Waiting to build this.
Phillip_P
Product and Topic Expert
Product and Topic Expert
0 Kudos
Thanks Prashant!

You saved me a lot of time trying to figure out if the Artifact Producer can be used without the SDL.
Former Member
0 Kudos
Hi, Andreas,

 

thanks for the great hands-on tutorial.

 

But somehow I am stuck with the docker build step. Using your sample code, I get the error message:

Error reading Dockerfile open /vrep/vflow/dockerfiles/com/sap/opensuse/python36/Dockerfile: no such file or directory

 

Trying to switch to other base images such as §/com.sap.datahub.linuxx86_64/vsolution-golang:2.7.44 or  python-3.6.3-slim-strech, I am able to build the docker image. Nevertheless, the execution of the pipeline always failed with no further message than "Dead".

 

-- Is there any documentation about  base images available for data hub? Is there any way to take a look at the repository?

-- How to get more detailed error messages?
AndreasForster
Product and Topic Expert
Product and Topic Expert

Hi DaPeng,
The newly release DI 3.0 introduced some changes, there is a new base image for instance.
https://help.sap.com/viewer/1c1341f6911f4da5a35b191b40b426c8/Cloud/en-US/d49a07c5d66c413ab14731adcfc...
I hope to test this out soon, in the meantime please try this syntax

FROM $com.sap.sles.base
RUN python3.6 -m pip install numpy==1.16.4 --user
RUN python3.6 -m pip install pandas==0.24.0 --user
RUN python3.6 -m pip install sklearn --user

The Monitoring tile on the DI launchpad shows a more detailed error for a failed pipeline.

0 Kudos
Hi Andreas,

I have the same issue with Dapeng, after trying your new script. it gives me an error :

"Unable to start docker file build: /service/v1/dockerenv/deploy/python36marathon"

or

"build failed for image: 589274667656.dkr.ecr.ap-southeast-1.amazonaws.com/di_30/vora/vflow-node-691ab04f0613a196010aa19647e61e943a7ffafc:3.0.21-python36marathon-20200425-210636"

I checked also the guide in help.sap, couldn't figure out how to correct the script.

Can you please help?

Thank you!
Former Member
0 Kudos

Hi,

I am able to build the docker image with following DOCKERFILE.

FROM $com.sap.sles.base
RUN pip3.6 install –user numpy==1.16.4
RUN pip3.6 install –user pandas==0.24.0
RUN pip3.6 install –user sklearn

 

Nevertheless, when running the pipeline, I got the following error:

container has runAsNonRoot and image will run as root

 

Any idea, how to configure the security or runAs context for the container?

 

AndreasForster
Product and Topic Expert
Product and Topic Expert
0 Kudos
Hi DaPeng, hi James,
I have just updated the whole blog for DI 3.0.
There were plenty of changes, the product is moving fast 🙂
For instance the connection, the docker file, the read file operator the versioning.
The docker syntax is updated in the blog. And the tags that need to be assigned have also changed.
You may want to skim through the blog from the beginning, for instance the bucket name is now specified in the connection.
Please let me know if you get stuck somewhere or if you make it to the end.
Andreas
AndreasForster
Product and Topic Expert
Product and Topic Expert
0 Kudos
Hi DaPeng, hi James,
I have just updated the whole blog for DI 3.0.
There were plenty of changes, the product is moving fast 🙂
For instance the connection, the docker file, the read file operator the versioning.
The docker syntax is updated in the blog. And the tags that need to be assigned have also changed.
You may want to skim through the blog from the beginning, for instance the bucket name is now specified in the connection.
Please let me know if you get stuck somewhere or if you make it to the end.
Andreas
martin_donadio
Employee
Employee
0 Kudos
Hi Andreas !

 

This is a great post !! Thanks for sharing all details and steps.

 

I created a ML Scenario, in the Jupyter Notebook i installed opencv-python

 

!pip install opencv-python

 

And everything looks fine

 
Collecting opencv-python
Downloading https://files.pythonhosted.org/packages/d0/f0/cfe88d262c67825b20d396c778beca21829da061717c7aaa8b421a... (28.2MB)
|████████████████████████████████| 28.2MB 12.6MB/s eta 0:00:01 |████████████ | 10.5MB 12.6MB/s eta 0:00:02
Requirement already satisfied: numpy>=1.14.5 in /opt/conda/lib/python3.7/site-packages (from opencv-python) (1.18.1)
Installing collected packages: opencv-python
Successfully installed opencv-python-4.2.0.34

When I try to import cv2 I get the error below


import cv2


---------------------------------------------------------------------------

ImportError Traceback (most recent call last)
<ipython-input-3-c8ec22b3e787> in <module>
----> 1 import cv2

/opt/conda/lib/python3.7/site-packages/cv2/__init__.py in <module>
3 import sys
4
----> 5 from .cv2 import *
6 from .data import *
7

ImportError: libSM.so.6: cannot open shared object file: No such file or directory

This looks to me that an os library is missign in the container.

If I try to run zypper I get the below error
ERROR: zypper was removed due to licensing reasons.
It depends on 'rpm' module, which is licensed under sleepycat license.


Do you have any hints to run opencv in ML Scenarios?


Best regards,

Martin

 
AndreasForster
Product and Topic Expert
Product and Topic Expert
0 Kudos
Hi Martin, Glad to hear you find the blog helpful!
But I haven't tried opencv myself I am afraid.
0 Kudos
Hi Andreas,

thank you for the comprehensive article. I've met however an issue on the last step. I set a POST request using curl and get an error:
ralf@home ~> curl -X POST https://vsystem.ingress.dh-y23a0vea.dhaas-live.shoot.live.k8s-hana.ondemand.com/app/pipeline-modeler... --data "{\"half_marathon_minutes\"
: 120}" --user 'default\XXXXXX:XXXXXXXX' -H "X-Requested-With: XMLHTTPRequest"

Illegal URL request path '/openapi/service/f29ab031-5823-479a-b69f-8076c46921fe/v1/uploadjson'. No executing host found

ralf@home ~>

The URL is copied from deployment page. Google didn't help. What could it be?

 

Mychajlo
AndreasForster
Product and Topic Expert
Product and Topic Expert
Hi Mychajlo,
Does the inference pipeline still show as "Running" in DI? Maybe it terminated with an error.
If it is still running, I wonder if your corproate network or security settings might be blocking some communication.
Can you please try from your laptop using a Hotspot from your phone, or just from your personal laptop with your home Wifi.
Since I haven't called the inference URL from curl, do you get the same result in Postman? Just in case curl might need some additional config / parameter.
Andreas
0 Kudos
Hi Andreas,

many thanks for this interesting post,

I did install SAP DI trial version and I'm using AWS for the as a host,

I used this post to simulate my ML model of predicting diabetes (classification problem), however, I stuck while creating the environment of python through the docker file.

can you please have a look into the below error?

many thanks for your help

 

Unable to start docker file build: /service/v1/dockerenv/deploy/dockerized
AndreasForster
Product and Topic Expert
Product and Topic Expert
Hello Mohamed,
I wonder if your environment might not be configured correctly, were you able to build any Docker File?
Does this single line build successfully for example?

FROM $com.sap.sles.base

Andreas
0 Kudos
Hi Andreas,

I tried this line as well and it runs successfully,

FYI, I used another dataset, however, I'm using only Pandas, Sklearn, and NumPy to import

thanks

Mohamed
juder
Associate
Associate
0 Kudos
I am following this tutorial. I am executing the code below in the jupyter notebook with my own csv file located as in the code:

import boto3
import pandas as pd
import io
client = boto3.client('s3', aws_access_key_id=access_key, aws_secret_access_key=secret_key)
bucket = 'bucket1'
object_key = 'bucket1/shared/JR/RunningTimes.csv'
csv_obj = client.get_object(Bucket=bucket, Key=object_key)
body = csv_obj['Body']
csv_string = body.read().decode('utf-8')
df_data = pd.read_csv(io.StringIO(csv_string), sep=";")

 

I am getting the following error: Can someone let me know what I am doing wrong?
---------------------------------------------------------------------------
ClientError Traceback (most recent call last)
<ipython-input-30-e77a0f1f08d7> in <module>
5 bucket = 'bucket1'
6 object_key = 'RunningTimes.csv'
----> 7 csv_obj = client.get_object(Bucket=bucket, Key=object_key)
8 body = csv_obj['Body']
9 csv_string = body.read().decode('utf-8')

/opt/conda/lib/python3.7/site-packages/botocore/client.py in _api_call(self, *args, **kwargs)
314 "%s() only accepts keyword arguments." % py_operation_name)
315 # The "self" in this scope is referring to the BaseClient.
--> 316 return self._make_api_call(operation_name, kwargs)
317
318 _api_call.__name__ = str(py_operation_name)

/opt/conda/lib/python3.7/site-packages/botocore/client.py in _make_api_call(self, operation_name, api_params)
633 error_code = parsed_response.get("Error", {}).get("Code")
634 error_class = self.exceptions.from_code(error_code)
--> 635 raise error_class(parsed_response, operation_name)
636 else:
637 return parsed_response

ClientError: An error occurred (InvalidAccessKeyId) when calling the GetObject operation: The AWS Access Key Id you provided does not exist in our records.


Thanks you for your help.
Jude



AndreasForster
Product and Topic Expert
Product and Topic Expert
Hello Jude, You are getting this error as you are working with a SAP internal system that does not have a true S3 bucket connected.
Your boto3 library connects to Amazon, which does not know about the S3 simulator in your system. Hence the message from Amazon: "The AWS Access Key Id you provided does not exist in our records."
To proceed with the Python code, you can create an S3 bucket on Amazon, and use its credentials in DI.
Andreas
AndreasForster
Product and Topic Expert
Product and Topic Expert
0 Kudos
Hi Mohamed, If the single FROM line builds successfully it seems to find the base image. Can you also build the following code?

In case this fails, I assume there is a problem with the Docker configuration, maybe it cannot connect to the web to download the packages.
FROM $com.sap.sles.base
RUN pip3.6 install --user numpy==1.16.4
RUN pip3.6 install --user pandas==0.24.0
RUN pip3.6 install --user sklearn
juder
Associate
Associate
Hi Andreas, that's a great information. I had no idea about that. Thank you very much for letting me know of this.

-Jude
0 Kudos
Hi Andreas,

I tried the above but it gives me the below error

 
error building docker image. Docker daemon error: The command '/bin/sh -c pip3.6 install --user numpy==1.16.4' returned a non-zero code: 1

a few seconds ago
AndreasForster
Product and Topic Expert
Product and Topic Expert
Hello Mohamed, I assume your Docker environment might not be configured correctly.
Maybe it doesn't have Internet access to download packages from PyPI.
Can you log a ticket with support for this? Or the wider SAP community might be able to help http://answers.sap.com/
Andreas
Hi Andreas/mohamed.abdelrasoul,

 

I am the same error:

 

The command ‘/bin/sh -c pip3.6 install –user numpy==1.16.4’ returned a non-zero code: 1

 

With this script

FROM $com.sap.sles.base
RUN pip3.6 install --user numpy==1.16.4
RUN pip3.6 install --user pandas==0.24.0
RUN pip3.6 install --user sklearn
RUN pip3.6 install --user tensorflow

I tried to do it like this but the docker is never created


FROM §/com.sap.datahub.linuxx86_64/vsolution-golang:2.7.44RUN python3.6 -m pip --no-cache-dir install \
tornado==5.0.2 \
hdfs==2.5.0 \
tensorflow==1.13.1 \
numpy==1.16.4 \
pandas==0.24.0

 

I think that is not posible create docker file into Sap Cal DI 3.0. I tried with Azure and i am triying it with Aws.

 

Therofere when i assign tags to groups i get the error:








failed to prepare graph description: failed to select image: no matching dockerfile found for group 'group1' with runtime tags: {"pandas": "", "sklearn": "", "numpy": "", "Pillow": "", "test2": "", "hdfs": "", "tornado": "", "minio": "", "tensorflow": "", "pypng": "", "requests": "", "python36": ""}; Alternatives are: {com.sap.dh.scheduler {"dh-app-base": "2002.1.10", "node": "vflow-sub-node"}} {com.sap.opensuse.flowagent-codegen {"flowagent-codegen": "2002.1.12", "opensuse": "", "spark": "2.4.0", "hadoop": "2.9.0", "python36": "", "tornado": "5.0.2", "deprecated": ""}} {com.sap.opensuse.golang.zypper {"opensuse": "", "python36": "", "tornado": "5.0.2", "sapgolang": "1.13.5-bin", "zypper": "", "deprecated": ""}} {com.sap.sles.ml.python {"ml-python": "", "numpy36": "1.13.1", "scipy": "1.1.0", "tornado": "5.0.2", "sapgolang": "1.13.5-bin", "python36": "", "opencv36": "3.4.2", "pykalman36": "", "textblob36": "0.12.0", "tweepy36": "3.7.0", "automated-analytics": "3.2.0.9", "sles": ""}} {test2 {"test2": "", "sles": "", "python36": "", "tornado": "5.0.2", "node": "10.16.0"}} {com.sap.opensuse.flowagent-operator {"opensuse": "", "deprecated": "", "flowagent": "2002.1.12"}} {com.sap.sles.sapjvm {"sles": "", "sapjvm": "", "python36": "", "tornado": "5.0.2"}} {com.sap.sles.textanalysis {"vflow_textanalysis": "", "python36": "", "tornado": "5.0.2", "sles": ""}} {org.opensuse {"tornado": "5.0.2", "sapgolang": "1.13.5-bin", "zypper": "", "opensuse": "", "python36": ""}} {phyt {"requests": "", "tornado": "", "tensorflow": "", "sklearn": "", "pypng": "", "pandas": "", "minio": "", "hdfs": "", "Pillow": "", "numpy": ""}} {com.sap.scenariotemplates.customdataprocessing.pandas {"python36": "", "pandas": "0.20.1", "tornado": "5.0.2", "node": "10.16.0", "sles": ""}} {com.sap.sles.dq {"sles": "", "vflow_dh_dq": "2002.1.2"}} {com.sap.sles.base {"default": "", "sles": "", "python36": "", "tornado": "5.0.2", "node": "10.16.0"}} {com.sap.dh.workflow {"dh-app-data": "2002.1.9", "node": "vflow-sub-node"}} {com.sap.sles.ml.functional-services {"sapgolang": "1.13.5-bin", "deprecated": "", "node": "10.16.0", "tornado": "5.0.2", "python36": "", "requests": "2.22.0", "sles": ""}} {com.sap.sles.streaming {"sles": "", "sapjvm": "", "streaming_lite": "", "python36": "", "tornado": "5.0.2"}} {com.sap.sles.flowagent-operator {"sles": "", "flowagent": "2002.1.12"}} {python36marathon {"marathontimes12": "", "sles": "", "python36": "", "tornado": "5.0.2", "node": "10.16.0"}} {trey {"trt": ""}} {Test7 {"sles": "", "python36": "", "tornado": "5.0.2", "node": "10.16.0", "tes7": ""}} {com.sap.dsp.dsp-core-operators {"hdfs": "2.5.0", "aiohttp": "3.5.4", "sapdi": "0.3.23", "hana_ml": "1.0.8.post5", "sapgolang": "1.13.5-bin", "hdbcli": "2.4.167", "pandas": "0.24.2", "tornado": "5.0.2", "python36": "", "sles": "", "requests": "2.22.0", "backoff": "1.8.0", "uvloop": "0.12.2"}} {com.sap.scenariotemplates.customdataprocessing.papaparse {"node": "", "papaparse": "4.1.2", "sles": "", "python36": "", "tornado": "5.0.2"}} {com.sap.dsp.sapautoml {"sapautoml": "2.0.0", "tornado": "5.0.2", "python36": "", "sles": ""}} {com.sap.sles.flowagent-codegen {"hadoop": "2.9.0", "python36": "", "tornado": "5.0.2", "flowagent-codegen": "2002.1.12", "sles": "", "spark": "2.4.0"}} {com.sap.sles.golang {"sles": "", "sapgolang": "1.13.5-bin", "python36": "", "tornado": "5.0.2"}} {com.sap.sles.hana_replication {"sles": "", "sapjvm": "", "python36": "", "tornado": "5.0.2", "hanareplication": "0.0.101"}} {test1 {"sles": "", "python36": "", "tornado": "5.0.2", "node": "10.16.0"}} {Tes6 {"Test6": ""}} {com.sap.opensuse.dq {"opensuse": "", "deprecated": "", "vflow_dh_dq": "2002.1.2"}} {com.sap.opensuse.ml.rbase {"rjsonlite": "", "tree": "", "sles": "", "python36": "", "opensuse": "", "rserve": "", "tornado": "5.0.2", "r": "3.5.0", "rmsgpack": ""}} {com.sap.sles.node {"tornado": "5.0.2", "sles": "", "node": "", "python36": ""}}









But i assign the tags. I assign the tags to the operator and the group.







Great blog Andreas.
former_member688220
Discoverer
0 Kudos
Hi Andreas,

I'm having exactly the same problem as Sergio. I was checking other blogs but I think there is no workaround to solve this issue. Could you please help us?

Truly thanks in advance.
former_member688220
Discoverer
0 Kudos
I'm having the same issue Sergio, and I don't know where to search, seems like there is no documentation to solve it.