Implementing HttpServer on Android

Implementing HttpServer on Android

In a recent project, because Android is used as a server to perform a real-time data reception function, it is necessary to make an Android local micro server.

At this time, I first thought of spring boot, because it is a server framework. But in fact, we don't need such a large server framework at all, and it's too troublesome to configure them. So, I found three frameworks: Ijetty, NanoHttpd and AndroidAsync, which are relatively small and suitable for Android.

After comparison, Ijetty is too complicated to use, and it will inexplicably report some problems that are not easy to solve, so it was abandoned.

Since I didn't study Ijetty in detail, I focused on NanoHttpd and AndroidAsync;

So let's first talk about the advantages and disadvantages of the two:

1. NanoHttpd is a framework with BIO as the underlying encapsulation, while AndroidAsync is encapsulated with NIO as the underlying encapsulation. The rest is the same, and in fact AndroidAsync is written based on the NanoHttpd framework. So, in a sense, AndroidAsync is an optimized version of NanoHttpd, but of course it also depends on the specific application scenario.

2. NanoHttpd can only be used for HttpServer, but AndroidAsync can be used in webSocket, HttpClient, etc. in addition to HttpServer applications. Among them, the Ion library separated from AndroidAsync is also relatively famous.

3.NanoHttpd's underlying processing includes many return status codes (for example: 200, 300, 400, 500, etc.); but after reading the source code of AndroidAsync, I found that there are only two status codes returned by the underlying encapsulation of AndroidAsync: 200 and 404. I just found this pit (the example of OPTIONS will be mentioned below)

Let’s take a look at the specific usage below.

1. Let’s talk about NanoHttpd first:

Because the NanoHttpd framework is actually a single file, you can download it directly from GitHub. Download address

With the downloaded file, you can inherit this file and write a class as follows:

  1. public class HttpServer extends NanoHTTPD {
  2. private static final String TAG = "HttpServer" ;
  3.  
  4. public   static final String DEFAULT_SHOW_PAGE = "index.html" ;
  5. public   static final int DEFAULT_PORT = 9511; //This parameter can be defined at will, and 1024-65535 is the best definition; 1-1024 is the common system port, and 1024-65535 is the non-system port
  6.  
  7. public enum Status implements Response.IStatus {
  8. REQUEST_ERROR(500, "Request failed" ) ,
  9. REQUEST_ERROR_API(501, "Invalid request API" ),
  10. REQUEST_ERROR_CMD(502, "Invalid command" );
  11.  
  12. private final int requestStatus;
  13. private final String description;
  14.  
  15. Status( int requestStatus, String description) {
  16. this.requestStatus = requestStatus;
  17. this.description = description;
  18. }
  19.  
  20. @Override
  21. public String getDescription() {
  22. return description;
  23. }
  24.  
  25. @Override
  26. public   int getRequestStatus() {
  27. return requestStatus;
  28. }
  29. }
  30.  
  31. public HttpServer() { // Initialize port
  32. super(DEFAULT_PORT);
  33. }
  34.  
  35. @Override
  36. public Response serve(IHTTPSession session) {
  37. String uri = session.getUri();
  38. Map<String, String> headers = session.getHeaders();
  39.  
  40. //Problem of not receiving post parameters, http://blog.csdn.net/obguy/article/details/53841559
  41. try {
  42. session.parseBody(new HashMap<String, String>());
  43. } catch (IOException e) {
  44. e.printStackTrace();
  45. } catch (ResponseException e) {
  46. e.printStackTrace();
  47. }
  48. Map<String, String> parms = session.getParms();
  49. try {
  50. LogUtil.d(TAG, uri);
  51.  
  52. //Judge the legitimacy of uri, custom method, this is the method to determine whether it is an interface
  53. if (checkUri(uri)) {
  54. //For interface processing
  55. if (headers != null ) {
  56. LogUtil.d(TAG, headers.toString());
  57. }
  58. if (parms != null ) {
  59. LogUtil.d(TAG, parms.toString());
  60. }
  61.  
  62. if (StringUtil.isEmpty(uri)) {
  63. throw new RuntimeException( "Unable to obtain request address" );
  64. }
  65.  
  66. if (Method.OPTIONS.equals(session.getMethod())) {
  67. LogUtil.d(TAG, "OPTIONS exploratory request" );
  68. return addHeaderResponse(Response.Status.OK);
  69. }
  70.  
  71. switch (uri) {
  72. case   "/test" : {//Interface 2
  73. //This method includes encapsulating the returned interface request data and handling exceptions and cross-domain
  74. return getXXX(parms);
  75. }
  76. default : {
  77. return addHeaderResponse(Status.REQUEST_ERROR_API);
  78. }
  79. }
  80. } else {
  81. //For the processing of static resources
  82. String filePath = getFilePath(uri); // Get the file path based on the url
  83.  
  84. if (filePath == null ) {
  85. LogUtil.d(TAG, "sd card not found" );
  86. return super.serve(session);
  87. }
  88. File file = new File(filePath);
  89.  
  90. if (file != null && file.exists()) {
  91. LogUtil.d(TAG, "file path = " + file.getAbsolutePath());
  92. //Return mimeType based on file name: image/jpg, video/mp4, etc
  93. String mimeType = getMimeType(filePath);
  94.  
  95. Response res = null ;
  96. InputStream is = new FileInputStream(file);
  97. res = newFixedLengthResponse(Response.Status.OK, mimeType, is , is .available());
  98. //The following are the cross-domain parameters (because they are usually coordinated with h5, so they must be set)
  99. response.addHeader( "Access-Control-Allow-Headers" , allowHeaders);
  100. response.addHeader( "Access-Control-Allow-Methods" , "GET, POST, PUT, DELETE, HEAD" );
  101. response.addHeader( "Access-Control-Allow-Credentials" , "true" );
  102. response.addHeader( "Access-Control-Allow-Origin" , "*" );
  103. response.addHeader( "Access-Control-Max-Age" , "" + 42 * 60 * 60);
  104.  
  105. return res;
  106. } else {
  107. LogUtil.d(TAG, "file path = " + file.getAbsolutePath() + " resource does not exist" );
  108. }
  109.  
  110. }
  111.  
  112. } catch (Exception e) {
  113. e.printStackTrace();
  114. }
  115. //Self-encapsulated return request
  116. return addHeaderRespose(Status.REQUEST_ERROR);
  117. }

Based on the above example, the following points are mainly made: 1) All requests can be received, whether it is post or get, or other requests. If filtering is required, handle it yourself;

2) Note that the problem of not receiving post parameters handled above has been given a reference link in the code comments, please refer to it;

3) If the request contains both an interface and a static resource (such as HTML), then be careful to distinguish the two requests, for example, you can use URI to identify them; of course, both can be returned in the form of a stream, and both can call the API method newFixedLengthResponse();

4) The author suggests that you should first deal with the cross-domain issue, because Android may be debugged with h5, so it is easier to debug after setting up the cross-domain. Of course, some scenarios can be ignored, depending on personal needs; the method has been written in the above code;

5) Of course, the most important thing is the opening and closing code:

  1. /**
  2. * Enable local web page song request service
  3. */
  4. public   static void startLocalChooseMusicServer() {
  5.  
  6. if (httpServer == null ) {
  7. httpServer = new HttpServer();
  8. }
  9.  
  10. try {
  11. // Start the web service
  12. if (!httpServer.isAlive()) {
  13. httpServer.start();
  14. }
  15. Log.i(TAG, "The server started." );
  16. } catch (Exception e) {
  17. httpServer.stop();
  18. Log.e(TAG, "The server could not start. e = " + e.toString());
  19. }
  20.  
  21. }
  22.  
  23. /**
  24. * Disable local services
  25. */
  26. public   static void quitChooseMusicServer() {
  27. if (httpServer != null ) {
  28. if (httpServer.isAlive()) {
  29. httpServer.stop();
  30. Log.d(TAG, "Close the LAN song request service" );
  31. }
  32. }
  33. }

2 Let’s take a look at AndroidAsync: This framework is quite interesting and has many functions. This article will only talk about the relevant knowledge of HttpServer and leave the rest for later reference.

As usual, let's talk about usage first: Add in Gradle:

  1. dependencies {
  2.  
  3. compile 'com.koushikdutta.async:androidasync:2.2.1'  
  4.  
  5. }

Code example: (Cross-domain is not handled here. If necessary, please handle it according to the previous example)

  1. public class NIOHttpServer implements HttpServerRequestCallback {
  2.  
  3. private static final String TAG = "NIOHttpServer" ;
  4.  
  5. private static NIOHttpServer mInstance;
  6.  
  7. public   static   int PORT_LISTEN_DEFALT = 5000;
  8.  
  9. AsyncHttpServer server = new AsyncHttpServer();
  10.  
  11. public   static NIOHttpServer getInstance() {
  12. if (mInstance == null ) {
  13. //Add class lock to ensure initialization only once
  14. synchronized (NIOHttpServer.class) {
  15. if (mInstance == null ) {
  16. mInstance = new NIOHttpServer();
  17. }
  18. }
  19. }
  20. return mInstance;
  21. }
  22.  
  23. //Follow the writing method of nanohttpd
  24. public   static enum Status {
  25. REQUEST_OK(200, "Request successful" ) ,
  26. REQUEST_ERROR(500, "Request failed" ) ,
  27. REQUEST_ERROR_API(501, "Invalid request API" ),
  28. REQUEST_ERROR_CMD(502, "Invalid command" ) ,
  29. REQUEST_ERROR_DEVICEID(503, "Mismatched device ID" ) ,
  30. REQUEST_ERROR_ENV(504, "Mismatched service environment" );
  31.  
  32. private final int requestStatus;
  33. private final String description;
  34.  
  35. Status( int requestStatus, String description) {
  36. this.requestStatus = requestStatus;
  37. this.description = description;
  38. }
  39.  
  40. public String getDescription() {
  41. return description;
  42. }
  43.  
  44. public   int getRequestStatus() {
  45. return requestStatus;
  46. }
  47. }
  48.  
  49. /**
  50. * Enable local service
  51. */
  52. public void startServer() {
  53. //If there are other request methods, such as the following line of code
  54. server.addAction( "OPTIONS" , "[\\d\\D]*" , this);
  55. server.get( "[\\d\\D]*" , this);
  56. server.post( "[\\d\\D]*" , this);
  57. server.listen(PORT_LISTEN_DEFALT);
  58. }
  59.  
  60. @Override
  61. public void onRequest(AsyncHttpServerRequest request, AsyncHttpServerResponse response) {
  62. Log.d(TAG, "Come in, haha" );
  63. String uri = request.getPath();
  64. //This is where you get the header parameters, so be sure to keep this in mind
  65. Multimap headers = request.getHeaders().getMultiMap();
  66.  
  67. if (checkUri(uri)) {// is for interface processing
  68. //Note: This is where you get the parameters for the post request, so be sure to keep it in mind
  69. Multimap parms = (( AsyncHttpRequestBody<Multimap>)request.getBody()).get();
  70. if (headers != null ) {
  71. LogUtil.d(TAG, headers.toString());
  72. }
  73. if (parms != null ) {
  74. LogUtil.d(TAG, "parms = " + parms.toString());
  75. }
  76.  
  77. if (StringUtil.isEmpty(uri)) {
  78. throw new RuntimeException( "Unable to obtain request address" );
  79. }
  80.  
  81. if ( "OPTIONS" .toLowerCase().equals(request.getMethod().toLowerCase())) {
  82. LogUtil.d(TAG, "OPTIONS exploratory request" );
  83. addCORSHeaders(Status.REQUEST_OK, response);
  84. return ;
  85. }
  86.  
  87. switch (uri) {
  88. case   "/test" : {//Interface 2
  89. //This method includes encapsulating the returned interface request data and handling exceptions and cross-domain
  90. return getXXX(parms);
  91. }
  92. default : {
  93. return addHeaderResponse(Status.REQUEST_ERROR_API);
  94. }
  95. }
  96. } else {
  97. // Targets the processing of static resources
  98. String filePath = getFilePath(uri); // Get the file path based on the url
  99.  
  100. if (filePath == null ) {
  101. LogUtil.d(TAG, "sd card not found" );
  102. response.send( "sd card not found" );
  103. return ;
  104. }
  105. File file = new File(filePath);
  106.  
  107. if (file != null && file.exists()) {
  108. Log.d(TAG, "file path = " + file.getAbsolutePath());
  109.  
  110. response.sendFile(file); //Different from nanohttpd
  111.  
  112. } else {
  113. Log.d(TAG, "file path = " + file.getAbsolutePath() + " resource does not exist" );
  114. }
  115. }
  116. }
  117. }

Based on the above example, the following points are mainly mentioned: {It is probably about the usage of API}

1) For example: server.addAction("OPTIONS", "[\d\D]", this) is a general method for filtering requests. The first parameter is the request method, such as "OPTIONS", "DELETE", "POST", "GET", etc. (note that they are in uppercase), the second parameter is the regular expression for filtering URIs, here all URIs are filtered, and the third is the callback parameter. server.post("[\d\D]", this), server.get("[\d\D]*", this) are special cases of the previous method. server.listen(PORT_LISTEN_DEFALT) is the listening port;

2) request.getHeaders().getMultiMap()

This is where you get the header parameters, so be sure to keep it in mind;

3) ((AsyncHttpRequestBody<Multimap>)request.getBody()).get() is where the parameters of the post request are obtained;

4) The code for obtaining static resources is in the else of the callback method onResponse, as shown in the example above.

5) Let me talk about the pitfalls of OPTIONS. Because there are only two kinds of http status codes encapsulated in the AndroidAsync framework, if the filtering method does not include a request method such as OPTIONS, the actual http status code returned to the client is 400, and the error message reflected in the browser is actually a cross-domain problem. It took me a long time to find it, so please pay attention.

Summarize:

1) The same page:

NanoHttpd time: 1.4s

AndroidAsync time: 1.4s

However, when entering for the second time, the time consumed by AndroidAsync was obviously less than the first time. The author speculates that this is because AndroidAsync does some processing at the bottom layer.

2) From the perspective of API analysis, NanoHttpd is more convenient to use, and the APIs for obtaining the passed parameters are easier to use; AndroidAsync's API is relatively more complicated, such as obtaining params.

3) If you analyze it from the perspective of the scenario, if you need high concurrency, you must use AndroidAsync; but if you don’t need it, then analyze it in detail.

<<:  Tech Neo Technology Salon - Issue 14 - IT Operation and Maintenance Practice and Exploration Based on Algorithms

>>:  Discussion on optimization scheme for opening the first screen of mobile H5 within seconds

Recommend

Only mobile developers can save traditional ISV and SI companies?

[[130623]] About the author: Liu Xin, founder and...

How can entrepreneurs write stories like the great Annie “Annie of the 1%”?

Yu Jiawen left, and Annie came, creating a phenom...

Tips on how to get an operational plan with millions of PVs!

There are two types of information platforms on t...

【2014】GitHub China Developer Annual Report

[[127311]] Produced by GitHuber.info team Preface...

iOS 9 Human Interface Guidelines: UI Design Basics

1.1 Designing for iOS iOS embodies the following ...

10+ Mobile App Development Tools to Build Apps Faster

Today, the mobile app market is flooded with mill...

How much does it cost to be an agent of a supplement mini program in Weifang?

How much does it cost to be an agent for a supple...

Tmall 618 Shopping Festival promotion activities to make huge profits

Tmall 618 Shopping Festival promotion activities,...