SlideShare una empresa de Scribd logo
1 de 43
Android and REST




Roman Woźniak
Roman Woźniak
SignlApps, Lead Android Developer


  roman@signlapps.com
  @wozniakr
Agenda

• REST – what is it?
• REST – how to use it
• HTTP communication on Android
• Libraries to write apps faster
• HTTP communication and databases
REST




          REST




imgsrc: https://sites.google.com/site/sleepasandroid/
REST – what is it?




              REpresentational State Transfer (REST) is a style of
              software architecture for distributed systems such as
              the World Wide Web
                                                       Roy Fielding
REST – what is it?




RESTful service features


• client-server architecture
• stateless
• resposne caching
• layered system
• uniform interface
REST – what is it?




URI structure
• collections
• resources
• controllers

            https://api.rwozniak.com/users
            https://api.rwozniak.com/users/20
            https://api.rwozniak.com/export
REST – what is it?




CRUD operations


                      POST    =   Create
                        GET   =   Read
                        PUT   =   Update
                     DELETE   =   Delete
REST – what is it?




Create

       $ curl -v -X POST -d "..." https://api.rwozniak.com/users

       > POST /users HTTP/1.1
       >
       < HTTP/1.1 201 Created
       < Location /users/113
       < Content-Length: 57
       < Content-Type: application/json
       <
       [{"id":113,"firstname":"John","lastname":"Doe","age":31}]
REST – what is it?




Read

          $ curl -v https://api.rwozniak.com/users/113

          > GET /users/113 HTTP/1.1
          >
          < HTTP/1.1 200 OK
          < Content-Length: 57
          < Content-Type: application/json
          <
          {"id":113,"firstname":"John","lastname":"Doe","age":31}
REST – what is it?




Update

          $ curl -v -X PUT -d "..." https://api.rwozniak.com/users/113

          > PUT /users/113 HTTP/1.1
          >
          < HTTP/1.1 200 OK
          < Content-Length: 57
          < Content-Type: application/json
          <
          {"id":113,"firstname":"John","lastname":"Doe","age":18}
REST – what is it?




Delete

          $ curl -v -X DELETE https://api.rwozniak.com/users/113

          > DELETE /users/113 HTTP/1.1
          >
          < HTTP/1.1 204 No Content
          < Content-Length: 0
          < Content-Type: application/json
          <
REST – more




REST - more

• HTTP resposne codes


• usage of HTTP headers
REST – more




HTTP response codes

• 2XX - correct
• 3XX - redirects
• 4XX - client fault (request)
• 5XX - server fault (response)
REST – more




Errors
• 400 (Bad Request)
• 401 (Unauthorized)
• 403 (Forbidden)
• 404 (Not Found)
• 500 (Internal Server Error)
• 503 (Service Unavailable)
• 418 (I’m a teapot (RFC 2324))
REST – more




          Programmers are people too




imgsrc: http://thefuturebuzz.com/wp-content/uploads/2011/10/data.jpg
REST – more




           Programmer-friendly

                  {
                    "http_code": 400,
                    "error": "validation_errors",
                    "error_title": "Set Creation Error",
                    "error_description": "The following validation errors occurred:nYou must have a
                  titlenBoth the terms and definitions are mandatory",
                    "validation_errors": [
                       "You must have a title",
                       "Both the terms and definitions are mandatory",
                       "You must specify the terms language",
                       "You must specify the definitions language"
                    ]
                  }




src: https://quizlet.com/api/2.0/docs/api_intro/
REST – more




Headers
• Accept: application/json
     Accept: application/json       Accept: application/xml

     {                              <user>
              "id":113,                  <id>113</id>
              "firstname":"John",        <firstname>John</firstname>
              "lastname":"Doe",          <lastname>Doe</lastname>
              "age":18                   <age>18</age>
     }                              </user>

• If-Modified-Since: Sat, 29 Oct 1994 19:43:31 GMT
• ETag i If-None-Match: 12331-erfwe-123331
• Accept-Language: ES-CT
• Accept-Encoding: gzip
Android and HTTP




Android and HTTP
• Apache HTTP Client
      – DefaultHttpClient, AndroidHttpClient
      – stable, minor bugs
      – lack of active development from Android team


• HttpURLConnection
      – bugs in the beginning, but improved over time
      – transparent response compression (gzip)
      – response cache
      – active development over Android versions
Android and HTTP




HttpClient
public DefaultHttpClient createHttpClient() {
  final SchemeRegistry supportedSchemes = new SchemeRegistry();

    supportedSchemes.register(new Scheme("http", PlainSocketFactory.getSocketFactory(), 80));
    supportedSchemes.register(new Scheme("https", SSLSocketFactory.getSocketFactory(), 443));

    final HttpParams params = new BasicHttpParams();
    HttpConnectionParams.setConnectionTimeout(params, TIMEOUT * 1000);
    HttpConnectionParams.setSoTimeout(params, TIMEOUT * 1000);
    HttpConnectionParams.setSocketBufferSize(params, 8192);

    HttpClientParams.setRedirecting(httpParams, false);
    final ClientConnectionManager ccm = new ThreadSafeClientConnManager(httpParams, supportedSchemes);

    return new DefaultHttpClient(ccm, httpParams);
}
Android and HTTP




Simple GET
String url = "https://api.rwozniak.com/users/1303";
HttpGet httpGet = new HttpGet( url );
//setCredentials( httpGet );
//addHeaders( httpGet );
DefaultHttpClient httpClient = createHttpClient();

HttpResponse httpResponse = httpClient.execute( httpGet );
String responseContent = EntityUtils.toString( httpResponse.getEntity() );




{"id":131,"firstname":"John","lastname":"Doe","age":18}
Android and HTTP




JSON parser
                   {"id":131,"firstname":"John","lastname":"Doe","age":18}




                              public class User {
                                public long id;
                                public String firstname;
                                public String lastname;
                                public int age;
                              }
Android and HTTP




JSON parser

public User parse( String response ) throws JSONException {
        User user = new User();

       JSONObject json = new JSONObject( response );

       user.id = json.getLong( "id" );
       user.firstname = json.getString( "firstname" );
       user.lastname = json.getString( "lastname" );
       user.age = json.getInt( "age" );

       return user;
}
Android and HTTP




imgsrc: http://www.quickmeme.com/meme/3rxotv/
Helpful libraries - Gson




           Gson

           • library from Google
           • conversion of Java objects to JSON representation
           • and the other way around
           • annotations
           • support for complex objects




src: https://sites.google.com/site/gson/
Helpful libraries - Gson




Comparison
public User parse( String response ) throws JSONException {
        User user = new User();

       JSONObject json = new JSONObject( response );

       user.id = json.getLong( "id" );
       user.firstname = json.getString( "firstname" );
       user.lastname = json.getString( "lastname" );
       user.age = json.getInt( "age" );

       return user;
}




public User parse( String response ) {
        Gson gson = new Gson();
        return gson.fromJson( response, User.class );
}



public User parse( String response ) {
        return new Gson().fromJson( response, User.class );
}
Helpful libraries - Gson




More complex class

public class User {
  public String username;
  @SerializedName("account_type") public AccountType accountType;
  @SerializedName("sign_up_date") public long signupDate;
  @SerializedName("profile_image") public String profileImage;
  public List<Group> groups;
  @Since(1.1) public String newField;
}
Helpful libraries - CRest




           CRest

           • just Client REST
           • makes communication with RESTful services easier
           • annotations
           • rich configurability




src: http://crest.codegist.org/
Helpful libraries - CRest




Example
@EndPoint("http://api.twitter.com")
@Path("/1/statuses")
@Consumes("application/json")
public interface StatusService {

    @POST
    @Path("update.json")
    Status updateStatus(
         @FormParam("status") String status,
         @QueryParam("lat") float lat,
         @QueryParam("long") float longitude);

    @Path("{id}/retweeted_by.json")
    User[] getRetweetedBy(
        @PathParam("id") long id,
        @QueryParam("count") long count,
        @QueryParam("page") long page);

    @Path("followers.json")
    User[] getFollowers(@QueryParam("user_id") long userId);

}


CRest crest = CRest.getInstance();
StatusService statusService = crest.build(StatusService.class);
User[] folowers = statusService.getFollowers(42213);
Helpful libraries - CRest




One-time configuration


CRestBuilder crestInstance = new CRestBuilder()
      .property( MethodConfig.METHOD_CONFIG_DEFAULT_ENDPOINT, "https://api.rwozniak.com/1.0" )
      .property( MethodConfig.METHOD_CONFIG_DEFAULT_ERROR_HANDLER, MyErrorHandler.class )
      .setHttpChannelFactory( HttpClientHttpChannelFactory.class )
      .placeholder( "auth.token", getUserAuthToken() )
      .deserializeJsonWith( CustomGsonDeserializer.class );
Helpful libraries - CRest




Error handler
public class MyErrorHandler implements ErrorHandler {

    @Override
    public <T> T handle(Request request, Exception e) throws Exception {
      if( e instanceof RequestException ) {
          RequestException ex = (RequestException) e;
          Response resp = ex.getResponse();

          throw new ApiException( resp.to( com.rwozniak.api.entities.ErrorResponse.class ) );
        }
        return null;
    }
}


public class ErrorResponse {
  @SerializedName("http_code") public int httpCode;
  public String error;
  @SerializedName("error_title") public String errorTitle;
  @SerializedName("error_description") public String errorDescription;
  @SerializedName("validation_errors") public ArrayList<String> validationErrors;
}
Helpful libraries - CRest




Custom deserializer

public class CustomGsonDeserializer implements Deserializer {

    @Override
    public <T> T deserialize(Class<T> tClass, Type type, InputStream inputStream, Charset charset) throws Exception {
      GsonBuilder builder = new GsonBuilder();

        JsonParser parser = new JsonParser();

        JsonElement element = parser.parse( new InputStreamReader(inputStream) );

        return builder.create().fromJson( element, type );
    }
}
Helpful libraries - CRest




Service factory
public class ServiceFactory {

    private static CRestBuilder crestInstance;
    private static UserService userService;

    private static void init( boolean authenticated ) {
       crestInstance = new CRestBuilder();
    }

    private static CRestBuilder getInstance() {
       if( crestInstance==null ) {
           init();
       }
       return crestInstance;
    }

    public static UserService getUserService() {
      if( userService==null ) {
          userService = getInstance().placeholder( "userid", getUserId() ).build().build( UserService.class );
      }
      return userService;
    }
}
Helpful libraries - CRest




Final


User user = ServiceFactory.getUserService().create( "John", "Doe", 25 );

user.age = 32;
ServiceFactory.getUserService().update( user );

ServiceFactory.getUserService().delete( user.id );
Persistence and REST




Persistence and REST

Presentation from GoogleIO 2010
      – author: Virgil Dobjanschi
      – source: http://goo.gl/R15we
Persistence and REST




Incorrect implementation
     Activity                   1. Get, create, update, delete   CursorAdapter

        Thread

                                3. Processing
        REST method                               Processor             5. Requery




                                                   4. Save

                       2. GET/POST/PUT/DELETE
                                                                   Memory
Persistence and REST




Incorrect implementation

• Application process can be killed by system


• Data is not presisted for future use
Persistence and REST




    Service API
                               Activity                                    CursorAdapter
           1. execute                        11. callback to Activity
                                                                                  8'. notify
                                                                           ContentOberver      8''. requery
                            Service Helper

2. startService(Intent)                      10. Binder callback


                               Service
       3. start(param)                       9. callback
                                                       4. insert/update

                              Processor                                   Content Provider
                                                      8. insert/update
       5. start(param)
                                             7. REST resposne

                            REST method

                                     6. GET/POST/PUT/DELETE
Persistence and REST




Processor - POST and PUT
                                        POST
                                          4. insert
                                   (set STATE_POSTING)

                       Processor                           Content Provider
                                           8. update
                                   (clear STATE_POSTING)

                 REST method


                                         PUT
                                          4. insert
                                   (set STATE_POSTING)

                       Processor                           Content Provider
                                           8. update
                                   (clear STATE_POSTING)

                 REST method
Persistence and REST




Processor - DELETE and GET
                                       DELETE
                                           4. insert
                                   (set STATE_DELETING)

                       Processor                              Content Provider
                                           8. delete



                 REST method


                                           GET


                       Processor                              Content Provider
                                     8. insert new resource



                 REST method
Summary




Things to keep in mind


• always make HTTP calls in a separate thread (eg.
  IntentService)
• persist before and after communication
• minimize HTTP communication (compression, headers)
• libraries - make things easier
• StackOverflow 
Questions




          Questions?




imgsrc: http://presentationtransformations.com/wp-content/uploads/2012/03/Question.jpg
Thankful I am




          Thank you




imgsrc: http://memegenerator.net/instance/29015891

Más contenido relacionado

La actualidad más candente

Test Automation Framework Designs
Test Automation Framework DesignsTest Automation Framework Designs
Test Automation Framework DesignsSauce Labs
 
REST APIs with Spring
REST APIs with SpringREST APIs with Spring
REST APIs with SpringJoshua Long
 
An Introduction To Automated API Testing
An Introduction To Automated API TestingAn Introduction To Automated API Testing
An Introduction To Automated API TestingSauce Labs
 
AOT(Ahead Of Time)
AOT(Ahead Of Time)AOT(Ahead Of Time)
AOT(Ahead Of Time)Questpond
 
Postman Webinar: Postman 101
Postman Webinar: Postman 101Postman Webinar: Postman 101
Postman Webinar: Postman 101Nikita Sharma
 
Painless JavaScript Testing with Jest
Painless JavaScript Testing with JestPainless JavaScript Testing with Jest
Painless JavaScript Testing with JestMichał Pierzchała
 
Jmeter Performance Testing
Jmeter Performance TestingJmeter Performance Testing
Jmeter Performance TestingAtul Pant
 
Automation Framework Presentation
Automation Framework PresentationAutomation Framework Presentation
Automation Framework PresentationBen Ngo
 
Applications secure by default
Applications secure by defaultApplications secure by default
Applications secure by defaultSecuRing
 
Allure framework
Allure frameworkAllure framework
Allure frameworkartkoshelev
 
Using AWS WAF and Lambda for Automatic Protection
Using AWS WAF and Lambda for Automatic ProtectionUsing AWS WAF and Lambda for Automatic Protection
Using AWS WAF and Lambda for Automatic ProtectionAmazon Web Services
 

La actualidad más candente (20)

Selenium
SeleniumSelenium
Selenium
 
POSTMAN.pptx
POSTMAN.pptxPOSTMAN.pptx
POSTMAN.pptx
 
Selenium introduction
Selenium introductionSelenium introduction
Selenium introduction
 
Test Automation Framework Designs
Test Automation Framework DesignsTest Automation Framework Designs
Test Automation Framework Designs
 
REST APIs with Spring
REST APIs with SpringREST APIs with Spring
REST APIs with Spring
 
Postman
PostmanPostman
Postman
 
API for Beginners
API for BeginnersAPI for Beginners
API for Beginners
 
Java Spring
Java SpringJava Spring
Java Spring
 
Selenium IDE LOCATORS
Selenium IDE LOCATORSSelenium IDE LOCATORS
Selenium IDE LOCATORS
 
An Introduction To Automated API Testing
An Introduction To Automated API TestingAn Introduction To Automated API Testing
An Introduction To Automated API Testing
 
AOT(Ahead Of Time)
AOT(Ahead Of Time)AOT(Ahead Of Time)
AOT(Ahead Of Time)
 
Belajar Postman test runner
Belajar Postman test runnerBelajar Postman test runner
Belajar Postman test runner
 
Postman Webinar: Postman 101
Postman Webinar: Postman 101Postman Webinar: Postman 101
Postman Webinar: Postman 101
 
Painless JavaScript Testing with Jest
Painless JavaScript Testing with JestPainless JavaScript Testing with Jest
Painless JavaScript Testing with Jest
 
Introduction to Selenium Web Driver
Introduction to Selenium Web DriverIntroduction to Selenium Web Driver
Introduction to Selenium Web Driver
 
Jmeter Performance Testing
Jmeter Performance TestingJmeter Performance Testing
Jmeter Performance Testing
 
Automation Framework Presentation
Automation Framework PresentationAutomation Framework Presentation
Automation Framework Presentation
 
Applications secure by default
Applications secure by defaultApplications secure by default
Applications secure by default
 
Allure framework
Allure frameworkAllure framework
Allure framework
 
Using AWS WAF and Lambda for Automatic Protection
Using AWS WAF and Lambda for Automatic ProtectionUsing AWS WAF and Lambda for Automatic Protection
Using AWS WAF and Lambda for Automatic Protection
 

Similar a Android and REST

May 2010 - RestEasy
May 2010 - RestEasyMay 2010 - RestEasy
May 2010 - RestEasyJBug Italy
 
Web program-peformance-optimization
Web program-peformance-optimizationWeb program-peformance-optimization
Web program-peformance-optimizationxiaojueqq12345
 
Rest with Java EE 6 , Security , Backbone.js
Rest with Java EE 6 , Security , Backbone.jsRest with Java EE 6 , Security , Backbone.js
Rest with Java EE 6 , Security , Backbone.jsCarol McDonald
 
Restful webservices
Restful webservicesRestful webservices
Restful webservicesKong King
 
Overview of RESTful web services
Overview of RESTful web servicesOverview of RESTful web services
Overview of RESTful web servicesnbuddharaju
 
CDI, Seam & RESTEasy: You haven't seen REST yet!
CDI, Seam & RESTEasy: You haven't seen REST yet!CDI, Seam & RESTEasy: You haven't seen REST yet!
CDI, Seam & RESTEasy: You haven't seen REST yet!Dan Allen
 
Developing RESTful WebServices using Jersey
Developing RESTful WebServices using JerseyDeveloping RESTful WebServices using Jersey
Developing RESTful WebServices using Jerseyb_kathir
 
Multi Client Development with Spring for SpringOne 2GX 2013 with Roy Clarkson
Multi Client Development with Spring for SpringOne 2GX 2013 with Roy ClarksonMulti Client Development with Spring for SpringOne 2GX 2013 with Roy Clarkson
Multi Client Development with Spring for SpringOne 2GX 2013 with Roy ClarksonJoshua Long
 
Annotation processing and code gen
Annotation processing and code genAnnotation processing and code gen
Annotation processing and code genkoji lin
 
Server Side Swift with Swag
Server Side Swift with SwagServer Side Swift with Swag
Server Side Swift with SwagJens Ravens
 
async/await in Swift
async/await in Swiftasync/await in Swift
async/await in SwiftPeter Friese
 
Using and scaling Rack and Rack-based middleware
Using and scaling Rack and Rack-based middlewareUsing and scaling Rack and Rack-based middleware
Using and scaling Rack and Rack-based middlewareAlona Mekhovova
 
REST with Eve and Python
REST with Eve and PythonREST with Eve and Python
REST with Eve and PythonPiXeL16
 
Simple REST with Dropwizard
Simple REST with DropwizardSimple REST with Dropwizard
Simple REST with DropwizardAndrei Savu
 
JAX-RS JavaOne Hyderabad, India 2011
JAX-RS JavaOne Hyderabad, India 2011JAX-RS JavaOne Hyderabad, India 2011
JAX-RS JavaOne Hyderabad, India 2011Shreedhar Ganapathy
 
CouchDB on Android
CouchDB on AndroidCouchDB on Android
CouchDB on AndroidSven Haiges
 

Similar a Android and REST (20)

RESTEasy
RESTEasyRESTEasy
RESTEasy
 
May 2010 - RestEasy
May 2010 - RestEasyMay 2010 - RestEasy
May 2010 - RestEasy
 
Web program-peformance-optimization
Web program-peformance-optimizationWeb program-peformance-optimization
Web program-peformance-optimization
 
Rest with Java EE 6 , Security , Backbone.js
Rest with Java EE 6 , Security , Backbone.jsRest with Java EE 6 , Security , Backbone.js
Rest with Java EE 6 , Security , Backbone.js
 
Rest
RestRest
Rest
 
Restful webservices
Restful webservicesRestful webservices
Restful webservices
 
Overview of RESTful web services
Overview of RESTful web servicesOverview of RESTful web services
Overview of RESTful web services
 
CDI, Seam & RESTEasy: You haven't seen REST yet!
CDI, Seam & RESTEasy: You haven't seen REST yet!CDI, Seam & RESTEasy: You haven't seen REST yet!
CDI, Seam & RESTEasy: You haven't seen REST yet!
 
Developing RESTful WebServices using Jersey
Developing RESTful WebServices using JerseyDeveloping RESTful WebServices using Jersey
Developing RESTful WebServices using Jersey
 
Multi Client Development with Spring for SpringOne 2GX 2013 with Roy Clarkson
Multi Client Development with Spring for SpringOne 2GX 2013 with Roy ClarksonMulti Client Development with Spring for SpringOne 2GX 2013 with Roy Clarkson
Multi Client Development with Spring for SpringOne 2GX 2013 with Roy Clarkson
 
Annotation processing and code gen
Annotation processing and code genAnnotation processing and code gen
Annotation processing and code gen
 
Server Side Swift with Swag
Server Side Swift with SwagServer Side Swift with Swag
Server Side Swift with Swag
 
RESTing with JAX-RS
RESTing with JAX-RSRESTing with JAX-RS
RESTing with JAX-RS
 
async/await in Swift
async/await in Swiftasync/await in Swift
async/await in Swift
 
Using and scaling Rack and Rack-based middleware
Using and scaling Rack and Rack-based middlewareUsing and scaling Rack and Rack-based middleware
Using and scaling Rack and Rack-based middleware
 
REST with Eve and Python
REST with Eve and PythonREST with Eve and Python
REST with Eve and Python
 
Simple REST with Dropwizard
Simple REST with DropwizardSimple REST with Dropwizard
Simple REST with Dropwizard
 
JAX-RS JavaOne Hyderabad, India 2011
JAX-RS JavaOne Hyderabad, India 2011JAX-RS JavaOne Hyderabad, India 2011
JAX-RS JavaOne Hyderabad, India 2011
 
CouchDB on Android
CouchDB on AndroidCouchDB on Android
CouchDB on Android
 
Switch to Backend 2023
Switch to Backend 2023Switch to Backend 2023
Switch to Backend 2023
 

Último

AWS Community Day CPH - Three problems of Terraform
AWS Community Day CPH - Three problems of TerraformAWS Community Day CPH - Three problems of Terraform
AWS Community Day CPH - Three problems of TerraformAndrey Devyatkin
 
🐬 The future of MySQL is Postgres 🐘
🐬  The future of MySQL is Postgres   🐘🐬  The future of MySQL is Postgres   🐘
🐬 The future of MySQL is Postgres 🐘RTylerCroy
 
Artificial Intelligence Chap.5 : Uncertainty
Artificial Intelligence Chap.5 : UncertaintyArtificial Intelligence Chap.5 : Uncertainty
Artificial Intelligence Chap.5 : UncertaintyKhushali Kathiriya
 
Automating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps ScriptAutomating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps Scriptwesley chun
 
Powerful Google developer tools for immediate impact! (2023-24 C)
Powerful Google developer tools for immediate impact! (2023-24 C)Powerful Google developer tools for immediate impact! (2023-24 C)
Powerful Google developer tools for immediate impact! (2023-24 C)wesley chun
 
TrustArc Webinar - Unlock the Power of AI-Driven Data Discovery
TrustArc Webinar - Unlock the Power of AI-Driven Data DiscoveryTrustArc Webinar - Unlock the Power of AI-Driven Data Discovery
TrustArc Webinar - Unlock the Power of AI-Driven Data DiscoveryTrustArc
 
Top 10 Most Downloaded Games on Play Store in 2024
Top 10 Most Downloaded Games on Play Store in 2024Top 10 Most Downloaded Games on Play Store in 2024
Top 10 Most Downloaded Games on Play Store in 2024SynarionITSolutions
 
A Domino Admins Adventures (Engage 2024)
A Domino Admins Adventures (Engage 2024)A Domino Admins Adventures (Engage 2024)
A Domino Admins Adventures (Engage 2024)Gabriella Davis
 
A Year of the Servo Reboot: Where Are We Now?
A Year of the Servo Reboot: Where Are We Now?A Year of the Servo Reboot: Where Are We Now?
A Year of the Servo Reboot: Where Are We Now?Igalia
 
Artificial Intelligence: Facts and Myths
Artificial Intelligence: Facts and MythsArtificial Intelligence: Facts and Myths
Artificial Intelligence: Facts and MythsJoaquim Jorge
 
Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...
Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...
Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...apidays
 
Strategies for Landing an Oracle DBA Job as a Fresher
Strategies for Landing an Oracle DBA Job as a FresherStrategies for Landing an Oracle DBA Job as a Fresher
Strategies for Landing an Oracle DBA Job as a FresherRemote DBA Services
 
Exploring the Future Potential of AI-Enabled Smartphone Processors
Exploring the Future Potential of AI-Enabled Smartphone ProcessorsExploring the Future Potential of AI-Enabled Smartphone Processors
Exploring the Future Potential of AI-Enabled Smartphone Processorsdebabhi2
 
Top 5 Benefits OF Using Muvi Live Paywall For Live Streams
Top 5 Benefits OF Using Muvi Live Paywall For Live StreamsTop 5 Benefits OF Using Muvi Live Paywall For Live Streams
Top 5 Benefits OF Using Muvi Live Paywall For Live StreamsRoshan Dwivedi
 
Apidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, Adobe
Apidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, AdobeApidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, Adobe
Apidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, Adobeapidays
 
Real Time Object Detection Using Open CV
Real Time Object Detection Using Open CVReal Time Object Detection Using Open CV
Real Time Object Detection Using Open CVKhem
 
Boost PC performance: How more available memory can improve productivity
Boost PC performance: How more available memory can improve productivityBoost PC performance: How more available memory can improve productivity
Boost PC performance: How more available memory can improve productivityPrincipled Technologies
 
Strategize a Smooth Tenant-to-tenant Migration and Copilot Takeoff
Strategize a Smooth Tenant-to-tenant Migration and Copilot TakeoffStrategize a Smooth Tenant-to-tenant Migration and Copilot Takeoff
Strategize a Smooth Tenant-to-tenant Migration and Copilot Takeoffsammart93
 
The 7 Things I Know About Cyber Security After 25 Years | April 2024
The 7 Things I Know About Cyber Security After 25 Years | April 2024The 7 Things I Know About Cyber Security After 25 Years | April 2024
The 7 Things I Know About Cyber Security After 25 Years | April 2024Rafal Los
 
Why Teams call analytics are critical to your entire business
Why Teams call analytics are critical to your entire businessWhy Teams call analytics are critical to your entire business
Why Teams call analytics are critical to your entire businesspanagenda
 

Último (20)

AWS Community Day CPH - Three problems of Terraform
AWS Community Day CPH - Three problems of TerraformAWS Community Day CPH - Three problems of Terraform
AWS Community Day CPH - Three problems of Terraform
 
🐬 The future of MySQL is Postgres 🐘
🐬  The future of MySQL is Postgres   🐘🐬  The future of MySQL is Postgres   🐘
🐬 The future of MySQL is Postgres 🐘
 
Artificial Intelligence Chap.5 : Uncertainty
Artificial Intelligence Chap.5 : UncertaintyArtificial Intelligence Chap.5 : Uncertainty
Artificial Intelligence Chap.5 : Uncertainty
 
Automating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps ScriptAutomating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps Script
 
Powerful Google developer tools for immediate impact! (2023-24 C)
Powerful Google developer tools for immediate impact! (2023-24 C)Powerful Google developer tools for immediate impact! (2023-24 C)
Powerful Google developer tools for immediate impact! (2023-24 C)
 
TrustArc Webinar - Unlock the Power of AI-Driven Data Discovery
TrustArc Webinar - Unlock the Power of AI-Driven Data DiscoveryTrustArc Webinar - Unlock the Power of AI-Driven Data Discovery
TrustArc Webinar - Unlock the Power of AI-Driven Data Discovery
 
Top 10 Most Downloaded Games on Play Store in 2024
Top 10 Most Downloaded Games on Play Store in 2024Top 10 Most Downloaded Games on Play Store in 2024
Top 10 Most Downloaded Games on Play Store in 2024
 
A Domino Admins Adventures (Engage 2024)
A Domino Admins Adventures (Engage 2024)A Domino Admins Adventures (Engage 2024)
A Domino Admins Adventures (Engage 2024)
 
A Year of the Servo Reboot: Where Are We Now?
A Year of the Servo Reboot: Where Are We Now?A Year of the Servo Reboot: Where Are We Now?
A Year of the Servo Reboot: Where Are We Now?
 
Artificial Intelligence: Facts and Myths
Artificial Intelligence: Facts and MythsArtificial Intelligence: Facts and Myths
Artificial Intelligence: Facts and Myths
 
Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...
Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...
Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...
 
Strategies for Landing an Oracle DBA Job as a Fresher
Strategies for Landing an Oracle DBA Job as a FresherStrategies for Landing an Oracle DBA Job as a Fresher
Strategies for Landing an Oracle DBA Job as a Fresher
 
Exploring the Future Potential of AI-Enabled Smartphone Processors
Exploring the Future Potential of AI-Enabled Smartphone ProcessorsExploring the Future Potential of AI-Enabled Smartphone Processors
Exploring the Future Potential of AI-Enabled Smartphone Processors
 
Top 5 Benefits OF Using Muvi Live Paywall For Live Streams
Top 5 Benefits OF Using Muvi Live Paywall For Live StreamsTop 5 Benefits OF Using Muvi Live Paywall For Live Streams
Top 5 Benefits OF Using Muvi Live Paywall For Live Streams
 
Apidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, Adobe
Apidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, AdobeApidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, Adobe
Apidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, Adobe
 
Real Time Object Detection Using Open CV
Real Time Object Detection Using Open CVReal Time Object Detection Using Open CV
Real Time Object Detection Using Open CV
 
Boost PC performance: How more available memory can improve productivity
Boost PC performance: How more available memory can improve productivityBoost PC performance: How more available memory can improve productivity
Boost PC performance: How more available memory can improve productivity
 
Strategize a Smooth Tenant-to-tenant Migration and Copilot Takeoff
Strategize a Smooth Tenant-to-tenant Migration and Copilot TakeoffStrategize a Smooth Tenant-to-tenant Migration and Copilot Takeoff
Strategize a Smooth Tenant-to-tenant Migration and Copilot Takeoff
 
The 7 Things I Know About Cyber Security After 25 Years | April 2024
The 7 Things I Know About Cyber Security After 25 Years | April 2024The 7 Things I Know About Cyber Security After 25 Years | April 2024
The 7 Things I Know About Cyber Security After 25 Years | April 2024
 
Why Teams call analytics are critical to your entire business
Why Teams call analytics are critical to your entire businessWhy Teams call analytics are critical to your entire business
Why Teams call analytics are critical to your entire business
 

Android and REST

  • 2. Roman Woźniak SignlApps, Lead Android Developer roman@signlapps.com @wozniakr
  • 3. Agenda • REST – what is it? • REST – how to use it • HTTP communication on Android • Libraries to write apps faster • HTTP communication and databases
  • 4. REST REST imgsrc: https://sites.google.com/site/sleepasandroid/
  • 5. REST – what is it? REpresentational State Transfer (REST) is a style of software architecture for distributed systems such as the World Wide Web Roy Fielding
  • 6. REST – what is it? RESTful service features • client-server architecture • stateless • resposne caching • layered system • uniform interface
  • 7. REST – what is it? URI structure • collections • resources • controllers https://api.rwozniak.com/users https://api.rwozniak.com/users/20 https://api.rwozniak.com/export
  • 8. REST – what is it? CRUD operations POST = Create GET = Read PUT = Update DELETE = Delete
  • 9. REST – what is it? Create $ curl -v -X POST -d "..." https://api.rwozniak.com/users > POST /users HTTP/1.1 > < HTTP/1.1 201 Created < Location /users/113 < Content-Length: 57 < Content-Type: application/json < [{"id":113,"firstname":"John","lastname":"Doe","age":31}]
  • 10. REST – what is it? Read $ curl -v https://api.rwozniak.com/users/113 > GET /users/113 HTTP/1.1 > < HTTP/1.1 200 OK < Content-Length: 57 < Content-Type: application/json < {"id":113,"firstname":"John","lastname":"Doe","age":31}
  • 11. REST – what is it? Update $ curl -v -X PUT -d "..." https://api.rwozniak.com/users/113 > PUT /users/113 HTTP/1.1 > < HTTP/1.1 200 OK < Content-Length: 57 < Content-Type: application/json < {"id":113,"firstname":"John","lastname":"Doe","age":18}
  • 12. REST – what is it? Delete $ curl -v -X DELETE https://api.rwozniak.com/users/113 > DELETE /users/113 HTTP/1.1 > < HTTP/1.1 204 No Content < Content-Length: 0 < Content-Type: application/json <
  • 13. REST – more REST - more • HTTP resposne codes • usage of HTTP headers
  • 14. REST – more HTTP response codes • 2XX - correct • 3XX - redirects • 4XX - client fault (request) • 5XX - server fault (response)
  • 15. REST – more Errors • 400 (Bad Request) • 401 (Unauthorized) • 403 (Forbidden) • 404 (Not Found) • 500 (Internal Server Error) • 503 (Service Unavailable) • 418 (I’m a teapot (RFC 2324))
  • 16. REST – more Programmers are people too imgsrc: http://thefuturebuzz.com/wp-content/uploads/2011/10/data.jpg
  • 17. REST – more Programmer-friendly { "http_code": 400, "error": "validation_errors", "error_title": "Set Creation Error", "error_description": "The following validation errors occurred:nYou must have a titlenBoth the terms and definitions are mandatory", "validation_errors": [ "You must have a title", "Both the terms and definitions are mandatory", "You must specify the terms language", "You must specify the definitions language" ] } src: https://quizlet.com/api/2.0/docs/api_intro/
  • 18. REST – more Headers • Accept: application/json Accept: application/json Accept: application/xml { <user> "id":113, <id>113</id> "firstname":"John", <firstname>John</firstname> "lastname":"Doe", <lastname>Doe</lastname> "age":18 <age>18</age> } </user> • If-Modified-Since: Sat, 29 Oct 1994 19:43:31 GMT • ETag i If-None-Match: 12331-erfwe-123331 • Accept-Language: ES-CT • Accept-Encoding: gzip
  • 19. Android and HTTP Android and HTTP • Apache HTTP Client – DefaultHttpClient, AndroidHttpClient – stable, minor bugs – lack of active development from Android team • HttpURLConnection – bugs in the beginning, but improved over time – transparent response compression (gzip) – response cache – active development over Android versions
  • 20. Android and HTTP HttpClient public DefaultHttpClient createHttpClient() { final SchemeRegistry supportedSchemes = new SchemeRegistry(); supportedSchemes.register(new Scheme("http", PlainSocketFactory.getSocketFactory(), 80)); supportedSchemes.register(new Scheme("https", SSLSocketFactory.getSocketFactory(), 443)); final HttpParams params = new BasicHttpParams(); HttpConnectionParams.setConnectionTimeout(params, TIMEOUT * 1000); HttpConnectionParams.setSoTimeout(params, TIMEOUT * 1000); HttpConnectionParams.setSocketBufferSize(params, 8192); HttpClientParams.setRedirecting(httpParams, false); final ClientConnectionManager ccm = new ThreadSafeClientConnManager(httpParams, supportedSchemes); return new DefaultHttpClient(ccm, httpParams); }
  • 21. Android and HTTP Simple GET String url = "https://api.rwozniak.com/users/1303"; HttpGet httpGet = new HttpGet( url ); //setCredentials( httpGet ); //addHeaders( httpGet ); DefaultHttpClient httpClient = createHttpClient(); HttpResponse httpResponse = httpClient.execute( httpGet ); String responseContent = EntityUtils.toString( httpResponse.getEntity() ); {"id":131,"firstname":"John","lastname":"Doe","age":18}
  • 22. Android and HTTP JSON parser {"id":131,"firstname":"John","lastname":"Doe","age":18} public class User { public long id; public String firstname; public String lastname; public int age; }
  • 23. Android and HTTP JSON parser public User parse( String response ) throws JSONException { User user = new User(); JSONObject json = new JSONObject( response ); user.id = json.getLong( "id" ); user.firstname = json.getString( "firstname" ); user.lastname = json.getString( "lastname" ); user.age = json.getInt( "age" ); return user; }
  • 24. Android and HTTP imgsrc: http://www.quickmeme.com/meme/3rxotv/
  • 25. Helpful libraries - Gson Gson • library from Google • conversion of Java objects to JSON representation • and the other way around • annotations • support for complex objects src: https://sites.google.com/site/gson/
  • 26. Helpful libraries - Gson Comparison public User parse( String response ) throws JSONException { User user = new User(); JSONObject json = new JSONObject( response ); user.id = json.getLong( "id" ); user.firstname = json.getString( "firstname" ); user.lastname = json.getString( "lastname" ); user.age = json.getInt( "age" ); return user; } public User parse( String response ) { Gson gson = new Gson(); return gson.fromJson( response, User.class ); } public User parse( String response ) { return new Gson().fromJson( response, User.class ); }
  • 27. Helpful libraries - Gson More complex class public class User { public String username; @SerializedName("account_type") public AccountType accountType; @SerializedName("sign_up_date") public long signupDate; @SerializedName("profile_image") public String profileImage; public List<Group> groups; @Since(1.1) public String newField; }
  • 28. Helpful libraries - CRest CRest • just Client REST • makes communication with RESTful services easier • annotations • rich configurability src: http://crest.codegist.org/
  • 29. Helpful libraries - CRest Example @EndPoint("http://api.twitter.com") @Path("/1/statuses") @Consumes("application/json") public interface StatusService { @POST @Path("update.json") Status updateStatus( @FormParam("status") String status, @QueryParam("lat") float lat, @QueryParam("long") float longitude); @Path("{id}/retweeted_by.json") User[] getRetweetedBy( @PathParam("id") long id, @QueryParam("count") long count, @QueryParam("page") long page); @Path("followers.json") User[] getFollowers(@QueryParam("user_id") long userId); } CRest crest = CRest.getInstance(); StatusService statusService = crest.build(StatusService.class); User[] folowers = statusService.getFollowers(42213);
  • 30. Helpful libraries - CRest One-time configuration CRestBuilder crestInstance = new CRestBuilder() .property( MethodConfig.METHOD_CONFIG_DEFAULT_ENDPOINT, "https://api.rwozniak.com/1.0" ) .property( MethodConfig.METHOD_CONFIG_DEFAULT_ERROR_HANDLER, MyErrorHandler.class ) .setHttpChannelFactory( HttpClientHttpChannelFactory.class ) .placeholder( "auth.token", getUserAuthToken() ) .deserializeJsonWith( CustomGsonDeserializer.class );
  • 31. Helpful libraries - CRest Error handler public class MyErrorHandler implements ErrorHandler { @Override public <T> T handle(Request request, Exception e) throws Exception { if( e instanceof RequestException ) { RequestException ex = (RequestException) e; Response resp = ex.getResponse(); throw new ApiException( resp.to( com.rwozniak.api.entities.ErrorResponse.class ) ); } return null; } } public class ErrorResponse { @SerializedName("http_code") public int httpCode; public String error; @SerializedName("error_title") public String errorTitle; @SerializedName("error_description") public String errorDescription; @SerializedName("validation_errors") public ArrayList<String> validationErrors; }
  • 32. Helpful libraries - CRest Custom deserializer public class CustomGsonDeserializer implements Deserializer { @Override public <T> T deserialize(Class<T> tClass, Type type, InputStream inputStream, Charset charset) throws Exception { GsonBuilder builder = new GsonBuilder(); JsonParser parser = new JsonParser(); JsonElement element = parser.parse( new InputStreamReader(inputStream) ); return builder.create().fromJson( element, type ); } }
  • 33. Helpful libraries - CRest Service factory public class ServiceFactory { private static CRestBuilder crestInstance; private static UserService userService; private static void init( boolean authenticated ) { crestInstance = new CRestBuilder(); } private static CRestBuilder getInstance() { if( crestInstance==null ) { init(); } return crestInstance; } public static UserService getUserService() { if( userService==null ) { userService = getInstance().placeholder( "userid", getUserId() ).build().build( UserService.class ); } return userService; } }
  • 34. Helpful libraries - CRest Final User user = ServiceFactory.getUserService().create( "John", "Doe", 25 ); user.age = 32; ServiceFactory.getUserService().update( user ); ServiceFactory.getUserService().delete( user.id );
  • 35. Persistence and REST Persistence and REST Presentation from GoogleIO 2010 – author: Virgil Dobjanschi – source: http://goo.gl/R15we
  • 36. Persistence and REST Incorrect implementation Activity 1. Get, create, update, delete CursorAdapter Thread 3. Processing REST method Processor 5. Requery 4. Save 2. GET/POST/PUT/DELETE Memory
  • 37. Persistence and REST Incorrect implementation • Application process can be killed by system • Data is not presisted for future use
  • 38. Persistence and REST Service API Activity CursorAdapter 1. execute 11. callback to Activity 8'. notify ContentOberver 8''. requery Service Helper 2. startService(Intent) 10. Binder callback Service 3. start(param) 9. callback 4. insert/update Processor Content Provider 8. insert/update 5. start(param) 7. REST resposne REST method 6. GET/POST/PUT/DELETE
  • 39. Persistence and REST Processor - POST and PUT POST 4. insert (set STATE_POSTING) Processor Content Provider 8. update (clear STATE_POSTING) REST method PUT 4. insert (set STATE_POSTING) Processor Content Provider 8. update (clear STATE_POSTING) REST method
  • 40. Persistence and REST Processor - DELETE and GET DELETE 4. insert (set STATE_DELETING) Processor Content Provider 8. delete REST method GET Processor Content Provider 8. insert new resource REST method
  • 41. Summary Things to keep in mind • always make HTTP calls in a separate thread (eg. IntentService) • persist before and after communication • minimize HTTP communication (compression, headers) • libraries - make things easier • StackOverflow 
  • 42. Questions Questions? imgsrc: http://presentationtransformations.com/wp-content/uploads/2012/03/Question.jpg
  • 43. Thankful I am Thank you imgsrc: http://memegenerator.net/instance/29015891

Notas del editor

  1. wzorzec architektury oprogramowania dla rozproszonych systemów takich jak wwwRoy Fielding jednym z autorów specyfikacji protokołu HTTP
  2. separacja widoku od bazy danych za pomocą interfejsu jakim jest RESTbrak sesji, każde żądanie zawiera wszystkei dane konieczne do jego wykonaniacache - klienci mogą cacheowac odpowiedz jezeli serwer wskaze ze mozna to zrobic, poprawa skalowalnosci i wydajnosciwarstwy - skalowalnosc, load balancinginterfejs - mozliwosc niezaleznego rozwoju klienta i serwisu
  3. ----- Meeting Notes (13.12.2012 14:14) -----get. put idempotent
  4. idempotentna
  5. idempotentna
  6. If-Modified-Since - przy braku zmian serwer zwraca 304 (Not modified)
  7. A connectiontimeoutoccursonly upon starting the TCP connection. Thisusuallyhappensif the remotemachinedoes not answer. Thismeansthat the serverhasbeenshut down, youused the wrong IP/DNS nameor the network connection to the serveris down.A sockettimeoutisdedicated to monitor the continuousincoming data flow. If the data flowisinterrupted for the specifiedtimeout the connectionisregarded as stalled/broken. Of coursethisonlyworks with connectionswhere data isreceivedall the time.
  8. dla uproszczenia nie zamieszczam w kodzie bloków try-catch
  9. moze pokazac kod calego factory?
  10. wisinka na torcie, final, dodac obrazek
  11. [wyrdźil dobdźanski] - software ingineer at Google, tworca pierwszego oficjalnego klienta Twittera