2

我正在尝试创建一个接受请求的简单服务器,然后将文件的内容写入发送请求的浏览器。服务器连接并写入套接字。但是我的浏览器说

没有收到任何数据

并且不显示任何内容。

public class Main {

/**
 * @param args
 */
public static void main(String[] args) throws IOException{

    while(true){
        ServerSocket serverSock = new ServerSocket(6789);
        Socket sock = serverSock.accept();

        System.out.println("connected");

        InputStream sis = sock.getInputStream();
        BufferedReader br = new BufferedReader(new InputStreamReader(sis));
        String request = br.readLine(); // Now you get GET index.html HTTP/1.1`
        String[] requestParam = request.split(" ");
        String path = requestParam[1];

        System.out.println(path);

        PrintWriter out = new PrintWriter(sock.getOutputStream(), true);
        File file = new File(path);
        BufferedReader bfr = null;
        String s = "Hi";

        if (!file.exists() || !file.isFile()) {
            System.out.println("writing not found...");
             out.write("HTTP/1.0 200 OK\r\n");
             out.write(new Date() + "\r\n");
             out.write("Content-Type: text/html");
             out.write("Content length: " + s.length() + "\r\n");
             out.write(s);
        }else{
            FileReader fr = new FileReader(file);
            bfr = new BufferedReader(fr);
            String line;
            while ((line = bfr.readLine()) != null) {
                out.write(line);
            }
        }
        if(bfr != null){
            bfr.close();
        }
        br.close();
        out.close();
        serverSock.close();
    }
}

}
4

1 回答 1

0

如果我使用,您的代码对我有用(数据显示在浏览器中)

http://localhost:6789/etc/hosts

并且有一个文件/etc/hosts(Linux 文件系统符号)。


如果文件不存在,则此代码段

out.write("HTTP/1.0 200 OK\r\n");
out.write(new Date() + "\r\n");
out.write("Content-Type: text/html\r\n");
out.write("\r\n");
out.write("File " + file + " not found\r\n");
out.flush();

将返回显示在浏览器中的数据:请注意,我已明确添加了对flush()此处的调用。确保out在其他情况下也已冲洗。

另一种可能性是重新排序您的close陈述。引用 EJP 关于如何关闭套接字的回答:

您应该关闭从套接字创建的最外层输出流。那将冲洗它。

如果最外面的输出流是(来自同一来源的另一个引用),情况尤其如此:

一个缓冲的输出流,或者一个环绕在其中的流。如果你不关闭它,它就不会被刷新。

所以out.close()应该先调用br.close()

于 2013-08-03T20:18:01.943 回答