zoukankan      html  css  js  c++  java
  • web service

    After completing this module, you’ll be able to:
    • Perform a callout to receive data from an external service.
    • Perform a callout to send data to an external service.
    • Test callouts by using mock callouts.

    HTTP and Callout Basics

    REST callouts are based on HTTP. To understand how callouts work, it’s helpful to understand a few things about HTTP. Each callout request is associated with an HTTP method and an endpoint. The HTTP method indicates what type of action is desired.
    Apex callouts to an external service

    The simplest request is a GET request (GET is an HTTP method). A GET request means that the sender wants to obtain information about a resource from the server. When the server receives and processes this request, it returns the request information to the recipient. A GET request is similar to navigating to an address in the browser. When you visit a web page, the browser performs a GET request behind the scenes. In the browser, the result of the navigation is a new HTML page that’s displayed. With a callout, the result is the response object.

    To illustrate how a GET request works, open your browser and navigate to the following URI: https://th-apex-http-callout.herokuapp.com/animals. Your browser displays a list of animals in a weird format, because the service returns the response in a format called JSON. Sometimes a GET response is also formatted in XML.

    The following are descriptions of common HTTP methods.

    Table 1. Some Common HTTP Methods
    HTTP MethodDescription
    GET Retrieve data identified by a URL.
    POST Create a resource or post data to the server.
    DELETE Delete a resource identified by a URL.
    PUT Create or replace the resource sent in the request body.

    If you have some free time, browse the exhaustive list of all HTTP methods in the Resources section.

    In addition to the HTTP method, each request sets a URI, which is the endpoint address at which the service is located. For example, an endpoint can be http://www.example.com/api/resource. In the example in the “HTTP and Callout Basics” unit, the endpoint is https://th-apex-http-callout.herokuapp.com/animals.

    When the server processes the request, it sends a status code in the response. The status code indicates whether the request was processed successfully or whether errors were encountered. If the request is successful, the server sends a status code of 200. You’ve probably seen some other status codes, such as 404 for file not found or 500 for an internal server error.

    If you still have free time after browsing the list of HTTP methods, check out the list of all response status codes in theResources section. If you’re having a hard time sleeping at night, these two resources can help.

    Note

    In addition to the endpoint and the HTTP method, you can set other properties for a request. For example, a request can contain headers that provide more information about the request, such as the content type. A request can also contain data to be sent to the service, such as for POST requests. You’ll see an example of a POST request in a later step. A POST request is similar to clicking a button on a web page to submit form data. With a callout, you send data as part of the body of the request instead of manually entering the data on a web page.

    Get Data from a Service

    It’s time to put your new HTTP knowledge to use with some Apex callouts. This example sends a GET request to a web service to get a list of woodland creatures. The service sends the response in JSON format. JSON is essentially a string, so the built-in JSONParser class converts it to an object. We can then use that object to write the name of each animal to the debug log.

    Before you run the examples in this unit, you’ll need to authorize the endpoint URL of the callout, https://th-apex-http-callout.herokuapp.com, using the steps from the Authorize Endpoint Addresses section.

    1. Open the Developer Console under Your Name or the quick access menu (Setup gear icon).
    2. In the Developer Console, select Debug | Open Execute Anonymous Window.
    3. Delete the existing code and insert the following snippet.
      01 Http http = new Http();
      02 HttpRequest request = new HttpRequest();
      04 request.setMethod('GET');
      05 HttpResponse response = http.send(request);
      06 // If the request is successful, parse the JSON response.
      07 if (response.getStatusCode() == 200) {
      08     // Deserialize the JSON string into collections of primitive data types.
      09     Map<String, Object> results = (Map<String, Object>) JSON.deserializeUntyped(response.getBody());
      10     // Cast the values in the 'animals' key as a list
      11     List<Object> animals = (List<Object>) results.get('animals');
      12     System.debug('Received the following animals:');
      13     for (Object animal: animals) {
      14         System.debug(animal);
      15     }
      16 }
    4. Select Open Log, and then click Execute.
    5. After the debug log opens, select Debug Only to view the output of the System.debug statements.
      The names of the animals are displayed.

    The JSON for our example is fairly simple and easy to parse. For more complex JSON structures, you can useJSON2Apex. This tool generates strongly typed Apex code for parsing a JSON structure. You simply paste in the JSON, and the tool generates the necessary Apex code for you. Brilliant!

    Send Data to a Service

    Another common use case for HTTP callouts is sending data to a service. For instance, when you buy the latest Justin Bieber album or comment on your favorite “Cat in a Shark Costume Chases a Duck While Riding a Roomba” video, your browser is making a POST request to submit data. Let’s see how we send data in Apex.

    This example sends a POST request to the web service to add an animal name. The new name is added to the request body as a JSON string. The request Content-Type header is set to let the service know that the sent data is in JSON format so that it can process the data appropriately. The service responds by sending a status code and a list of all animals, including the one you added. If the request was processed successfully, the status code returns 201, because a resource has been created. The response is sent to the debug log when anything other than 201 is returned.

    1. Open the Developer Console under Your Name or the quick access menu (Setup gear icon).
    2. In the Developer Console, select Debug | Open Execute Anonymous Window.
    3. Delete any existing code and insert the following snippet.
      01 Http http = new Http();
      02 HttpRequest request = new HttpRequest();
      04 request.setMethod('POST');
      05 request.setHeader('Content-Type''application/json;charset=UTF-8');
      06 // Set the body as a JSON object
      07 request.setBody('{"name":"mighty moose"}');
      08 HttpResponse response = http.send(request);
      09 // Parse the JSON response
      10 if (response.getStatusCode() != 201) {
      11     System.debug('The status code returned was not expected: ' +
      12         response.getStatusCode() + ' ' + response.getStatus());
      13 else {
      14     System.debug(response.getBody());
      15 }
    4. Select Open Log, and then click Execute.
    5. When the debug log opens, select Debug Only to view the output of the System.debug statement. The last item in the list of animals is "mighty moose".

    Test Callouts

    There’s good news and bad news regarding callout testing. The bad news is that Apex test methods don’t support callouts, and tests that perform callouts fail. The good news is that the testing runtime allows you to “mock” the callout. Mock callouts allow you to specify the response to return in the test instead of actually calling the web service. You are essentially telling the runtime, “I know what this web service will return, so instead of calling it during testing, just return this data.” Using mock callouts in your tests helps ensure that you attain adequate code coverage and that no lines of code are skipped due to callouts.

    Prerequisites

    Before you write your tests, let’s create a class that contains the GET and POST request examples we executed anonymously in the “Send Data to a Service” unit. These examples are slightly modified so that the requests are in methods and return values, but they’re essentially the same as the previous examples.

    1. In the Developer Console, select File | New | Apex Class.
    2. For the class name, enter AnimalsCallouts and then click OK.
    3. Replace the autogenerated code with the following class definition.
      01 public class AnimalsCallouts {
      02  
      03     public static HttpResponse makeGetCallout() {
      04         Http http = new Http();
      05         HttpRequest request = new HttpRequest();
      06         request.setEndpoint('https://th-apex-http-callout.herokuapp.com/animals');
      07         request.setMethod('GET');
      08         HttpResponse response = http.send(request);
      09         // If the request is successful, parse the JSON response.
      10         if (response.getStatusCode() == 200) {
      11             // Deserializes the JSON string into collections of primitive data types.
      12             Map<String, Object> results = (Map<String, Object>) JSON.deserializeUntyped(response.getBody());
      13             // Cast the values in the 'animals' key as a list
      14             List<Object> animals = (List<Object>) results.get('animals');
      15             System.debug('Received the following animals:');
      16             for (Object animal: animals) {
      17                 System.debug(animal);
      18             }
      19         }
      20         return response;
      21     }
      22  
      23     public static HttpResponse makePostCallout() {
      24         Http http = new Http();
      25         HttpRequest request = new HttpRequest();
      26         request.setEndpoint('https://th-apex-http-callout.herokuapp.com/animals');
      27         request.setMethod('POST');
      28         request.setHeader('Content-Type''application/json;charset=UTF-8');
      29         request.setBody('{"name":"mighty moose"}');
      30         HttpResponse response = http.send(request);
      31         // Parse the JSON response
      32         if (response.getStatusCode() != 201) {
      33             System.debug('The status code returned was not expected: ' +
      34                 response.getStatusCode() + ' ' + response.getStatus());
      35         else {
      36             System.debug(response.getBody());
      37         }
      38         return response;
      39     }       
      40  
      41 }
    4. Press CTRL+S to save.

    Test a Callout with StaticResourceCalloutMock

    To test your callouts, use mock callouts by either implementing an interface or using static resources. In this example, we use static resources and a mock interface later on. The static resource contains the response body to return. Again, when using a mock callout, the request isn’t sent to the endpoint. Instead, the Apex runtime knows to look up the response specified in the static resource and return it instead. The Test.setMock method informs the runtime that mock callouts are used in the test method. Let’s see mock callouts in action. First, we create a static resource containing a JSON-formatted string to use for the GET request.

    1. In the Developer Console, select File | New | Static Resource.
    2. For the name, enter GetAnimalResource.
    3. For the MIME type, select text/plain, even though we are using JSON.
    4. Click Submit.
    5. In the tab that opens for the resource, insert the following content. Make sure that it is all on one line and doesn’t break to the next line. This content is what the mock callout returns. It’s an array of three woodland creatures.
      1 {"animals": ["pesky porcupine""hungry hippo""squeaky squirrel"]}
    6. Press CTRL+S to save.

    You’ve successfully created your static resource! Now, let’s add a test for our callout that uses this resource.

    1. In the Developer Console, select File | New | Apex Class.
    2. For the class name, enter AnimalsCalloutsTest and then click OK.
    3. Replace the autogenerated code with the following test class definition.
      01 @isTest
      02 private class AnimalsCalloutsTest {
      03  
      04     @isTest static  void testGetCallout() {
      05         // Create the mock response based on a static resource
      06         StaticResourceCalloutMock mock = new StaticResourceCalloutMock();
      07         mock.setStaticResource('GetAnimalResource');
      08         mock.setStatusCode(200);
      09         mock.setHeader('Content-Type''application/json;charset=UTF-8');
      10         // Associate the callout with a mock response
      11         Test.setMock(HttpCalloutMock.class, mock);
      12         // Call method to test
      13         HttpResponse result = AnimalsCallouts.makeGetCallout();
      14         // Verify mock response is not null
      15         System.assertNotEquals(null,result,
      16             'The callout returned a null response.');
      17         // Verify status code
      18         System.assertEquals(200,result.getStatusCode(),
      19           'The status code is not 200.');
      20         // Verify content type  
      21         System.assertEquals('application/json;charset=UTF-8',
      22           result.getHeader('Content-Type'),
      23           'The content type value is not expected.'); 
      24         // Verify the array contains 3 items    
      25         Map<String, Object> results = (Map<String, Object>)
      26             JSON.deserializeUntyped(result.getBody());
      27         List<Object> animals = (List<Object>) results.get('animals');
      28         System.assertEquals(3, animals.size(),
      29           'The array should only contain 3 items.');         
      30     }  
      31  
      32 }
    4. Press CTRL+S to save.
    5. Select Test | Always Run Asynchronously. If you don’t select Always Run Asynchronously, test runs that include only one class run synchronously. You can open logs from the Tests tab only for synchronous test runs.
    6. To run the test, select Test | New Run.
    7. From the Test Classes list, select AnimalsCalloutsTest.
    8. Click Add Selected | Run.

    The test result is displayed in the Tests tab under a test run ID. When the test execution finishes, expand the test run to view details. Now double-click AnimalCallouts in the Overall Code Coverage pane to see which lines are covered by your tests.

    Test a Callout with HttpCalloutMock

    To test your POST callout, we provide an implementation of the HttpCalloutMock interface. This interface enables you to specify the response that’s sent in the respond method. Your test class instructs the Apex runtime to send this fake response by calling Test.setMock again. For the first argument, pass HttpCalloutMock.class. For the second argument, pass a new instance of AnimalsHttpCalloutMock, which is your interface implementation of HttpCalloutMock. (We’ll writeAnimalsHttpCalloutMock in the example after this one.)

    1 Test.setMock(HttpCalloutMock.classnew AnimalsHttpCalloutMock());

    Now add the class that implements the HttpCalloutMock interface to intercept the callout. If an HTTP callout is invoked in test context, the callout is not made. Instead, you receive the mock response that you specify in the respond method implementation in AnimalsHttpCalloutMock.

    1. In the Developer Console, select File | New | Apex Class.
    2. For the class name, enter AnimalsHttpCalloutMock and then click OK.
    3. Replace the autogenerated code with the following class definition.
      01 @isTest
      02 global class AnimalsHttpCalloutMock implements HttpCalloutMock {
      03     // Implement this interface method
      04     global HTTPResponse respond(HTTPRequest request) {
      05         // Create a fake response
      06         HttpResponse response = new HttpResponse();
      07         response.setHeader('Content-Type''application/json');
      08         response.setBody('{"animals": ["majestic badger", "fluffy bunny", "scary bear", "chicken", "mighty moose"]}');
      09         response.setStatusCode(200);
      10         return response;
      11     }
      12 }
    4. Press CTRL+S to save.

    In your test class, create the testPostCallout method to set the mock callout, as shown in the next example. ThetestPostCallout method calls Test.setMock, and then calls the makePostCallout method in the AnimalsCallouts class. It then verifies that the response that’s returned is what you specified in the respond method of the mock implementation.

    1. Modify the test class AnimalsCalloutsTest to add a second test method. Click the class tab, and then add the following method before the closing bracket.
      01 @isTest static void testPostCallout() {
      02     // Set mock callout class
      03     Test.setMock(HttpCalloutMock.classnew AnimalsHttpCalloutMock());
      04     // This causes a fake response to be sent
      05     // from the class that implements HttpCalloutMock.
      06     HttpResponse response = AnimalsCallouts.makePostCallout();
      07     // Verify that the response received contains fake values
      08     String contentType = response.getHeader('Content-Type');
      09     System.assert(contentType == 'application/json');
      10     String actualValue = response.getBody();
      11     System.debug(response.getBody());
      12     String expectedValue = '{"animals": ["majestic badger", "fluffy bunny", "scary bear", "chicken", "mighty moose"]}';
      13     System.assertEquals(actualValue, expectedValue);
      14     System.assertEquals(200, response.getStatusCode());
      15 }
    2. Press CTRL+S to save.
    3. Select Test | New Run.
    4. From the Test Classes list, select AnimalsCalloutsTest.
    5. Click Add Selected | Run.

      The test result displays in the Tests tab under a new test run ID. When the test execution finishes, expand the test run to view details about both tests.

    Tell Me More...

    Learn about using callouts in triggers and in asynchronous Apex, and about making asynchronous callouts.

    When making a callout from a method, the method waits for the external service to send back the callout response before executing subsequent lines of code. Alternatively, you can place the callout code in an asynchronous method that’s annotated with @future(callout=true) or use Queueable Apex. This way, the callout runs on a separate thread, and the execution of the calling method isn’t blocked.

    When making a callout from a trigger, the callout must not block the trigger process while waiting for the response. For the trigger to be able to make a callout, the method containing the callout code must be annotated with@future(callout=true) to run in a separate thread.

    此刻,静下心来学习
  • 相关阅读:
    [转][黄忠成]Object Builder Application Block
    C#中的接口
    委托、事件与Observer设计模式
    [转][黄忠成]Object Builder Application Block (1)
    C# 中的委托和事件
    Android布局充分演示Demo
    android代码重启 .
    【转】小游戏>弹球
    多个Icon的APk——实现多程序入口总结
    为你的Android应用定制属于你的BaseActivity
  • 原文地址:https://www.cnblogs.com/bandariFang/p/5688298.html
Copyright © 2011-2022 走看看