为什么代码无法访问?

时间:2015-03-07 14:06:15

标签: java unreachable-code

以下是'out.close();'给我一个“代码无法访问”的消息 我找不到问题,因为它与我运行的其他代码或多或少完全相同!

import java.io.*;
import java.net.*;

public class MyClient {
    private static String SERVER = "127.0.0.1";
    private static Integer PORT = 8765;
    public static void main(String[] args) throws IOException {
        // Connect to the server and create the writer and reader
        Socket socket = new Socket(SERVER,PORT);
        PrintWriter out = new PrintWriter(socket.getOutputStream(),true);
        BufferedReader in = new BufferedReader(new InputStreamReader(socket.getInputStream()));
        // Loop forever
        while(true) {

            out.println("Question:");
            String sum = System.console().readLine();
            out.println(sum);

            String line = in.readLine().trim();
            if(line==null || line.startsWith("Finished")) {
                socket.close();
                return;
            }
            else if (line.startsWith("My answer is: ")){
                System.out.println(line);
                String message = System.console().readLine();//correct or wrong!!
                out.println(message);
            }       
        }
        // Close the in and out and socket
        out.close();
        in.close();
        socket.close();
    }
}

5 个答案:

答案 0 :(得分:4)

您正在return循环中执行while。你应该改为break

答案 1 :(得分:1)

因为代码永远不会到达:

    // Close the in and out and socket
    out.close();
    in.close();
    socket.close();

return更改为break

    if(line==null || line.startsWith("Finished")) {
        socket.close();
        break; //<------------------CHANGE
    }

答案 2 :(得分:0)

这是问题

 // Loop forever
        while(true) {

它将永远循环,你永远不会停止它,所以循环后的下一行永远不会被执行。就是这样:P

答案 3 :(得分:0)

因为你有一个没有中断或其他退出方式的无限循环(while(true))。

答案 4 :(得分:0)

在循环中执行return不是一种好的风格,但如果想要确保释放资源,可以使用try ... finally包裹循环:

try {
  while(true) {
    // ...
    if(condition) {
      return;
    }
    // ...
  }
} finally {
  out.close(); // this is called just before leaving the surrounding function
  // ...
}

即使在循环中抛出异常,这仍然有效。