我正在尝试使用NanoHTTP来提供HTML文件。但是,NanoHTTP尚无记录,我是Android的新手。我的问题是,我在哪里存储html文件,以及如何使用NanoHTTP专门提供该文件。

最佳答案

答案较晚,但可能对其他人有用。

这是一个简单的hello Web服务器,不完全是您要的,但您可以从这里继续。以下程序假设您在SD卡的根目录中有一个www目录,并且在其中有一个文件index.html

主要 Activity Httpd.java:

package com.inforscience.web;

import android.app.Activity;
import android.os.Bundle;
import android.os.Environment;
import android.util.Log;
import java.io.*;
import java.util.*;


public class Httpd extends Activity
{
    private WebServer server;
    /** Called when the activity is first created. */
    @Override
    public void onCreate(Bundle savedInstanceState)
    {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.main);
        server = new WebServer();
        try {
            server.start();
        } catch(IOException ioe) {
            Log.w("Httpd", "The server could not start.");
        }
        Log.w("Httpd", "Web server initialized.");
    }


    // DON'T FORGET to stop the server
    @Override
    public void onDestroy()
    {
        super.onDestroy();
        if (server != null)
            server.stop();
    }

    private class WebServer extends NanoHTTPD {

        public WebServer()
        {
            super(8080);
        }

        @Override
        public Response serve(String uri, Method method,
                              Map<String, String> header,
                              Map<String, String> parameters,
                              Map<String, String> files) {
            String answer = "";
            try {
                // Open file from SD Card
                File root = Environment.getExternalStorageDirectory();
                FileReader index = new FileReader(root.getAbsolutePath() +
                        "/www/index.html");
                BufferedReader reader = new BufferedReader(index);
                String line = "";
                while ((line = reader.readLine()) != null) {
                    answer += line;
                }
                reader.close();

            } catch(IOException ioe) {
                Log.w("Httpd", ioe.toString());
            }


            return new NanoHTTPD.Response(answer);
        }
    }

}

显然,NanoHTTPD类必须位于同一包中。

您需要在AndroidManifest.xml中授予Internet权限。
<uses-permission android:name="android.permission.INTERNET" />

并阅读外部存储权限。
<uses-permission android:name="android.permission.WRITE_EXTERNAL_STORAGE"/>

编辑:要访问服务器,请使用设备IP打开网络浏览器,例如192.168.1.20:8080

注意:
  • 在Android 2.3中测试
  • 端口80的使用仅限于root用户(http://www.mail-archive.com/[email protected]/msg47377.html)。
  • 08-03 21:12