多线程Java TCP客户端

时间:2015-01-26 10:09:14

标签: java multithreading tcpclient

我正在编写一个Java客户端应用程序(带有TCP / IP的Basic Java Net软件包)。客户端必须从system.in获取输入,同时必须通过套接字输入流监听来自服务器的任何消息。 一旦收到来自system.in的输入,客户端将获得该输入,进行一些处理并将其作为请求发送到服务器。 所以基本上有2个进程运行,

- 显示客户端请求

- 列出服务器响应。

我为此实现了2个线程,并在主线程中运行了消息处理。 这个设计是否足够好??

有没有办法将从system.in收到的消息返回给主线程。线程run()方法返回void。我使用volatile变量来返回收到的字符串,但是它表示volatile非常昂贵,因为它不使用cpu cache来存储变量。

1 个答案:

答案 0 :(得分:0)

您可以查看我编写的这两个项目,以获取Java套接字和多线程的示例。

我想 ClientExample 是您正在搜索的那个,但您也可以查看服务器部分。

基本上,我们的想法是启动两个独立的线程来监听不同的输入 - 套接字和控制台。

final Thread outThread = new Thread() {
    @Override
    public void run() {
        System.out.println("Started...");
        PrintWriter out = null;
        Scanner sysIn = new Scanner(System.in);
        try {
            out = new PrintWriter(socket.getOutputStream());
            out.println(name);
            out.flush();

            while (sysIn.hasNext() && !isFinished.get()) {
                String line = sysIn.nextLine();
                if ("exit".equals(line)) {
                    synchronized (isFinished) {
                        isFinished.set(true);
                    }
                }
                out.println(line);
                out.flush();
                disconnect();
            }
        } catch (IOException e) {
            // TODO Auto-generated catch block
            e.printStackTrace();
        } finally {
            if (out != null) {
                out.close();
            }
        }
    };
};
outThread.start();

和套接字输入的另​​一个线程:

        final Thread inThread = new Thread() {
            @Override
            public void run() {
                // Use a Scanner to read from the remote server

                Scanner in = null;
                try {
                    in = new Scanner(socket.getInputStream());
                    String line = in.nextLine();
                    while (!isFinished.get()) {
                        System.out.println(line);
                        line = in.nextLine();
                    }
                } catch (Exception e) {
//                  e.printStackTrace();
                } finally {
                    if (in != null) {
                        in.close();
                    }
                }
            };
        };
        inThread.start();

我希望这会对你有所帮助:)。