Базовые сокеты Java, сервер не может отправлять, клиенты не могут ничего получить - PullRequest
1 голос
/ 09 июня 2011

Я написал базовую программу клиент-серверный сокет на Java из учебного пособия в книге «Справочник по java-all-in-one для справочника чайников», он содержит 3 класса: BartServer, BartClient, BartQuote ... в основном, что BartServer.class выполняет прослушивание BartClient.class, BartClient при выполнении будет отправлять команды BartServer, который затем будет отвечать в соответствии с тем, что отправляет BartClient.

если команда get, BartServer ответит на случайную кавычку, сгенерированную из BartQuote.class еще "пока" выйдет из клиента ... Я попробовал это на локальном хосте, клиент успешно подключается к серверу, но, тем не менее, BartServer ничего не делает, и клиенты не получат ... команды не ответили или что-нибудь ... где я ошибся? Извините за мой плохой английский ...

BartServer:

package socketBart;
import java.net.*;import java.io.*;import java.util.*;

public class BartServer {

public static void main(String[] args)
{
    int port = 1892;

    BartQuote bart = new BartQuote();

    try
    {
        System.out.println("BartServer 1.0");
        System.out.println("Listening on port "+port);
        ServerSocket ss = new ServerSocket(port);
        Socket s = ss.accept(); // WAITS for a client to connect, once connected, returns a socket object
        // once clients connects and socket s is created, it will proceed to the next line

        String client;
        client = s.getInetAddress().toString();
        System.out.println("Connected to "+ client);

        Scanner in = new Scanner(s.getInputStream()); //READS data sent to this server from CLIENTS
        PrintWriter out = new PrintWriter(s.getOutputStream()); //SENDS data FROM this server to CLIENTS

        out.println("Welcome to BartServer 1.0");// these lines are sent to the client
        out.println("Enter GET to get a quote or BYE to exit.");

        while (true)
        {
            String input = in.nextLine();
            if (input.equalsIgnoreCase("bye"))
                break;
            else if (input.equalsIgnoreCase("get"))
            {
                out.println(bart.getQuote());
                System.out.println("Serving "+ client);
            }
            else
                out.println("Huh?");
        }
        out.println("So long suckers!");
        s.close();

        System.out.println("Closed connection to " + client);
    }
    catch(Exception e){
        e.printStackTrace();
    }

}

}

BartClient:

package socketBart;
import java.net.*;import java.util.*;import java.io.*;

public class BartClient {

public static void main(String[] args)
{
    int port = 1892;
    System.out.println("Welcome to the Bart Client\n");
    Socket s = getSocket(port);

    try
    {
        System.out.println("Connected on port " + port);

        Scanner in = new Scanner(s.getInputStream());
        PrintWriter out = new PrintWriter(s.getOutputStream(),true);

        //discard welcome message from server
        in.nextLine();

        //discard the exit instructions
        in.nextLine();

        //get a quote
        out.println("get");
        String quote = in.nextLine();

        //disconnect from server
        out.println("bye");
        s.close();

        //write the quote of the 'chalkboard'
        for (int i = 0; i < 20; i++)
            System.out.println(quote);
    }
    catch (Exception e)
    {
        e.printStackTrace();
    }

}

private static Socket getSocket(int port)
{
    Socket s;
    String host;
    InetAddress ip;

    Scanner sc = new Scanner(System.in);
    while (true)
    {
        System.out.print("Connect to server: ");
        host = sc.nextLine();

        try
        {
            ip = InetAddress.getByName(host);
            s = new Socket(ip,port);
            return s;
        }
        catch(UnknownHostException e)
        {
            System.out.println("The host is unknown.");
        }
        catch (IOException e)
        {
            System.out.println("Network error, check your port.");
        }//end catch
    }
}

}

BartQuote:

package socketBart;
import java.util.Random;
import java.util.ArrayList;

public class BartQuote {

ArrayList<String> q = new ArrayList<String>();

public BartQuote()
{
    q.add("I will not waste chalk");
    q.add("I will not skateboard in the halls");
    q.add("I will not burp in the class");
    q.add("I will not instigate a revolution");
    q.add("It's potato, not potatoe.");
    q.add("I will not encourage others to fly.");
    q.add("Tar is not a plaything.");
    q.add("I will not sell school property.");
    q.add("I will not get very far with this attitude");
    q.add("I will not sell land in Florida.");
    q.add("I will not grease the monkey bars.");
    q.add("I am not a dentist");
    q.add("I will finish what I started.");
    q.add("Hamsters cannot fly");
}

public String getQuote()
{
    int i = new Random().nextInt(q.size());
    return q.get(i);
}



}

1 Ответ

4 голосов
/ 09 июня 2011

Измените эту строку на сервере:

PrintWriter out = new PrintWriter(s.getOutputStream());

на:

PrintWriter out = new PrintWriter(s.getOutputStream(), true);

Это изменится так, чтобы сервер всегдасбрасывает поток после записи.В противном случае данные могут задерживаться в буфере серверов для выходного потока.

Обратите внимание, что код вашего клиента уже настроен на автоматическую очистку.

Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...