套接字Java客户端 - Python服务器

时间:2018-01-15 15:31:14

标签: java python sockets client-server

我要实现一个java-python客户端/服务器套接字。客户端在java中,服务器是用python写的

Java客户端

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

public class client {

public static void main(String[] args) {  



    try{      
        Socket socket=new Socket("localhost",2004);  

        DataOutputStream dout=new DataOutputStream(socket.getOutputStream());  
        DataInputStream din=new DataInputStream(socket.getInputStream());


        dout.writeUTF("Hello");
        dout.flush();

        System.out.println("send first mess");
        String str = din.readUTF();//in.readLine();

        System.out.println("Message"+str);


        dout.close();  
        din.close();
        socket.close();
        }

    catch(Exception e){
        e.printStackTrace();}   


}  

}

Python服务器

import socket               

soc = socket.socket()         
host = "localhost" 
port = 2004                
soc.bind((host, port))      
soc.listen(5)                 

while True:
    conn, addr = soc.accept()     
    print ("Got connection from",addr)
    msg = conn.recv(1024)
    print (msg)
    print(len(msg))

    if "Hello"in msg:
         conn.send("bye".encode('UTF-8'))
    else:
         print("no message")

从客户端到服务器的第一条消息正确传递,但第二条从服务器到客户端没有。使用telnet我检查服务器是否发送了消息,但客户端陷入僵局并且没有收到消息。 我不明白为什么。

由于

1 个答案:

答案 0 :(得分:3)

似乎您的缩进在Python服务器中已关闭,作为要发送的代码 回到客户端的消息无法访问。

即使修复了缩进,您的服务器实现也不正确,因为msg不是String。您需要解码msg,如下所示。此外,您需要将邮件的长度发送为short,因为您在客户端使用DataInputStream#readUTF

import socket

soc = socket.socket()
host = "localhost"
port = 2004
soc.bind((host, port))
soc.listen(5)

while True:
    conn, addr = soc.accept()
    print("Got connection from",addr)
    length_of_message = int.from_bytes(conn.recv(2), byteorder='big')
    msg = conn.recv(length_of_message).decode("UTF-8")
    print(msg)
    print(length_of_message)

    # Note the corrected indentation below
    if "Hello"in msg:
        message_to_send = "bye".encode("UTF-8")
        conn.send(len(message_to_send).to_bytes(2, byteorder='big'))
        conn.send(message_to_send)
    else:
        print("no message")