The use of OkHttp and simple encapsulation

The use of OkHttp and simple encapsulation

Preface

Network programming is essential in Android development. An app that does not connect to the Internet will not be profitable. Without further ado, let's take a look at the evolution of network requests in Android:

From HttpURLConnection, Apache HTTP Client, Volley to the current OKHttp, there are always people who are better than you. Why is OKHttp so popular? I believe the following introduction will tell you the answer.

Introduction to OKHttp

First, give the OKHttp project address: https://github.com/square/okhttp

Android provides us with two ways of HTTP interaction: HttpURLConnection and Apache HTTP Client. Although both support HTTPS, stream upload and download, configuration timeout, IPv6 and connection pool, they are enough to meet our various HTTP request needs. But using HTTP more efficiently can make your application run faster and save more traffic. The OkHttp library is born for this purpose. OkHttp is an efficient HTTP library:

1.Support SPDY, share the same Socket to handle all requests from the same server

2. If SPDY is not available, use connection pooling to reduce request latency

3. Seamlessly support GZIP to reduce data traffic

1. Cache response data to reduce repeated network requests

2. General get request

3. General post request

4. File upload based on Http

5. File Download

6. Loading images

7.Support request callback and directly return objects and object collections

8.Support session retention

OkHttp will automatically recover from many common connection problems. If your server is configured with multiple IP addresses, when the first IP connection fails, it will automatically try the next IP. OkHttp also handles proxy server problems and SSL handshake failures. (Concurrent) You don't need to rewrite the network code in your program to use OkHttp. OkHttp implements almost the same API as java.net.HttpURLConnection. If you use Apache HttpClient, OkHttp also provides a corresponding okhttp-apache module. From the simple introduction above, we can see that although it is not much simpler in programming, some functions inside OKHttp can help us automatically complete some very complex operations. I personally think that the biggest selling point is to greatly save user traffic.

Basic use of OKHttp

1. Introduce the dependency library of CardView in Gradle.

  1. compile 'com.squareup.okhttp:okhttp:3.8.0'  

2. Before using OKHttp, you must first understand the following core classes and their functions.

  • OkHttpClient client object
  • Request is the request accessed in OkHttp, and the Post request needs to contain RequestBody
  • Builder is an auxiliary class used to produce objects
  • Response is the response in OkHttp. The response can get whether the return is successful and the returned data
  • MediaType data type, used to indicate a series of formats such as JSON
  • RequestBody request data, used in Post request
  • client.newCall(request).execute() is a synchronous request method
  • client.newCall(request).enqueue(Callback callBack) is an asynchronous request method, but the code in Callback is executed in the child thread, so the UI cannot be updated.

3. Basic steps for using OKHttp (taking POST to get JSON data from the server as an example)

  • Create an OkHttpClient object. The official documentation requires us to use the singleton mode first, which will be mentioned later when encapsulating OKHttp.
  • If it is a post request, you need to create a RequestBody object through FormEncodingBuilder and specify the parameters to be passed in. This is not necessary for get requests.
  • Create a Request object, which is a request object and needs to specify the URL. The RequestBody object needs to be specified for post requests, but not for get requests.
  • Call the newCall method of OkHttpClient, pass the Request object into it, and then execute or enqueue the method. The difference between the two has been mentioned above. The onResponse method in CallBack can do what you need to do. The parameter of the onResponse callback is response. In general, if we want to get the returned string, we can get it through response.body().string(); if we want to get the returned binary byte array, call response.body().bytes(); if you want to get the returned inputStream, call response.body().byteStream(). Seeing this, you may be surprised that you can get the returned inputStream. Seeing this, at least you can realize that large file downloads are supported here. With inputStream, we can write files through IO. However, it also shows a problem. The thread executed by this onResponse is not the UI thread. Indeed, if you want to operate controls, you still need to use handlers, etc.
  1. OkHttpClient client = new OkHttpClient();
  2.  
  3. RequestBody body = new FormEncodingBuilder()
  4. . add ( "type" , "1" )
  5. .build(); Request request = new Request.Builder()
  6. .url(Constants.URL_BANNER)
  7. .post(body)
  8. .build();
  9.  
  10. client.newCall(request).enqueue(new Callback() {
  11. @Override
  12. public void onFailure(Request request, IOException e) {
  13.  
  14. }
  15.  
  16. @Override
  17. public void onResponse(Response response) throws IOException {
  18. if (response.isSuccessful()) {
  19.  
  20. android.os.Message msg = new Message();
  21. msg.what = 1;
  22. msg.obj = response.body().string();
  23. mHandler.sendMessage(msg);
  24. }
  25. }
  26. });

Here is just a simple post request to get data from the server. As for the get request, it just removes the RequestBody object. As for how to submit data to the server, you can refer to the official WIKI (GitHub introduction document) after you are familiar with the basic usage above.

Simple encapsulation of OKHttp

Looking back at the above code, imagine that if you write so much repeated code for each request, it will seriously reduce the development efficiency, so you need to encapsulate OKHttp. Encapsulating the code is the basic quality of our most object-oriented programmers, reducing duplicate code, and reducing maintenance difficulty and cost.

There is also a package for OKHttp on GitHub, called OKHttpUtils. But here we will do it ourselves and learn how to encapsulate it. The specific points to note are as follows:

1. First of all, OKHttp officially requires us to use the OKHttpClient class in singleton mode, so we customize an OKHttpHelper class and use the singleton mode.

2. Encapsulate the get and post methods. The main idea is to extract the common code, such as the request method extracted from the code.

3. Expose some static methods to the public, including get and post methods.

4. Callback base class, encapsulates OKHttp callback. This class contains a type, which is convenient for using Gson to parse JSON in the callback. When using Callback, you only need to pass in Data or List<Data> in the generic type to use JSON conveniently.

5. Since the original callback is not in the main thread, we need to use Handler to put the callback into the main thread.

The rest can refer to the code, which has detailed comments.

  1. /**
  2. * This class is used to assist OKHttp
  3. */ public class OkHttpHelper { /**
  4. * Use OkHttpClient in singleton mode
  5. */
  6. private static OkHttpHelper mOkHttpHelperInstance;
  7. private static OkHttpClient mClientInstance;
  8. private Handler mHandler;
  9. private Gson mGson; /**
  10. * Singleton mode, private constructor, some initialization in the constructor
  11. */
  12. private OkHttpHelper() {
  13. mClientInstance = new OkHttpClient();
  14.  
  15. mClientInstance.setConnectTimeout(10, TimeUnit.SECONDS);
  16. mClientInstance.setReadTimeout(10, TimeUnit.SECONDS);
  17. mClientInstance.setWriteTimeout(30, TimeUnit.SECONDS);
  18. mGson = new Gson();
  19.  
  20. mHandler = new Handler(Looper.getMainLooper());
  21. } /**
  22. * Get an instance
  23. *
  24. * @return  
  25. */
  26. public   static OkHttpHelper getinstance() {
  27. if (mOkHttpHelperInstance == null ) {
  28. synchronized (OkHttpHelper.class) {
  29. if (mOkHttpHelperInstance == null ) {
  30. mOkHttpHelperInstance = new OkHttpHelper();
  31. }
  32. }
  33. } return mOkHttpHelperInstance;
  34. } /**
  35. * Encapsulate a request method, which will be used in both post and get methods
  36. */
  37. public void request(final Request request, final BaseCallback callback) { //What to do before the request, such as popping up a dialog box, etc.
  38. callback.onRequestBefore();
  39.  
  40. mClientInstance.newCall(request).enqueue(new Callback() {
  41. @Override
  42. public void onFailure(Request request, IOException e) { //Return failure
  43. callbackFailure(request, callback, e);
  44. } @Override
  45. public void onResponse(Response response) throws IOException {
  46. if (response.isSuccessful()) { //Return successful callback
  47. String resString = response.body().string();
  48. if (callback.mType == String.class) { //If we need to return String type
  49. callbackSuccess(response, resString, callback);
  50. } else { //If the returned type is other than Gson, use Gson to parse it
  51. try {
  52. Object o = mGson.fromJson(resString, callback.mType);
  53. callbackSuccess(response, o, callback);
  54. } catch (JsonParseException e) {
  55. e.printStackTrace();
  56. callbackError(response, callback, e);
  57. }
  58. }
  59.  
  60. } else { //Return error
  61. callbackError(response, callback, null );
  62. }
  63. }
  64. });
  65. } /**
  66. * Callback executed in the main thread
  67. *
  68. * @param response
  69. * @param resString
  70. * @param callback
  71. */
  72. private void callbackSuccess(final Response response, final Object o, final BaseCallback callback) {
  73. mHandler.post(new Runnable() {
  74. @Override
  75. public void run() {
  76. callback.onSuccess(response, o);
  77. }
  78. });
  79. } /**
  80. * Callback executed in the main thread
  81. * @param response
  82. * @param callback
  83. * @param e
  84. */
  85. private void callbackError(final Response response, final BaseCallback callback, final Exception e) {
  86. mHandler.post(new Runnable() {
  87. @Override
  88. public void run() {
  89. callback.onError(response, response.code(), e);
  90. }
  91. });
  92. } /**
  93. * Callback executed in the main thread
  94. * @param request
  95. * @param callback
  96. * @param e
  97. */
  98. private void callbackFailure(final Request request, final BaseCallback callback, final Exception e) {
  99. mHandler.post(new Runnable() {
  100. @Override
  101. public void run() {
  102. callback.onFailure(request, e);
  103. }
  104. });
  105. } /**
  106. * Public get method
  107. *
  108. * @param url
  109. * @param callback
  110. */
  111. public void get(String url, BaseCallback callback) {
  112. Request request = buildRequest(url, null , HttpMethodType.GET);
  113. request(request, callback);
  114. } /**
  115. * Public post method
  116. *
  117. * @param url
  118. * @param params
  119. * @param callback
  120. */
  121. public void post(String url, Map<String, String> params, BaseCallback callback) {
  122. Request request = buildRequest(url, params, HttpMethodType.POST);
  123. request(request, callback);
  124. } /**
  125. * Build a request object
  126. *
  127. * @param url
  128. * @param params
  129. * @param type
  130. * @return  
  131. */
  132. private Request buildRequest(String url, Map<String, String> params, HttpMethodType type) {
  133. Request.Builder builder = new Request.Builder();
  134. builder.url(url);
  135. if (type == HttpMethodType.GET) {
  136. builder.get();
  137. } else if (type == HttpMethodType.POST) {
  138. builder.post(buildRequestBody(params));
  139. } return builder.build();
  140. } /**
  141. * Build the body of the request object through the key-value pairs of Map
  142. *
  143. * @param params
  144. * @return  
  145. */
  146. private RequestBody buildRequestBody(Map<String, String> params) {
  147.  
  148. FormEncodingBuilder builder = new FormEncodingBuilder();
  149. if (params != null ) {
  150. for (Map.Entry<String, String> entity : params.entrySet()) {
  151. builder.add (entity.getKey(), entity.getValue());
  152. }
  153. } return builder.build();
  154. } /**
  155. * This enumeration is used to indicate which submission method is used
  156. */
  157. enum HttpMethodType {
  158. GET,
  159. POST
  160. }
  161.  
  162. }

Callback Encapsulation

  1. package com.nan.cnshop.http;
  2.  
  3. import com.google.gson.internal.$Gson$Types;
  4. import com.squareup.okhttp.Request;
  5. import com.squareup.okhttp.Response;
  6.  
  7. import java.lang.reflect.ParameterizedType;
  8. import java.lang.reflect.Type;/**
  9. * Basic callback
  10. */ public abstract class BaseCallback<T> { /**
  11. * type is used to facilitate JSON parsing
  12. */
  13. public Type mType; /**
  14. * Convert type to the corresponding class. You don’t need to understand it here.
  15. *
  16. * @param subclass
  17. * @return  
  18. */
  19. static Type getSuperclassTypeParameter(Class<?> subclass) {
  20. Type superclass = subclass.getGenericSuperclass();
  21. if (superclass instanceof Class) {
  22. throw new RuntimeException( "Missing type parameter." );
  23. }
  24. ParameterizedType parameterized = (ParameterizedType) superclass;
  25. return $Gson$Types.canonicalize(parameterized.getActualTypeArguments()[0]);
  26. } /**
  27. * Get the class of type during construction
  28. */
  29. public BaseCallback() {
  30. mType = getSuperclassTypeParameter(getClass());
  31. } /**
  32. * Called before request
  33. */
  34. public abstract void onRequestBefore();
  35. /**
  36. * Request failed to call (network problem)
  37. *
  38. * @param request
  39. * @param e
  40. */
  41. public abstract void onFailure(Request request, Exception e);
  42. /**
  43. * Called when the request succeeds and there are no errors
  44. *
  45. * @param response
  46. * @param t
  47. */
  48. public abstract void onSuccess(Response response, T t);
  49. /**
  50. * Called when the request succeeds but there is an error, such as Gson parsing error, etc.
  51. *
  52. * @param response
  53. * @param errorCode
  54. * @param e
  55. */
  56. public abstract void onError(Response response, int errorCode, Exception e);
  57.  
  58. }

Use after OKHttp encapsulation

As shown in the code below. First, get the singleton of OkHttpHelper, and then call the get method. Since it inherits Gson, it is necessary to pass the data type corresponding to JSON in the generic type of BaseCallback. Here, the author uses List<Banner>. *** In the onSuccess method, we can do what we want.

  1. mHttpHelper=OkHttpHelper.getinstance();
  2. mHttpHelper.get(Constants.URL_BANNER, new BaseCallback<List<Banner>>() {
  3. @Override
  4. public void onRequestBefore() {
  5.  
  6. } @Override
  7. public void onFailure(Request request, Exception e) {
  8.  
  9. } @Override
  10. public void onSuccess(Response response, List<Banner> banners) {
  11. initBanners(banners);
  12. } @Override
  13. public void onError(Response response, int errorCode, Exception e) {
  14.  
  15. }
  16. });

Do you think that the use of OKHttp becomes very simple after encapsulation? This is the power of encapsulation. Well, today's notes stop here.

PS: Here we only introduce the use of OKHttp get and post. Please complete the rest of the use, such as file download and upload and the corresponding code encapsulation by yourself~(≧▽≦)/~ la la la. The full text also contains the code of BaseCallback and OkHttpHelper. Please read the original text.

<<:  [Practical] Android Data Binding from resistance to love

>>:  App Development Architecture Guide (Google official document translation)

Recommend

APP operation user growth routine!

The core purpose of operating an APP is to keep u...

Short video information flow picture material optimization case

In recent years, disputes in the short video indu...

How can online education retain traffic?

As an observer of the education and training indu...

How to choose a live streaming platform?

In this live streaming sales boom, everyone says ...

How to quickly lock in users and achieve satisfactory promotion results?

Every industry takes two things into consideratio...

How much does it cost to develop a small moving program in Changsha?

According to industry insiders, mini programs wil...

What is the difference between TikTok Express and TikTok?

If you want to open Douyin Express Edition and Do...

How Pinduoduo improves user purchase conversion rate!

1. Definition of Purchase Conversion Rate Convers...

How to successfully implement mobile device management

Thanks to increased operating system capabilities...

Analysis of the user system of Momo live broadcast product

There is a mind map at the end of the article. By...