02267: Software Development of Web Services
|
|
|
- Ruby Mae Bradford
- 9 years ago
- Views:
Transcription
1 02267: Software Development of Web Services Week 8 Hubert Baumeister [email protected] Department of Applied Mathematics and Computer Science Technical University of Denmark Fall
2 Recap I BPEL: I Doing things in parallel: the flow construct I Transactions in BPEL: compensatiion handler I RESTful Web services I Introduction and simple example 2
3 Contents RESTful Services Resources Representations JSON Project Introduction 3
4 REST = Representational State Transfer I REST is an architecture style defined by Roy Fielding, one of the authors of HTTP 1.0 and 1.1 I Characteristics I Client-server I Stateless I The server does not hold any application state (e.g. state regarding a session); all the information needs to be provided by the client! improves scalability I Cachebale I Uniform Interface I use of standard methods, e.g. GET, POST,... I use of standard representation, e.g. MIME types 4
5 What are RESTful Web Services? Concepts I Resource: Identified by URI: /sr/resources/students/123 I Representation: Mime types, e.g. test/plain, application/xml, application/json, / I Uniform Interface: HTTP Verbs: GET, POST, PUT (PATCH), DELETE I Hyperlinks: Business logic (next steps in the business process)! next week 5
6 Student Registration I Classical Web Services focus on services (= operations) I RESTful Web Services focus on resources URI Path Resource Class HTTP Methods /institute InstituteResource GET, PUT /institute/address InstituteResource GET, PUT /students StudentsResource GET, POST /students/{id} StudentResource GET, PUT, DELETE I CRUD: Create, Read, Update, Delete 6
7 Student Registration: Institute Resource Institute resource I When accessing /sr/webresources/intitute using GET, DTU is returned I Accessing the same URL using PUT with a string, the name of the institution is changed URI Path Resource Class HTTP Methods /institute InstituteResource GET, PUT I Bottom up development: 1 JAX-RS annotated client (2) WADL (Web Application Description Language) 3 Client using Jersey 7
8 Java implementation: JAX-RS annotations package ws.dtu; import javax.ws.rs.get; import javax.ws.rs.put; import javax.ws.rs.path; import public class InstituteResource { private static String name public String getinstitutename() { return public void setinstitutename(string input) { name = input; } // Resets the name for testing public void reset() { name = "DTU"; } 8
9 RESTful Client using Jersey Note that the video on the Web page uses an older version of the library Use the code presented in these slides instead import javax.ws.rs.client.*; import javax.ws.rs.core.mediatype;... public class StudentRegistrationTest { Client client = ClientBuilder.newClient(); WebTarget r = public void testgetinstitutename() { String result = r.request().get(string.class); assertequals("dtu",result); public void testputinstitutename() { String expected = "Technical University of Denmark"; r.request().put(entity.entity(expected, MediaType.TEXT_PLAIN)); assertequals(expected,r.request().get(string.class)); public void resetinstitutename() { r.path("reset").request().put(entity.entity("", MediaType.TEXT_PLAIN)); } 9
10 Contents RESTful Services Resources Representations JSON Project Introduction 10
11 Student Registration extended I Classical Web Services focus on services (= operations) I RESTful Web Services focus on resources I Two types of resources: students (the list of all students) and student (one student) I Basic operations like register student, search student, access student data, update student data and delete student data is mapped to the appropriate HTTP method URI Path Resource Class HTTP Methods /institute InstituteResource GET, PUT /institute/address InstituteResource GET, PUT /students StudentsResource GET, POST /students/{id} StudentResource GET, PUT, DELETE I A particular student is accessed by its id, e.g. /students/123 11
12 Example: Student Registration Implementation I A resource path corresponds to one implementation class I StudentsResource (note the plural) import public class @Produces(MediaType.TEXT_PLAIN) public String registerstudent(student st) {... public String findstudent(@queryparam("name") String name) {... } allows access to a query parameter, e.g. students?name=nielsen I Conversion from and to XML if XmlRootElement() is public class Student {... } 12
13 Example: Student Registration Implementation Class public class public Student getstudent(@pathparam("id") String public Student setstudent(@pathparam("id") String id, Student public String deletestudent(@pathparam("id") String id, Student std) {.. } I id in the path is replaced by the actual id of the student id ) allows to map that path component to a paramter in the Java method 13
14 Example: Student Registration Usage Through the browser I Advantage: Fast way to test a REST services I Disadvantage: Only works with GET operation 14
15 Example: Student Registration Usage I CURL ( sending HTTP requests via the command line I Search for students curl I Register a new student curl -X POST \ --data "<student><id>123</id><name>jimmy Jones</name></studen I Accessing the data of 345 curl I Updating the data of student 456 curl -X PUT \ --data "<student><name>jimmy Jones</name></student>" \ I Deleting an item curl -X DELETE 15
16 Using Postman plugin in Google Chrome I Apps::Web Store::Postman 16
17
18
19 Example: Student Registration Usage I Client c = ClientBuilder.newClient(); WebTarget r = c.target(" I Search for a student String url = r.path("students").request().queryparam("name","fleming").get(string.class) I Register a new student Student student = new Student(); student.setname(..);... String id = r.path("students").request().post(entity.entity(student,mediatype.mediatype.application_xml), String.class; 17
20 Example: Student Registration Usage II I Accessing the data of 345 Student s = r.path("students").path("345").get(student.class); I Updating the data of student 456 Student student = new Student();... Student s = r.path("students").path("456").request().put(entity.entity(student,mediatype.application_xml), Student.class); I Deleting an item String res = r.path("456").request().delete(string.class); 18
21 Contents RESTful Services Resources Representations JSON Project Introduction 19
22 Multiple Representations registerstudent: data provided as XML @Produces("text/plain") public String registerstudentxml(student st) { return @Produces("text/plain") public String registerstudentjson(student st) { return registerstudent(st); } public String registerstudent(student student) { student.setid(nextfreestudentid()); students.put(student.getid(),student); String url = " return url + student.getid(); } 20
23 HTTP Request JSON POST /sr/resources/students HTTP/1.1 Accept: */* Content-Type: application/json User-Agent: Java/1.6.0_37 Host: localhost:8070 Connection: keep-alive Transfer-Encoding: chunked 21 {"id":"133","name":"jimmy Jones"} 0 XML POST /sr/resources/students HTTP/1.1 Accept: */* Content-Type: application/xml User-Agent: Java/1.6.0_37 Host: localhost:8070 Connection: keep-alive Transfer-Encoding: chunked 6e <?xml version="1.0" encoding="utf-8" standalone="yes"?> <student> <id>133</id> <name>jimmy Jones</name> </student> 21
24 Client Code Student student = new Student(); student.setid("133"); student.setname("jimmy Jones"); String res = target.request().post(entity.entity(student, MediaType.APPLICATION_JSON), String.class); Entity.entity(...,MediaType... ) sets the Content-Type header of the HTTP request 22
25 Multiple Representations I getstudent: data returned as XML public Student getstudentxml(@pathparam("id") String id) {; return public Student getstudentjson(@pathparam("id") String id) { return getstudent(id); } public Student getstudent(string id) { return students.get(id); } 23
26 HTTP Request XML GET /sr/resources/students/123 HTTP/1.1 Accept: application/xml User-Agent: Java/1.6.0_37 Host: localhost:8070 Connection: keep-alive HTTP/ OK... Content-Type: application/xml... <?xml version="1.0" encoding="utf-8" standalone="yes"?> <student> <id>123</id> <name>jimmy Jones</name> </student> JSON GET /sr/resources/students/123 HTTP/1.1 Accept: application/json User-Agent: Java/1.6.0_37 Host: localhost:8070 Connection: keep-alive 24
27 Client Code Student student = target.path("123").request().accept(mediatype.application_xml)..get(student.class); accept(mediatype... ) sets the Accept header of the HTTP request 25
28 Contents RESTful Services Resources Representations JSON Project Introduction 26
29 JSON: JavaScript Object Notation Syntax: I Basically: key value pairs or records or structs I Simple datatypes: object, string, number, boolean, null, arrays of values Eg. object { "name" : "Johan", "id" : 123 } Nested objects { "name" : "Johan", "id" : 123, "address" : { "city": "Copenhagen", "street": "Frørup Byvej 7" } } Eg. array of objects [ { "name" : "Johan", "id" : 123 }, { "name" : "Jakob", "id" : 423 } ] 27
30 JSON Advantages I lightweight { "name" : "Johan", "id" : 123 } I Compare to <?xml version="1.0" encoding="utf-8" standalone="yes"?> <student> <name>johan</name> <id>123</id> </student> I Easy to use with Javascript, e.g. var student = eval("("+ jsonstring + ")")! But: Security risk! Better var student = JSON.parse(jsonString) Disadvantage I JSON is not typed! Is { name : Johan, id : 123, foo : bar } a person object?! Each client has to check for himself if all the necessary fields are there 28
31 Next Week I RESTful Services I Error Handling I Implementing Business Processes I SOAP based Web services I Web service discovery: UDDI, WSIL 29
32 Contents RESTful Services Resources Representations JSON Project Introduction 30
33 Exam project introduction TravelGood I TravelGood is a travel agency allowing to manage itineraries, book them, and possibly cancel them! Detailed description on CampusNet I Business Process I Planning phase: get flight/hotel information, add flight/hotels to itineraries I Booking phase: book the itinerary I Cancel phase: possibly cancel the itinerary I Trips consists of flights and hotels I possible several flights and hotels I flights are always one-way I TravelGood works together with I Airline Reservation Agency: LameDuck I Hotel Reservation Agency: NiceView I Bank: FastMoney I will be provided at 31
34 Tasks (I) 1 Write a section on Web services (SOAP-based and RESTful) 2 Show the coordination protocol between the client and the travel agency as a state machine 3 Implement the Web services from the previous slide I Define the appropriate data structures I Services of LameDuck and NiceView I Two implementations for TravelGood a. BPEL process b. RESTful services 32
35 Tasks (2) 4 Create the JUnit tests testing the major behaviour of the planning, booking and cancelling 5 Web service discovery I Create WSIL files describing the services each company offers 6 Compare BPEL implementation with RESTful implementation 7 Advanced Web service technology I Discuss WS-Addressing, WS-Reliable Messaging, WS-Security, and WS-Policy 33
36 General remarks I The implementation can be done using Java with Netbeans but also using any other Web service technology, e.g..net I However BPEL must be used for composite Web services I All your Web services should be running and have the required JUnit tests or xunit for other programming languages, e.g NUnit for.net I During the project presentations you may be asked to show the running system by executing the clients I It might be helpful do use some helper services in BPEL processes to do complicated computations. I However these helper services are not allowed to call Web services if the helper service is not written in BPEL 34
37 Structure of the report 1. Introduction I Introduction to Web services 2. Coordination Protocol 3. Web service implementations 3.1 Data structures used 3.2 Airline- and hotel reservation services 3.3 BPEL implementation 3.4 RESTful implementation 4. Web service discovery 5. Comparison between RESTful and SOAP/BPEL Web services 6. Advanced Web service technology 7. Conclusion 8. Who did what No appendices 35
38 Reporting: Web service implementations I Each Web service should have a short description of what it does and how it is implemented I BPEL processes I graphical representation of the BPEL process in an understandable way (e.g. you can use several diagrams for showing a BPEL process, e.g. one for the overall structure and others for the details) I There is a feature in the BPEL designer of Netbeans to hide details I RESTful services I What are resources and why? I Mapping to HTTP verbs I Representation options and choices 36
39 What needs to be delivered? I Report (report xx.pdf) I application xx.zip I Source code projects (e.g. Netbeans projects) of the application so that I can deploy and run the projects I Implemented Web services I Simple services I Complex services (BPEL) I Tests 37
40 Important: Who did what in the project I It is important that with each section / subsection it is marked who is responsible for that part of the text. I There can only be one responsible person for each part of the text. I In addition, each WSDL, XSD, BPEL, Java,... file needs to have an author. I Who is author of which file should be listed in the section Who did What in the report I Make sure that each member of the group does something of each task (including RESTful WS and BPEL)! I Note that you all are responsible that the overall project looks good I Team work is among the learning objectives I Don t think: I am not responsible for this part, so I don t have to care how this part looks and contributes to the whole 38
41 General tips I It is likely to get better grades if you all work together and everybody is in fact responsible for every part in the report I Prioritise high risk task: Don t put off high risk tasks (like doing the BPEL processes) to the end of the project I Not so good: XML schema, WSDL file, Simple Web services, BPEL processes, Test I Better: work by user stories: book trip successful (Test, XML schema, WSDL file, Simple Web services, BPEL process), book trip with errors (... ), cancel trip successful (... ),... I Try to avoid waiting for each other I I can t do the WSDL files, because I am waiting for the other guy doing the XML schemata first 39
42 Schedule I Forming of project groups happens now I Project starts today and finishes midnight on Monday in lecture week 13 I Submission of the two files to the assignment module on CampusNet I Project presentations will be Tuesday 15 Friday 18.12: participation is mandatory I Help I Regarding the problem description I Technical help I Lab sessions before the lecture will continue through the project period and can be used for technical questions and problem clarifications I Please also send your Netbeans projects if you write an I Detailed task description on CampusNet 40
02267: Software Development of Web Services
02267: Software Development of Web Services Week 8 Hubert Baumeister [email protected] Department of Applied Mathematics and Computer Science Technical University of Denmark Fall 2013 Contents RESTful Services
Distribution and Integration Technologies
Distribution and Integration Technologies RESTful Services REST style for web services REST Representational State Transfer, considers the web as a data resource Services accesses and modifies this data
REST API Development. B. Mason Netapp E-Series
+ REST API Development B. Mason Netapp E-Series + Disclaimer Opinion expressed here are mine and do not necessarily represent Netapp 2 Who am I?? Software Engineer at Netapp E-Series AppAware Designer
Cloud Elements! Marketing Hub Provisioning and Usage Guide!
Cloud Elements Marketing Hub Provisioning and Usage Guide API Version 2.0 Page 1 Introduction The Cloud Elements Marketing Hub is the first API that unifies marketing automation across the industry s leading
REST vs. SOAP: Making the Right Architectural Decision
REST vs. SOAP: Making the Right Architectural Decision Cesare Pautasso Faculty of Informatics University of Lugano (USI), Switzerland http://www.pautasso.info 1 Agenda 1. Motivation: A short history of
Security Testing For RESTful Applications
Security Testing For RESTful Applications Ofer Shezaf, HP Enterprise Security Products [email protected] What I do for a living? Product Manager, Security Solutions, HP ArcSight Led security research and product
Types of Cloud Computing
Types of Cloud Computing (SaaS)Software as a Service XaaS (PaaS) Platform as a Service (IaaS) Infrastructure as a Service Access to Cloud computing Service Web URL (standard HTTP methods) web brower HTTP
Apache CXF Web Services
Apache CXF Web Services Dennis M. Sosnoski Portland Java Users Group August 16, 2011 http://www.sosnoski.com http://www.sosnoski.co.nz About me Java, web services, and SOA expert Consultant and mentor
Lecture Notes course 02267 Software Development of Web Services
Lecture Notes course 02267 Software Development of Web Services Hubert Baumeister [email protected] Fall 2014 Contents 1 Web Service Coordination 1 1.1 What is Coordination.........................................
REST web services. Representational State Transfer Author: Nemanja Kojic
REST web services Representational State Transfer Author: Nemanja Kojic What is REST? Representational State Transfer (ReST) Relies on stateless, client-server, cacheable communication protocol It is NOT
The full setup includes the server itself, the server control panel, Firebird Database Server, and three sample applications with source code.
Content Introduction... 2 Data Access Server Control Panel... 2 Running the Sample Client Applications... 4 Sample Applications Code... 7 Server Side Objects... 8 Sample Usage of Server Side Objects...
Remote Access API 2.0
VYATTA A BROCADE COMPANY Vyatta System Remote Access API 2.0 REFERENCE GUIDE Vyatta A Brocade Company 130 Holger Way San Jose, CA 95134 www.brocade.com 408 333 8400 COPYRIGHT Copyright 2005 2015 Vyatta,
CONTRACT MODEL IPONZ DESIGN SERVICE VERSION 2. Author: Foster Moore Date: 20 September 2011 Document Version: 1.7
CONTRACT MODEL IPONZ DESIGN SERVICE VERSION 2 Author: Foster Moore Date: 20 September 2011 Document Version: 1.7 Level 6, Durham House, 22 Durham Street West PO Box 106857, Auckland City Post Shop, Auckland
XML Processing and Web Services. Chapter 17
XML Processing and Web Services Chapter 17 Textbook to be published by Pearson Ed 2015 in early Pearson 2014 Fundamentals of http://www.funwebdev.com Web Development Objectives 1 XML Overview 2 XML Processing
JASPERREPORTS SERVER WEB SERVICES GUIDE
JASPERREPORTS SERVER WEB SERVICES GUIDE RELEASE 5.0 http://www.jaspersoft.com JasperReports Server Web Services Guide Copyright 2012 Jaspersoft Corporation. All rights reserved. Printed in the U.S.A. Jaspersoft,
Creating Web Services in NetBeans
Creating Web Services in NetBeans Fulvio Frati [email protected] Sesar Lab http://ra.crema.unimi.it 1 Outline Web Services Overview Creation of a Web Services Server Creation of different Web Services
REST services in Domino - Domino Access Services
REST services in Domino - Domino Access Services Domino Programmability Team 2012 IBM Corporation Agenda Why REST? REST Basics RESTful Domino Domino Access Services Overview Domino Access Services Domino
SOA CERTIFIED JAVA DEVELOPER (7 Days)
SOA CERTIFIED JAVA DEVELOPER (7 Days) To achieve this certification, the following exams must be completed with a passing grade: Exam S90.01: Fundamental SOA & Service-Oriented Computing Exam S90.02: SOA
Common definitions and specifications for OMA REST interfaces
Common definitions and specifications for OMA REST interfaces Candidate Version 1.0 11 Jan 2011 Open Mobile Alliance OMA-TS-REST_Common-V1_0-20110111-C OMA-TS-REST_Common-V1_0-20110111-C Page 2 (20) Use
MathCloud: From Software Toolkit to Cloud Platform for Building Computing Services
MathCloud: From Software Toolkit to Cloud Platform for Building Computing s O.V. Sukhoroslov Centre for Grid Technologies and Distributed Computing ISA RAS Moscow Institute for Physics and Technology MathCloud
soapui Product Comparison
soapui Product Comparison soapui Pro what do I get? soapui is a complete TestWare containing all feautres needed for Functional Testing of your SOA. soapui Pro has added aditional features for the Enterprise
Principles and Foundations of Web Services: An Holistic View (Technologies, Business Drivers, Models, Architectures and Standards)
Principles and Foundations of Web Services: An Holistic View (Technologies, Business Drivers, Models, Architectures and Standards) Michael P. Papazoglou (INFOLAB/CRISM, Tilburg University, The Netherlands)
Fairsail REST API: Guide for Developers
Fairsail REST API: Guide for Developers Version 1.02 FS-API-REST-PG-201509--R001.02 Fairsail 2015. All rights reserved. This document contains information proprietary to Fairsail and may not be reproduced,
WIRIS quizzes web services Getting started with PHP and Java
WIRIS quizzes web services Getting started with PHP and Java Document Release: 1.3 2011 march, Maths for More www.wiris.com Summary This document provides client examples for PHP and Java. Contents WIRIS
WEB SERVICES. Revised 9/29/2015
WEB SERVICES Revised 9/29/2015 This Page Intentionally Left Blank Table of Contents Web Services using WebLogic... 1 Developing Web Services on WebSphere... 2 Developing RESTful Services in Java v1.1...
Hello World RESTful web service tutorial
Hello World RESTful web service tutorial Balázs Simon ([email protected]), BME IIT, 2015 1 Introduction This document describes how to create a Hello World RESTful web service in Eclipse using JAX-RS
SOA CERTIFIED CONSULTANT
SOA CERTIFIED CONSULTANT (5 Days) A Certified SOA Consultant is required to obtain proficiency in a cross-section of key SOA topic areas, including both conceptual and technical aspects of service-oriented
Cloud Elements ecommerce Hub Provisioning Guide API Version 2.0 BETA
Cloud Elements ecommerce Hub Provisioning Guide API Version 2.0 BETA Page 1 Introduction The ecommerce Hub provides a uniform API to allow applications to use various endpoints such as Shopify. The following
Cloud Powered Mobile Apps with Microsoft Azure
Cloud Powered Mobile Apps with Microsoft Azure Malte Lantin Technical Evanglist Microsoft Azure Malte Lantin Technical Evangelist, Microsoft Deutschland Fokus auf Microsoft Azure, App-Entwicklung Student
02267: Software Development of Web Services
02267: Software Development of Web Services Week 5 Hubert Baumeister [email protected] Department of Applied Mathematics and Computer Science Technical University of Denmark Fall 2015 1 Recap XML Schema Complex
Developing a Web Server Platform with SAPI Support for AJAX RPC using JSON
Revista Informatica Economică, nr. 4 (44)/2007 45 Developing a Web Server Platform with SAPI Support for AJAX RPC using JSON Iulian ILIE-NEMEDI, Bucharest, Romania, [email protected] Writing a custom web
Enabling REST Services with SAP PI. Michael Le [email protected] Peter Ha [email protected]
Enabling REST Services with SAP PI Michael Le [email protected] Peter Ha [email protected] Learning Points Understanding the REST architecture and concepts Understanding the differences between SOAP and
Building and Using Web Services With JDeveloper 11g
Building and Using Web Services With JDeveloper 11g Purpose In this tutorial, you create a series of simple web service scenarios in JDeveloper. This is intended as a light introduction to some of the
Performance Testing Web 2.0
Performance Testing Web 2.0 David Chadwick Rational Testing Evangelist [email protected] Dawn Peters Systems Engineer, IBM Rational [email protected] 2009 IBM Corporation WEB 2.0 What is it? 2 Web
An Oracle White Paper June 2014. RESTful Web Services for the Oracle Database Cloud - Multitenant Edition
An Oracle White Paper June 2014 RESTful Web Services for the Oracle Database Cloud - Multitenant Edition 1 Table of Contents Introduction to RESTful Web Services... 3 Architecture of Oracle Database Cloud
WEB SERVICES TEST AUTOMATION
WEB SERVICES TEST AUTOMATION Notes for Facilitated Discussion at September 2013 Meeting of Northern Virginia Test Automation Interest Group By Rick Hower [email protected] and Jim Moore [email protected]
Cross-domain Identity Management System for Cloud Environment
Cross-domain Identity Management System for Cloud Environment P R E S E N T E D B Y: N A Z I A A K H TA R A I S H A S A J I D M. S O H A I B FA R O O Q I T E A M L E A D : U M M E - H A B I B A T H E S
Building SOA Applications with JAX-WS, JAX- RS, JAXB, and Ajax
Building SOA Applications with JAX-WS, JAX- RS, JAXB, and Ajax Mark Hansen Founder & President, AgileIT [email protected] S296157 Learn Powerful Coding Techniques for Building SOA Applications using
Chapter 1: Web Services Testing and soapui
Chapter 1: Web Services Testing and soapui SOA and web services Service-oriented solutions Case study Building blocks of SOA Simple Object Access Protocol Alternatives to SOAP REST Java Script Object Notation
JBoss SOAP Web Services User Guide. Version: 3.3.0.M5
JBoss SOAP Web Services User Guide Version: 3.3.0.M5 1. JBoss SOAP Web Services Runtime and Tools support Overview... 1 1.1. Key Features of JBossWS... 1 2. Creating a Simple Web Service... 3 2.1. Generation...
Internet Technologies. World Wide Web (WWW) Proxy Server Network Address Translator (NAT)
Internet Technologies World Wide Web (WWW) Proxy Server Network Address Translator (NAT) What is WWW? System of interlinked Hypertext documents Text, Images, Videos, and other multimedia documents navigate
WA2087 Programming Java SOAP and REST Web Services - WebSphere 8.0 / RAD 8.0. Student Labs. Web Age Solutions Inc.
WA2087 Programming Java SOAP and REST Web Services - WebSphere 8.0 / RAD 8.0 Student Labs Web Age Solutions Inc. 1 Table of Contents Lab 1 - WebSphere Workspace Configuration...3 Lab 2 - Introduction To
Session 6 Patterns and best practices in SOA/REST
Session 6 Patterns and best practices in SOA/REST Sistemas Distribuidos Diego Sevilla Ruiz DITEC Facultad de Informática Murcia, 2012 Diego Sevilla Ruiz (DITEC Facultad de Informática) Session 6 Patterns
HTTP Protocol. Bartosz Walter <[email protected]>
HTTP Protocol Bartosz Walter Agenda Basics Methods Headers Response Codes Cookies Authentication Advanced Features of HTTP 1.1 Internationalization HTTP Basics defined in
JVA-561. Developing SOAP Web Services in Java
JVA-561. Developing SOAP Web Services in Java Version 2.2 A comprehensive look at the state of the art in developing interoperable web services on the Java EE 6 platform. Students learn the key standards
Progress OpenEdge REST
Progress OpenEdge REST Deploying, Managing, and Troubleshooting your REST Web Application Kumar Navneet Principal Software Engineer Progress Software October 8, 2013 David Cleary Principal Software Engineer
Getting started with API testing
Technical white paper Getting started with API testing Test all layers of your composite applications, not just the GUI Table of contents Executive summary... 3 Introduction... 3 Who should read this document?...
Accessing Data with ADOBE FLEX 4.6
Accessing Data with ADOBE FLEX 4.6 Legal notices Legal notices For legal notices, see http://help.adobe.com/en_us/legalnotices/index.html. iii Contents Chapter 1: Accessing data services overview Data
Computer Networks. Lecture 7: Application layer: FTP and HTTP. Marcin Bieńkowski. Institute of Computer Science University of Wrocław
Computer Networks Lecture 7: Application layer: FTP and Marcin Bieńkowski Institute of Computer Science University of Wrocław Computer networks (II UWr) Lecture 7 1 / 23 Reminder: Internet reference model
NASSI-SCHNEIDERMAN DIAGRAM IN HTML BASED ON AML
Volume 6, Number 3, 2013 NASSI-SCHNEIDERMAN DIAGRAM IN HTML BASED ON AML László Menyhárt Abstract: In an earlier work I defined an extension of XML called Algorithm Markup Language (AML) for easy and understandable
The HTTP Plug-in. Table of contents
Table of contents 1 What's it for?... 2 2 Controlling the HTTPPlugin... 2 2.1 Levels of Control... 2 2.2 Importing the HTTPPluginControl...3 2.3 Setting HTTPClient Authorization Module... 3 2.4 Setting
Integration Knowledge Kit Developer Journal
Integration Knowledge Kit Developer Journal IBM Process Server 7.5 A developer's journal of lessons learned and metrics to compare developer productivity and performance costs. The journal explores why
Application layer Web 2.0
Information Network I Application layer Web 2.0 Youki Kadobayashi NAIST They re revolving around the web, after all Name any Internet-related buzz: Cloud computing Smartphone Social media... You ll end
Web Services (2009-10-29 1.1 )
Web Services Web Services What is a Web Service? It is an application component that can be accessed using Web protocols and data encoding mechanisms such as HTTP and XML. In our context the application
Building Web Services with Apache Axis2
2009 Marty Hall Building Web Services with Apache Axis2 Part I: Java-First (Bottom-Up) Services Customized Java EE Training: http://courses.coreservlets.com/ Servlets, JSP, Struts, JSF/MyFaces/Facelets,
SoapUI NG Pro and Ready! API Platform Two-Day Training Course Syllabus
SoapUI NG Pro and Ready! API Platform Two-Day Training Course Syllabus Platform architecture Major components o SoapUI NG Pro o LoadUI o Secure o ServiceV Technological foundations o Protocols o Jetty
Introduction to Web services for RPG developers
Introduction to Web services for RPG developers Claus Weiss [email protected] TUG meeting March 2011 1 Acknowledgement In parts of this presentation I am using work published by: Linda Cole, IBM Canada
TIBCO JASPERREPORTS SERVER WEB SERVICES GUIDE
TIBCO JASPERREPORTS SERVER WEB SERVICES GUIDE RELEASE 6.1 http://www.jaspersoft.com Copyright 2005-2015, TIBCO Software Inc. All rights reserved. Printed in the U.S.A. TIBCO, the TIBCO logo, TIBCO Jaspersoft,
Web Services API Developer Guide
Web Services API Developer Guide Contents 2 Contents Web Services API Developer Guide... 3 Quick Start...4 Examples of the Web Service API Implementation... 13 Exporting Warehouse Data... 14 Exporting
Integrating Complementary Tools with PopMedNet TM
Integrating Complementary Tools with PopMedNet TM 27 July 2015 Rich Schaaf [email protected] Introduction Commonwealth Informatics Implements and supports innovative systems for medical product safety
Passcreator API Documentation
Passcreator API Documentation Version 1.0 - December 2014 USt-IdNr.: DE290188967 Seite 1 von 9 About this Document 3 Obtaining an API key 3 Authentication 3 Testing 3 Get list of pass-templates 4 Get information
RESTful web services & mobile push architectures
Praktikum Mobile und Verteilte Systeme RESTful web services & mobile push architectures Prof. Dr. Claudia Linnhoff-Popien Philipp Marcus, Mirco Schönfeld Sommersemester 2015 RESTful web services & mobile
ITS. Java WebService. ITS Data-Solutions Pvt Ltd BENEFITS OF ATTENDANCE:
Java WebService BENEFITS OF ATTENDANCE: PREREQUISITES: Upon completion of this course, students will be able to: Describe the interoperable web services architecture, including the roles of SOAP and WSDL.
Cloud Elements! Events Management BETA! API Version 2.0
Cloud Elements Events Management BETA API Version 2.0 Event Management Version 1.0 Event Management Cloud Elements Event Management provides a uniform mechanism for subscribing to events from Endpoints
Agents and Web Services
Agents and Web Services ------SENG609.22 Tutorial 1 Dong Liu Abstract: The basics of web services are reviewed in this tutorial. Agents are compared to web services in many aspects, and the impacts of
Tutorial for Creating Resources in Java - Client
Tutorial for Creating Resources in Java - Client Overview Overview 1. Preparation 2. Creation of Eclipse Plug-ins 2.1 The flight plugin 2.2 The plugin fragment for unit tests 3. Create an integration test
A standards-based approach to application integration
A standards-based approach to application integration An introduction to IBM s WebSphere ESB product Jim MacNair Senior Consulting IT Specialist [email protected] Copyright IBM Corporation 2005. All rights
Web Services Tutorial
Web Services Tutorial Web Services Tutorial http://bit.ly/oaxvdy (while you re waiting, download the files!) 2 About Me Lorna Jane Mitchell PHP Consultant/Developer Author API Specialist Project Lead on
Qualys API Limits. July 10, 2014. Overview. API Control Settings. Implementation
Qualys API Limits July 10, 2014 Overview The Qualys API enforces limits on the API calls a customer can make based on their subscription settings, starting with Qualys version 6.5. The limits apply to
Experiences with JSON and XML Transformations IBM Submission to W3C Workshop on Data and Services Integration October 20-21 2011, Bedford, MA, USA
Experiences with JSON and XML Transformations IBM Submission to W3C Workshop on Data and Services Integration October 20-21 2011, Bedford, MA, USA 21 October 2011 John Boyer, Sandy Gao, Susan Malaika,
How To Write A Web Server In Javascript
LIBERATED: A fully in-browser client and server web application debug and test environment Derrell Lipman University of Massachusetts Lowell Overview of the Client/Server Environment Server Machine Client
Building Web Services with XML Service Utility Library (XSUL)
Building Web Services with XML Service Utility Library (XSUL) Aleksander Slominski IU Extreme! Lab August 2005 Linked Environments for Atmospheric Discovery Outline Goals and Features Creating Web Services
1.264 Lecture 24. Service Oriented Architecture Electronic Data Interchange (EDI) Next class: Anderson chapter 1, 2. Exercise due before class
1.264 Lecture 24 Service Oriented Architecture Electronic Data Interchange (EDI) Next class: Anderson chapter 1, 2. Exercise due before class 1 B-to-B DB svr Web svr Solution- case study Customer anufacturer,
Developing Java Web Services
Page 1 of 5 Developing Java Web Services Hands On 35 Hours Online 5 Days In-Classroom A comprehensive look at the state of the art in developing interoperable web services on the Java EE platform. Students
GlassFish. Developing an Application Server in Open Source
GlassFish Developing an Application Server in Open Source Santiago Pericas-Geertsen Sun Microsystems, Inc. http://weblogs.java.net/blog/spericas/ [email protected] 1 1 Who am I? BA from
WWW. World Wide Web Aka The Internet. dr. C. P. J. Koymans. Informatics Institute Universiteit van Amsterdam. November 30, 2007
WWW World Wide Web Aka The Internet dr. C. P. J. Koymans Informatics Institute Universiteit van Amsterdam November 30, 2007 dr. C. P. J. Koymans (UvA) WWW November 30, 2007 1 / 36 WWW history (1) 1968
Onset Computer Corporation
Onset, HOBO, and HOBOlink are trademarks or registered trademarks of Onset Computer Corporation for its data logger products and configuration/interface software. All other trademarks are the property
Programming Autodesk PLM 360 Using REST. Doug Redmond Software Engineer, Autodesk
Programming Autodesk PLM 360 Using REST Doug Redmond Software Engineer, Autodesk Introduction This class will show you how to write your own client applications for PLM 360. This is not a class on scripting.
Integration of Hotel Property Management Systems (HPMS) with Global Internet Reservation Systems
Integration of Hotel Property Management Systems (HPMS) with Global Internet Reservation Systems If company want to be competitive on global market nowadays, it have to be persistent on Internet. If we
Designing RESTful Web Applications
Ben Ramsey php works About Me: Ben Ramsey Proud father of 7-month-old Sean Organizer of Atlanta PHP user group Founder of PHP Groups Founding principal of PHP Security Consortium Original member of PHPCommunity.org
Mobility Information Series
SOAP vs REST RapidValue Enabling Mobility XML vs JSON Mobility Information Series Comparison between various Web Services Data Transfer Frameworks for Mobile Enabling Applications Author: Arun Chandran,
How To Create A C++ Web Service
A Guide to Creating C++ Web Services WHITE PAPER Abstract This whitepaper provides an introduction to creating C++ Web services and focuses on:» Challenges involved in integrating C++ applications with
Literature Review Service Frameworks and Architectural Design Patterns in Web Development
Literature Review Service Frameworks and Architectural Design Patterns in Web Development Connor Patrick [email protected] Computer Science Honours University of Cape Town 15 May 2014 Abstract Organizing
vcloud Air Platform Programmer's Guide
vcloud Air Platform Programmer's Guide vcloud Air OnDemand 5.7 This document supports the version of each product listed and supports all subsequent versions until the document is replaced by a new edition.
Java Web Services Training
Java Web Services Training Duration: 5 days Class Overview A comprehensive look at the state of the art in developing interoperable web services on the Java EE 6 platform. Students learn the key standards
Sentinel EMS v7.1 Web Services Guide
Sentinel EMS v7.1 Web Services Guide ii Sentinel EMS Web Services Guide Document Revision History Part Number 007-011157-001, Revision E. Software versions 7.1 and later. Revision Action/Change Date A
Contents. 2 Alfresco API Version 1.0
The Alfresco API Contents The Alfresco API... 3 How does an application do work on behalf of a user?... 4 Registering your application... 4 Authorization... 4 Refreshing an access token...7 Alfresco CMIS
Developing ASP.NET MVC 4 Web Applications
Course M20486 5 Day(s) 30:00 Hours Developing ASP.NET MVC 4 Web Applications Introduction In this course, students will learn to develop advanced ASP.NET MVC applications using.net Framework 4.5 tools
Intruduction to Groovy & Grails programming languages beyond Java
Intruduction to Groovy & Grails programming languages beyond Java 1 Groovy, what is it? Groovy is a relatively new agile dynamic language for the Java platform exists since 2004 belongs to the family of
What is Distributed Annotation System?
Contents ISiLS Lecture 12 short introduction to data integration F.J. Verbeek Genome browsers Solutions for integration CORBA SOAP DAS Ontology mapping 2 nd lecture BioASP roadshow 1 2 Human Genome Browsers
Web Services Advanced Topics
Web Services Advanced Topics Where things are now and where they are going Version 9 Web Services Advanced Topics WSAdvanced-2 Enterprise Web Services Industry trends and organizations Security and Reliability
Lesson 4 Web Service Interface Definition (Part I)
Lesson 4 Web Service Interface Definition (Part I) Service Oriented Architectures Module 1 - Basic technologies Unit 3 WSDL Ernesto Damiani Università di Milano Interface Definition Languages (1) IDLs
Visualizing a Neo4j Graph Database with KeyLines
Visualizing a Neo4j Graph Database with KeyLines Introduction 2! What is a graph database? 2! What is Neo4j? 2! Why visualize Neo4j? 3! Visualization Architecture 4! Benefits of the KeyLines/Neo4j architecture
EAI OVERVIEW OF ENTERPRISE APPLICATION INTEGRATION CONCEPTS AND ARCHITECTURES. Enterprise Application Integration. Peter R. Egli INDIGOO.
EAI OVERVIEW OF ENTERPRISE APPLICATION INTEGRATION CONCEPTS AND ARCHITECTURES Peter R. Egli INDIGOO.COM 1/16 Contents 1. EAI versus SOA versus ESB 2. EAI 3. SOA 4. ESB 5. N-tier enterprise architecture
T-110.5140 Network Application Frameworks and XML Web Services and WSDL 15.2.2010 Tancred Lindholm
T-110.5140 Network Application Frameworks and XML Web Services and WSDL 15.2.2010 Tancred Lindholm Based on slides by Sasu Tarkoma and Pekka Nikander 1 of 20 Contents Short review of XML & related specs
