SAP Web IDE Ninja #4: Develop Full-Stack To-Do app in SAP Web IDE – Part 2 – Server Side
This blog post is part 2 of a series of blogs on how to develop full-stack To-Do application in SAP Web IDE Full-Stack.
Prerequisites
Before reading this blog please make sure that you have read, understood and implemented part 0 and part 1 of this series.
Let’s Get Started!
Create your Java Module
The Java module is responsible for:
- OData provisioning of the database module
- Custom business logic
In our app we will use it for the OData provisioning.
To create the Java module, follow these steps:
- In SAP Web IDE, select the todo project folder
- Right-click it and select New -> Java Module
- Select OData V4 Service Using SAP Cloud Platform SDK template and then click on Next.
- Enter service as the module name and click Next.
- Enter Group ID, artifact ID and package or just use the default values.
Make sure that Enable SAP HANA Database support checkbox is checked! It’s needed to allow connectivity from the Java service to the HANA database module. Finally, click Finish. - SAP Web IDE creates a new service folder under your todo project folder. In addition, the mta.yaml file is updated and now contains the service java module in addition to the db module.
Specifically notice the ‘provides’ and ‘requires’ sections in the mta.yaml file. The db and java modules both require HANA and provides a service_api which will be used by the UI module (that we will create in part 3 of this series). - Next, select the service folder which is located under service > src > main > java >
{your_package_path} > service - Right-click it and select New > Java Class to create a new Java class
- Enter ToDoService in the Name field, click Next and Finish
- SAP Web IDE creates the ToDoService.java file in the service folder
- Open the ToDoService.java file in the code editor
- Copy the code below and paste it under the first line in the file (under the package {your_package_name} )
import java.sql.Connection; import java.util.List; import javax.naming.Context; import javax.naming.InitialContext; import javax.sql.DataSource; import org.slf4j.Logger; import org.slf4j.LoggerFactory; import com.sap.cloud.sdk.hana.connectivity.cds.CDSQuery; import com.sap.cloud.sdk.hana.connectivity.cds.CDSSelectQueryBuilder; import com.sap.cloud.sdk.hana.connectivity.cds.CDSSelectQueryResult; import com.sap.cloud.sdk.hana.connectivity.handler.CDSDataSourceHandler; import com.sap.cloud.sdk.hana.connectivity.handler.DataSourceHandlerFactory; import com.sap.cloud.sdk.service.prov.api.EntityData; import com.sap.cloud.sdk.service.prov.api.operations.Query; import com.sap.cloud.sdk.service.prov.api.operations.Read; import com.sap.cloud.sdk.service.prov.api.request.QueryRequest; import com.sap.cloud.sdk.service.prov.api.request.ReadRequest; import com.sap.cloud.sdk.service.prov.api.response.QueryResponse; import com.sap.cloud.sdk.service.prov.api.response.ReadResponse; /** * * @author I059508 */ public class ToDoService { private static Logger logger = LoggerFactory.getLogger(ToDoService.class); @Query(entity = "Task", serviceName = "todo") public QueryResponse findTasks(QueryRequest request) { try { QueryResponse res = QueryResponse.setSuccess().setEntityData(getEntitySet(request)).response(); return res; } catch (Exception e) { return null; } } @Read(entity = "Task", serviceName = "todo") public ReadResponse getProposedBooks(ReadRequest readRequest){ try { ReadResponse readResponse = ReadResponse.setSuccess().setData(readEntity(readRequest)).response(); return readResponse; } catch (Exception e) { return null; } } private List<EntityData> getEntitySet(QueryRequest queryRequest) { String fullQualifiedName = queryRequest.getEntityMetadata().getNamespace() + "." + queryRequest.getEntityMetadata().getName(); CDSDataSourceHandler dsHandler = DataSourceHandlerFactory.getInstance().getCDSHandler(getConnection(), queryRequest.getEntityMetadata().getNamespace()); try { CDSQuery cdsQuery = new CDSSelectQueryBuilder(fullQualifiedName).build(); CDSSelectQueryResult cdsSelectQueryResult = dsHandler.executeQuery(cdsQuery); return cdsSelectQueryResult.getResult(); } catch (Exception e) { logger.error("==> Eexception while fetching query data from CDS: " + e.getMessage()); e.printStackTrace(); } return null; } private EntityData readEntity(ReadRequest readRequest) throws Exception { CDSDataSourceHandler dsHandler = DataSourceHandlerFactory.getInstance().getCDSHandler(getConnection(), readRequest.getEntityMetadata().getNamespace()); EntityData ed = dsHandler.executeRead(readRequest.getEntityMetadata().getName(), readRequest.getKeys(), readRequest.getEntityMetadata().getElementNames()); return ed; } private static Connection getConnection(){ Connection conn = null; Context ctx; try { ctx = new InitialContext(); conn = ((DataSource) ctx.lookup("java:comp/env/jdbc/java-hdi-container")).getConnection(); System.out.println("conn = " + conn); } catch (Exception e) { e.printStackTrace(); } return conn; } }
- The java code that you just added is doing the following:
- Connects to the SAP HANA database – see the getConnection() method
- Uses the @Read and @Query annotations to expose a task and a list of tasks in OData. This is done using the SAP Cloud Java SDK which is added automatically by SAP Web IDE as a Maven dependency in the module (to understand more, review the pom.xml).
Notice: This java code handles only the Task entity’s ‘query’ and ‘read’ operations.
Handling the SubTask entity or any other CUD (create, update, delete) operations can be done in the same way (using the same SDK with similar code).
- Now let’s create the EDMX file for our OData V4 service metadata.
Select the edmx folder (which is located under the resources folder), right-click it and select New > File - Enter todo_v4_default.xml as the File Name and click OK
- Open the new file and paste the following content into it:
<?xml version='1.0' encoding='UTF-8'?> <edmx:Edmx Version="4.0" xmlns:edmx="http://docs.oasis-open.org/odata/ns/edmx"> <edmx:DataServices> <Schema xmlns="http://docs.oasis-open.org/odata/ns/edm" Namespace="todo"> <EntityType Name="Task"> <Key> <PropertyRef Name="id"/> </Key> <Property Name="id" Type="Edm.String" Nullable="false" MaxLength="10"/> <Property Name="title" Type="Edm.String" Nullable="false" MaxLength="100"/> <Property Name="note" Type="Edm.String" MaxLength="250"/> <Property Name="status" Type="Edm.Int16"/> </EntityType> <EntityType Name="SubTask"> <Key> <PropertyRef Name="id"/> </Key> <Property Name="id" Type="Edm.String" Nullable="false" MaxLength="10"/> <Property Name="taskId" Type="Edm.String" Nullable="false" MaxLength="10"/> <Property Name="content" Type="Edm.String" Nullable="false" MaxLength="250"/> <Property Name="status" Type="Edm.Int16"/> </EntityType> <EntityContainer Name="EntityContainer_16ED33654DD94D7FA71D8CBCD0F62216"> <EntitySet Name="Task" EntityType="todo.Task"></EntitySet> <EntitySet Name="SubTask" EntityType="todo.SubTask"></EntitySet> </EntityContainer> </Schema> </edmx:DataServices> </edmx:Edmx>
Notice – in the future this file will be automatically generated by SAP Web IDE and so this step will not be required anymore.
Moreover, the EDMX file must be OData V4 complaint and must contain the same entities, properties and associations that we have in the HDBCDS file that was created in part 1 of this series. For the purpose of this blog it’s sufficient to just copy and paste it into your project.
Build and test your Java module
Now that we created all the relevant resources for our java module, its time to build it.
The build operation will execute a Maven build that will download all the dependencies and check that our java module is runnable.
- Right-click the service folder (which is located under the todo folder) and click Build
- Logs and info about the build status can be found in SAP Web IDE console (can be opened via the View menu bar).
- The message Build of /todo/service completed successfully indicates that your project has been built successfully.
- Now we can run the service!
Right-click the service folder and select Run > Run Java Application
(Notice this operation can take several minutes) - Finally, SAP Web IDE presents the service URL of your OData service in the Run Console
- In order to view the content of the OData service, open your browser and enter the URL together with /odata/v4/todo appended to it.
This should present the OData service document. - In order to access to the service metadata add /odata/v4/todo/$metadata
- In order to access to the list of tasks add /odata/v4/todo/Task
That’s it 🙂
In part 3, we will show how to create the UI module that will consume this OData service.
Our app will consume the service and show the lists of tasks in a Master section, and the task details in a Details section.
Getting a error when i try to paste the code in the java class. Error says "import com.sap cannot be resolved". This is happening will all com.sap import packages in the code. Can you suggest if I am missing something here
Hi, can you please try to build the module and see if it works? It may be related to our syntax validation feature .
Hi Ran, When creating the Java Module (step 1of this blog), I only have the following templates available
It is not showing OData V4 Service Using SAP Cloud Platform SDK. How can I get this template?
Hi,
Have you enabled all the features that were specified in part 0?
Make sure that Tools for Java Development and the SAP S/4HANA Extension Tools features are enabled.
Regards,
Michal.
Hi Ran,
Thanks for wonderful blogs.
I have one question. It may be out of scope here.
I see that when I choose new template, there is one option SAP S/4HANA Service Extension. How is this template different from MTA or Full stack application for CF?
I’ve been trying to google document about it but found nothing.
Do you have any resources regarding to this template?
Thanks in advance.
Tri
Hi Tri,
My blogs explain how to create full stack app from scratch using our current programming model. The template that you asked about is for extending S/4 services (with code). I think Boris Tsirulnik can provide more info about it.
Ran.
Hi Ran,
In a java module for an MTA project I need a library which is not part of the maven repository.
I can find this library (com.sap.xs2.security.java-container-security) inside Nexus repository: http://nexus.wdf.sap.corp:8081/nexus/content/groups/build.milestones.
I added a settings.xml file in the Java module with the nexus repository but still no success.
In the documentation I've read that there is a default settings.xml file which is overwritten when you create your own settings file. See here: https://help.sap.com/viewer/DRAFT/4505d0bdaf4948449b7f7379d24d0f0d/2.0.01/en-US/e19ece95516c4dd9b7a2d081395efef0.html
Could you tell me where can I find this default settings.xml file? Do I need to set any proxy for the nexus repository? Have any idea what I can do to solve my issue?
Thank you!
Andreea
Hi Former Member as much as i know currently you cannot add custom maven repo and all your dependencies must be available on the maven central repository. I think Boris Tsirulnik can provide more details about it.
Thanks,
Ran.
Hi Ran,
Thanks for your answer. I will contact Boris.
Andreea
Hi Guys,
nice blog and detailed to the best extent.
i am trying out the same whereas when I run the service i dont get data in the response.
the url that i hit is .- https://p19xxxxxxx-unl2mvmp7i27nwr2-bookstore-service.cfapps.eu10.hana.ondemand.com/odata/v4/store/Book
and response i get is - {"@odata.context":"$metadata#Book","value":[]} , ideally i should get the array of data from table.
when i check logs i find that there is an java exception in line -conn = ((DataSource)
ctx.lookup("java:comp/env/jdbc/java-hdi-container")).getConnection();
"javax.naming.NamingException: The url cannot be null
at org.apache.naming.NamingContext.lookup(NamingContext.java:856)"
looks like it is not able to fetch the HDI containername or somethinng like that , i have no clue what this line of code means.
might be i am missing on a ny steps of some setting to be done in full stack webide.
any help here is highly appreciated.
Regards
SK
Hi, this blog shows how to create ToDo app and your URL points to the Book entity so i wanted to know if you are trying to create a different app?
Yes I am trying to create it based on the hand-son i received at SAP Teched, everything is same except the Database name and Entity.
Hi, I have implemented the same example ToDo app. I dont see the resuls of the entity. Please help.
have you resolved this issue? if yes , can you help me?
This can be fixed by concatenating the query string with
"todo.db::todo.Task"
String fullQualifiedName = "todo.db::" + queryRequest.getEntityMetadata().getNamespace() + "." + queryRequest.getEntityMetadata().getName();
As the SQL console forms the select statement as follows
SELECT TOP 1000
"id",
"title",
"note",
"status",
"FromTaskToSubTask.taskId"
FROM "TODO_HDI_DB_XX"."todo.db::todo.Task";
Hi,
I am facing issue like "Method Not Implemented". my metadata loads perfectly, but unable to see the data if i choose the entity set. any help?
Thank you,
Regards,
JK
Hi , sorry for the delay in my response.
I think this is related to the Java class. Can you please share your Java class (the ToDoService.java)?
thanks,
ran.
Yes, there was a problem with respect to the namesapce. i resolved it, it is working as expected.
When I try to run Java Application, getting following error-
Running module todo/service failed. Cannot read property "Report" of undefined.
With oData service, getting metadata correctly. But when I try to read data using Task entity, it returns empty data-
Hi, Did you tried to check if you get any issue in the database explorer? Please make sure this feature is enabled before doing it
Thank you for your blog. I have been following along with this tutorial, and I find that I am not able to run the service because I have already exceeded the memory quota. Please note that I am running this on the Cloud Foundry trial in SCP. The builder I installed within the project already took up all the available memory on the quota so it is not possible for me to adjust anything within SCP. Isn't there anything I can do to free up memory? The logs are below.
Hi , sorry for the delay in my response..
you can go to your cloud foundry cockpit and stop some applications there which consume memory. You need to make sure that you have at least 1024MB FREE before running it again.
Ran.
Hi,
were you able to solve this? How did you solve it? I get the exact same error.
Hello Ran,
Thanks a lot for the well-written blog!
Is there a possibility to debug the Java-Application from WebIDE?
I would also like to know if there is a possibility to restart the java-application a bit faster in case I have changed something in the java-code after the app is already running.
Kind regards
Oliver
Hello Oliver,
in case you did not find it by yourself: You can open the run configuration for your java application and enable "Run in debug mode".
Best regards,
Christian.
Hello,
thanks for this great tutorial! I am getting an java error when I try to call /odata/v4/todo/Task
I could nail it to
The stacktrace looks like this:
"{ "written_at":"2018-08-08T14:19:29.424Z","written_ts":511463059062548,"component_id":"15fa5176-db66-4004-99e2-d9f17cfb8d0a","component_name":"245Dsgqv7Lu8sRSD-todo-service","DCComponent":"","organization_name":"-","component_type":"application","space_name":"dev","component_instance":"0","organization_id":"-","correlation_id":"-","CSNComponent":"","ResourceBundle":"/todo/Task#/odata/v4/todo/Task#","space_id":"eef31c80-c6a6-45d2-bbd6-b5dffac3ea26","Application":"245Dsgqv7Lu8sRSD-todo-service","container_id":"10.0.73.162","type":"log","logger":"org.apache.tomcat.jdbc.pool.ConnectionPool","thread":"http-nio-0.0.0.0-3000-exec-2","level":"ERROR","categories":[],"msg":"Unable to create initial connections of pool.","stacktrace":["java.sql.SQLException: The url cannot be null","\tat java.sql.DriverManager.getConnection(DriverManager.java:649)","\tat java.sql.DriverManager.getConnection(DriverManager.java:208)","\tat org.apache.tomcat.jdbc.pool.PooledConnection.connectUsingDriver(PooledConnection.java:308)","\tat org.apache.tomcat.jdbc.pool.PooledConnection.connect(PooledConnection.java:203)","\tat org.apache.tomcat.jdbc.pool.ConnectionPool.createConnection(ConnectionPool.java:735)","\tat org.apache.tomcat.jdbc.pool.ConnectionPool.borrowConnection(ConnectionPool.java:667)","\tat org.apache.tomcat.jdbc.pool.ConnectionPool.init(ConnectionPool.java:482)","\tat org.apache.tomcat.jdbc.pool.ConnectionPool.<init>(ConnectionPool.java:154)","\tat org.apache.tomcat.jdbc.pool.DataSourceProxy.pCreatePool(DataSourceProxy.java:118)","\tat org.apache.tomcat.jdbc.pool.DataSourceProxy.createPool(DataSourceProxy.java:107)","\tat org.apache.tomcat.jdbc.pool.DataSourceFactory.createDataSource(DataSourceFactory.java:560)","\tat org.apache.tomcat.jdbc.pool.DataSourceFactory.getObjectInstance(DataSourceFactory.java:244)","\tat com.sap.xs.jdbc.datasource.tomcat.TomcatDataSourceFactory.createContainerDataSource(TomcatDataSourceFactory.java:79)","\tat com.sap.xs.jdbc.datasource.tomcat.TomcatDataSourceFactory.getDataSourceInstance(TomcatDataSourceFactory.java:59)","\tat com.sap.xs.jdbc.datasource.tomcat.TomcatDataSourceFactory.getObjectInstance(TomcatDataSourceFactory.java:47)","\tat org.apache.naming.factory.FactoryBase.getObjectInstance(FactoryBase.java:94)","\tat javax.naming.spi.NamingManager.getObjectInstance(NamingManager.java:321)","\tat org.apache.naming.NamingContext.lookup(NamingContext.java:840)","\tat org.apache.naming.NamingContext.lookup(NamingContext.java:159)","\tat org.apache.naming.NamingContext.lookup(NamingContext.java:827)","\tat org.apache.naming.NamingContext.lookup(NamingContext.java:159)","\tat org.apache.naming.NamingContext.lookup(NamingContext.java:827)","\tat org.apache.naming.NamingContext.lookup(NamingContext.java:159)","\tat org.apache.naming.NamingContext.lookup(NamingContext.java:827)","\tat org.apache.naming.NamingContext.lookup(NamingContext.java:173)","\tat org.apache.naming.SelectorContext.lookup(SelectorContext.java:163)","\tat javax.naming.InitialContext.lookup(InitialContext.java:417)","\tat nxpcm.sample.todo.service.ToDoService.getConnection(ToDoService.java:88)","\tat nxpcm.sample.todo.service.ToDoService.getEntitySet(ToDoService.java:62)","\tat nxpcm.sample.todo.service.ToDoService.findTasks(ToDoService.java:40)","\tat sun.reflect.NativeMethodAccessorImpl.invoke0(Native Method)","\tat sun.reflect.NativeMethodAccessorImpl.invoke(NativeMethodAccessorImpl.java:62)","\tat sun.reflect.DelegatingMethodAccessorImpl.invoke(DelegatingMethodAccessorImpl.java:43)","\tat java.lang.reflect.Method.invoke(Method.java:498)","\tat com.sap.cloud.sdk.service.prov.v4.util.ProcessorHelper.invokeMethod(ProcessorHelper.java:154)","\tat com.sap.cloud.sdk.service.prov.v4.util.ProcessorHelper.invokeOperation(ProcessorHelper.java:99)","\tat com.sap.cloud.sdk.service.prov.v4.custom.dataprovider.CustomDataProvider.getEntityCollectionForQuery(CustomDataProvider.java:381)","\tat com.sap.cloud.sdk.service.prov.v4.custom.dataprovider.CustomDataProvider.readEntityCollection(CustomDataProvider.java:331)","\tat com.sap.cloud.sdk.service.prov.v4.rt.core.GenericODataProcessor.readEntityCollection(GenericODataProcessor.java:351)","\tat org.apache.olingo.server.core.ODataDispatcher.handleEntityCollectionDispatching(ODataDispatcher.java:512)","\tat org.apache.olingo.server.core.ODataDispatcher.handleEntityDispatching(ODataDispatcher.java:495)","\tat org.apache.olingo.server.core.ODataDispatcher.handleResourceDispatching(ODataDispatcher.java:147)","\tat org.apache.olingo.server.core.ODataDispatcher.dispatch(ODataDispatcher.java:113)","\tat org.apache.olingo.server.core.ODataHandlerImpl.processInternal(ODataHandlerImpl.java:160)","\tat org.apache.olingo.server.core.ODataHandlerImpl.process(ODataHandlerImpl.java:85)","\tat org.apache.olingo.server.core.ODataHttpHandlerImpl.process(ODataHttpHandlerImpl.java:74)","\tat org.apache.olingo.server.core.ODataHttpHandlerImpl.process(ODataHttpHandlerImpl.java:88)","\tat com.sap.cloud.sdk.service.prov.v4.rt.core.web.ODataServlet.service(ODataServlet.java:116)","\tat javax.servlet.http.HttpServlet.service(HttpServlet.java:742)","\tat org.apache.catalina.core.ApplicationFilterChain.internalDoFilter(ApplicationFilterChain.java:231)","\tat org.apache.catalina.core.ApplicationFilterChain.doFilter(ApplicationFilterChain.java:166)","\tat org.apache.tomcat.websocket.server.WsFilter.doFilter(WsFilter.java:52)","\tat org.apache.catalina.core.ApplicationFilterChain.internalDoFilter(ApplicationFilterChain.java:193)","\tat org.apache.catalina.core.ApplicationFilterChain.doFilter(ApplicationFilterChain.java:166)","\tat com.sap.cloud.sdk.cloudplatform.servlet.RequestContextServletFilter$1.execute(RequestContextServletFilter.java:219)","\tat com.sap.cloud.sdk.cloudplatform.servlet.Executable.call(Executable.java:23)","\tat com.sap.cloud.sdk.cloudplatform.servlet.Executable.call(Executable.java:13)","\tat com.sap.cloud.sdk.cloudplatform.servlet.RequestContextCallable.call(RequestContextCallable.java:82)","\tat com.sap.cloud.sdk.cloudplatform.servlet.RequestContextServletFilter.doFilter(RequestContextServletFilter.java:221)","\tat org.apache.catalina.core.ApplicationFilterChain.internalDoFilter(ApplicationFilterChain.java:193)","\tat org.apache.catalina.core.ApplicationFilterChain.doFilter(ApplicationFilterChain.java:166)","\tat org.apache.catalina.core.StandardWrapperValve.invoke(StandardWrapperValve.java:199)","\tat org.apache.catalina.core.StandardContextValve.invoke(StandardContextValve.java:96)","\tat org.apache.catalina.authenticator.AuthenticatorBase.invoke(AuthenticatorBase.java:478)","\tat org.apache.catalina.core.StandardHostValve.invoke(StandardHostValve.java:140)","\tat com.sap.xs.java.valves.ErrorReportValve.invoke(ErrorReportValve.java:66)","\tat ch.qos.logback.access.tomcat.LogbackValve.invoke(LogbackValve.java:191)","\tat org.apache.catalina.core.StandardEngineValve.invoke(StandardEngineValve.java:87)","\tat com.sap.xs.jdbc.datasource.valve.JDBCValve.invoke(JDBCValve.java:62)","\tat com.sap.xs.statistics.tomcat.valve.RequestTracingValve.invoke(RequestTracingValve.java:43)","\tat com.sap.xs.logging.catalina.RuntimeInfoValve.invoke(RuntimeInfoValve.java:40)","\tat org.apache.catalina.valves.RemoteIpValve.invoke(RemoteIpValve.java:677)","\tat org.apache.catalina.connector.CoyoteAdapter.service(CoyoteAdapter.java:342)","\tat org.apache.coyote.http11.Http11Processor.service(Http11Processor.java:803)","\tat org.apache.coyote.AbstractProcessorLight.process(AbstractProcessorLight.java:66)","\tat org.apache.coyote.AbstractProtocol$ConnectionHandler.process(AbstractProtocol.java:868)","\tat org.apache.tomcat.util.net.NioEndpoint$SocketProcessor.doRun(NioEndpoint.java:1459)","\tat org.apache.tomcat.util.net.SocketProcessorBase.run(SocketProcessorBase.java:49)","\tat java.util.concurrent.ThreadPoolExecutor.runWorker(ThreadPoolExecutor.java:1149)","\tat java.util.concurrent.ThreadPoolExecutor$Worker.run(ThreadPoolExecutor.java:624)","\tat org.apache.tomcat.util.threads.TaskThread$WrappingRunnable.run(TaskThread.java:61)","\tat java.lang.Thread.run(Thread.java:808)"] }"
It seems like the java-db-connector can not be found. Can anybody help?
Thanks in advance und best regards,
Christian.
i am getting the same error when calling /odata/v4/todo/Task
are you able to resolve the error?
Thank you,
Venu
Unfortunately, no
Best regards,
Christian.
Hello ,
I have followed your tutorial and everything is working fine. Now I want my edmx file to be generated automatically can you tell me how to do this please ?
Thank you,
Best Regards
Lancelot
Hi All,
its an excellent blog. I really enjoyed it while reading.
one problem i am facing that i am able to access the task table from the URL but when i try to access the SubTask table then it is giving error like
Got it 🙂
need to define the same code for the SubTask entity.
Great post.
Excellent explanation