Although most programmers probably do network programming using a nice library with high-level application protocol (such as HTTP) support built-in, it's still useful to have an understanding of how to code at the socket level. Here are a few complete examples you can compile and run.
We will look at four network applications, written completely from scratch in Java. We will see that we can write these programs without any knowledge of the technologies under the hood (which include operating system resources, routing between networks, address lookup, physical transmission media, etc.)
Each of these applications use the client-server paradigm, which is roughly
The only pieces of background information you need are:
The four applications are
The server
DateServer.java
package edu.lmu.cs.networking;<span>import java.io.IOException;import java.io.PrintWriter;import java.net.ServerSocket;import java.net.Socket;import java.util.Date;<span>/**<br> * A TCP server that runs on port 9090. When a client connects, it<br> * sends the client the current date and time, then closes the<br> * connection with that client. Arguably just about the simplest<br> * server you can write.<br> */publicclassDateServer{<br><br> /**<br> * Runs the server.<br> */<br> publicstaticvoid main(String[] args)throwsIOException{<br> ServerSocket listener =newServerSocket(9090);<br> try{<br> while(true){<br> Socket socket = listener.accept();<br> try{<br> PrintWriterout=<br> newPrintWriter(socket.getOutputStream(),true);<br> out.println(newDate().toString());<br> }finally{<br> socket.close();<br> }<br> }<br> }<br> finally{<br> listener.close();<br> }<br> }}</span></span>
The client
DateClient.java
package edu.lmu.cs.networking;<span>import java.io.BufferedReader;import java.io.IOException;import java.io.InputStreamReader;import java.net.Socket;<span>import javax.swing.JOptionPane;<span>/**<br> * Trivial client for the date server.<br> */publicclassDateClient{<br><br> /**<br> * Runs the client as an application. First it displays a dialog<br> * box asking for the IP address or hostname of a host running<br> * the date server, then connects to it and displays the date that<br> * it serves.<br> */<br> publicstaticvoid main(String[] args)throwsIOException{<br> String serverAddress =JOptionPane.showInputDialog(<br> "Enter IP Address of a machine that is\n"+<br> "running the date service on port 9090:");<br> Socket s =newSocket(serverAddress,9090);<br> BufferedReader input =<br> newBufferedReader(newInputStreamReader(s.getInputStream()));<br> String answer = input.readLine();<br> JOptionPane.showMessageDialog(null, answer);<br> System.exit(0);<br> }}</span></span></span>
You can also test the server with telnet
.
The server
CapitalizeServer.java
package edu.lmu.cs.networking;<span>import java.io.BufferedReader;import java.io.IOException;import java.io.InputStreamReader;import java.io.PrintWriter;import java.net.ServerSocket;import java.net.Socket;<span>/**<br> * A server program which accepts requests from clients to<br> * capitalize strings. When clients connect, a new thread is<br> * started to handle an interactive dialog in which the client<br> * sends in a string and the server thread sends back the<br> * capitalized version of the string.<br> *<br> * The program is runs in an infinite loop, so shutdown in platform<br> * dependent. If you ran it from a console window with the "java"<br> * interpreter, Ctrl+C generally will shut it down.<br> */publicclassCapitalizeServer{<br><br> /**<br> * Application method to run the server runs in an infinite loop<br> * listening on port 9898. When a connection is requested, it<br> * spawns a new thread to do the servicing and immediately returns<br> * to listening. The server keeps a unique client number for each<br> * client that connects just to show interesting logging<br> * messages. It is certainly not necessary to do this.<br> */<br> publicstaticvoid main(String[] args)throwsException{<br> System.out.println("The capitalization server is running.");<br> int clientNumber =0;<br> ServerSocket listener =newServerSocket(9898);<br> try{<br> while(true){<br> newCapitalizer(listener.accept(), clientNumber++).start();<br> }<br> }finally{<br> listener.close();<br> }<br> }<br><br> /**<br> * A private thread to handle capitalization requests on a particular<br> * socket. The client terminates the dialogue by sending a single line<br> * containing only a period.<br> */<br> privatestaticclassCapitalizerextendsThread{<br> privateSocket socket;<br> privateint clientNumber;<br><br> publicCapitalizer(Socket socket,int clientNumber){<br> this.socket = socket;<br> this.clientNumber = clientNumber;<br> log("New connection with client# "+ clientNumber +" at "+ socket);<br> }<br><br> /**<br> * Services this thread's client by first sending the<br> * client a welcome message then repeatedly reading strings<br> * and sending back the capitalized version of the string.<br> */<br> publicvoid run(){<br> try{<br><br> // Decorate the streams so we can send characters<br> // and not just bytes. Ensure output is flushed<br> // after every newline.<br> BufferedReaderin=newBufferedReader(<br> newInputStreamReader(socket.getInputStream()));<br> PrintWriterout=newPrintWriter(socket.getOutputStream(),true);<br><br> // Send a welcome message to the client.<br> out.println("Hello, you are client #"+ clientNumber +".");<br> out.println("Enter a line with only a period to quit\n");<br><br> // Get messages from the client, line by line; return them<br> // capitalized<br> while(true){<br> String input =in.readLine();<br> if(input ==null|| input.equals(".")){<br> break;<br> }<br> out.println(input.toUpperCase());<br> }<br> }catch(IOException e){<br> log("Error handling client# "+ clientNumber +": "+ e);<br> }finally{<br> try{<br> socket.close();<br> }catch(IOException e){<br> log("Couldn't close a socket, what's going on?");<br> }<br> log("Connection with client# "+ clientNumber +" closed");<br> }<br> }<br><br> /**<br> * Logs a simple message. In this case we just write the<br> * message to the server applications standard output.<br> */<br> privatevoid log(String message){<br> System.out.println(message);<br> }<br> }}</span></span>
The client
CapitalizeClient.java
package edu.lmu.cs.networking;<span>import java.awt.event.ActionEvent;import java.awt.event.ActionListener;import java.io.BufferedReader;import java.io.IOException;import java.io.InputStreamReader;import java.io.PrintWriter;import java.net.Socket;<span>import javax.swing.JFrame;import javax.swing.JOptionPane;import javax.swing.JScrollPane;import javax.swing.JTextArea;import javax.swing.JTextField;<span>/**<br> * A simple Swing-based client for the capitalization server.<br> * It has a main frame window with a text field for entering<br> * strings and a textarea to see the results of capitalizing<br> * them.<br> */publicclassCapitalizeClient{<br><br> privateBufferedReaderin;<br> privatePrintWriterout;<br> privateJFrame frame =newJFrame("Capitalize Client");<br> privateJTextField dataField =newJTextField(40);<br> privateJTextArea messageArea =newJTextArea(8,60);<br><br> /**<br> * Constructs the client by laying out the GUI and registering a<br> * listener with the textfield so that pressing Enter in the<br> * listener sends the textfield contents to the server.<br> */<br> publicCapitalizeClient(){<br><br> // Layout GUI<br> messageArea.setEditable(false);<br> frame.getContentPane().add(dataField,"North");<br> frame.getContentPane().add(newJScrollPane(messageArea),"Center");<br><br> // Add Listeners<br> dataField.addActionListener(newActionListener(){<br> /**<br> * Responds to pressing the enter key in the textfield<br> * by sending the contents of the text field to the<br> * server and displaying the response from the server<br> * in the text area. If the response is "." we exit<br> * the whole application, which closes all sockets,<br> * streams and windows.<br> */<br> publicvoid actionPerformed(ActionEvent e){<br> out.println(dataField.getText());<br> String response;<br> try{<br> response =in.readLine();<br> if(response ==null|| response.equals("")){<br> System.exit(0);<br> }<br> }catch(IOException ex){<br> response ="Error: "+ ex;<br> }<br> messageArea.append(response +"\n");<br> dataField.selectAll();<br> }<br> });<br> }<br><br> /**<br> * Implements the connection logic by prompting the end user for<br> * the server's IP address, connecting, setting up streams, and<br> * consuming the welcome messages from the server. The Capitalizer<br> * protocol says that the server sends three lines of text to the<br> * client immediately after establishing a connection.<br> */<br> publicvoid connectToServer()throwsIOException{<br><br> // Get the server address from a dialog box.<br> String serverAddress =JOptionPane.showInputDialog(<br> frame,<br> "Enter IP Address of the Server:",<br> "Welcome to the Capitalization Program",<br> JOptionPane.QUESTION_MESSAGE);<br><br> // Make connection and initialize streams<br> Socket socket =newSocket(serverAddress,9898);<br> in=newBufferedReader(<br> newInputStreamReader(socket.getInputStream()));<br> out=newPrintWriter(socket.getOutputStream(),true);<br><br> // Consume the initial welcoming messages from the server<br> for(int i =0; i <3; i++){<br> messageArea.append(in.readLine()+"\n");<br> }<br> }<br><br> /**<br> * Runs the client application.<br> */<br> publicstaticvoid main(String[] args)throwsException{<br> CapitalizeClient client =newCapitalizeClient();<br> client.frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);<br> client.frame.pack();<br> client.frame.setVisible(true);<br> client.connectToServer();<br> }}</span></span></span>
The server
TicTacToeServer.java
package edu.lmu.cs.networking;<span>import java.io.BufferedReader;import java.io.IOException;import java.io.InputStreamReader;import java.io.PrintWriter;import java.net.ServerSocket;import java.net.Socket;<span>/**<br> * A server for a network multi-player tic tac toe game. Modified and<br> * extended from the class presented in Deitel and Deitel "Java How to<br> * Program" book. I made a bunch of enhancements and rewrote large sections<br> * of the code. The main change is instead of passing *data* between the<br> * client and server, I made a TTTP (tic tac toe protocol) which is totally<br> * plain text, so you can test the game with Telnet (always a good idea.)<br> * The strings that are sent in TTTP are:<br> *<br> * Client -> Server Server -> Client<br> * ---------------- ----------------<br> * MOVE <n> (0 <= n <= 8) WELCOME <char> (char in {X, O})<br> * QUIT VALID_MOVE<br> * OTHER_PLAYER_MOVED <n><br> * VICTORY<br> * DEFEAT<br> * TIE<br> * MESSAGE <text><br> *<br> * A second change is that it allows an unlimited number of pairs of<br> * players to play.<br> */publicclassTicTacToeServer{<br><br> /**<br> * Runs the application. Pairs up clients that connect.<br> */<br> publicstaticvoid main(String[] args)throwsException{<br> ServerSocket listener =newServerSocket(8901);<br> System.out.println("Tic Tac Toe Server is Running");<br> try{<br> while(true){<br> Game game =newGame();<br> Game.Player playerX = game.newPlayer(listener.accept(),'X');<br> Game.Player playerO = game.newPlayer(listener.accept(),'O');<br> playerX.setOpponent(playerO);<br> playerO.setOpponent(playerX);<br> game.currentPlayer = playerX;<br> playerX.start();<br> playerO.start();<br> }<br> }finally{<br> listener.close();<br> }<br> }}<span>/**<br> * A two-player game.<br> */classGame{<br><br> /**<br> * A board has nine squares. Each square is either unowned or<br> * it is owned by a player. So we use a simple array of player<br> * references. If null, the corresponding square is unowned,<br> * otherwise the array cell stores a reference to the player that<br> * owns it.<br> */<br> privatePlayer[] board ={<br> null,null,null,<br> null,null,null,<br> null,null,null};<br><br> /**<br> * The current player.<br> */<br> Player currentPlayer;<br><br> /**<br> * Returns whether the current state of the board is such that one<br> * of the players is a winner.<br> */<br> publicboolean hasWinner(){<br> return<br> (board[0]!=null&& board[0]== board[1]&& board[0]== board[2])<br> ||(board[3]!=null&& board[3]== board[4]&& board[3]== board[5])<br> ||(board[6]!=null&& board[6]== board[7]&& board[6]== board[8])<br> ||(board[0]!=null&& board[0]== board[3]&& board[0]== board[6])<br> ||(board[1]!=null&& board[1]== board[4]&& board[1]== board[7])<br> ||(board[2]!=null&& board[2]== board[5]&& board[2]== board[8])<br> ||(board[0]!=null&& board[0]== board[4]&& board[0]== board[8])<br> ||(board[2]!=null&& board[2]== board[4]&& board[2]== board[6]);<br> }<br><br> /**<br> * Returns whether there are no more empty squares.<br> */<br> publicboolean boardFilledUp(){<br> for(int i =0; i < board.length; i++){<br> if(board[i]==null){<br> returnfalse;<br> }<br> }<br> returntrue;<br> }<br><br> /**<br> * Called by the player threads when a player tries to make a<br> * move. This method checks to see if the move is legal: that<br> * is, the player requesting the move must be the current player<br> * and the square in which she is trying to move must not already<br> * be occupied. If the move is legal the game state is updated<br> * (the square is set and the next player becomes current) and<br> * the other player is notified of the move so it can update its<br> * client.<br> */<br> publicsynchronizedboolean legalMove(int location,Player player){<br> if(player == currentPlayer && board[location]==null){<br> board[location]= currentPlayer;<br> currentPlayer = currentPlayer.opponent;<br> currentPlayer.otherPlayerMoved(location);<br> returntrue;<br> }<br> returnfalse;<br> }<br><br> /**<br> * The class for the helper threads in this multithreaded server<br> * application. A Player is identified by a character mark<br> * which is either 'X' or 'O'. For communication with the<br> * client the player has a socket with its input and output<br> * streams. Since only text is being communicated we use a<br> * reader and a writer.<br> */<br> classPlayerextendsThread{<br> char mark;<br> Player opponent;<br> Socket socket;<br> BufferedReader input;<br> PrintWriter output;<br><br> /**<br> * Constructs a handler thread for a given socket and mark<br> * initializes the stream fields, displays the first two<br> * welcoming messages.<br> */<br> publicPlayer(Socket socket,char mark){<br> this.socket = socket;<br> this.mark = mark;<br> try{<br> input =newBufferedReader(<br> newInputStreamReader(socket.getInputStream()));<br> output =newPrintWriter(socket.getOutputStream(),true);<br> output.println("WELCOME "+ mark);<br> output.println("MESSAGE Waiting for opponent to connect");<br> }catch(IOException e){<br> System.out.println("Player died: "+ e);<br> }<br> }<br><br> /**<br> * Accepts notification of who the opponent is.<br> */<br> publicvoid setOpponent(Player opponent){<br> this.opponent = opponent;<br> }<br><br> /**<br> * Handles the otherPlayerMoved message.<br> */<br> publicvoid otherPlayerMoved(int location){<br> output.println("OPPONENT_MOVED "+ location);<br> output.println(<br> hasWinner()?"DEFEAT": boardFilledUp()?"TIE":"");<br> }<br><br> /**<br> * The run method of this thread.<br> */<br> publicvoid run(){<br> try{<br> // The thread is only started after everyone connects.<br> output.println("MESSAGE All players connected");<br><br> // Tell the first player that it is her turn.<br> if(mark =='X'){<br> output.println("MESSAGE Your move");<br> }<br><br> // Repeatedly get commands from the client and process them.<br> while(true){<br> String command = input.readLine();<br> if(command.startsWith("MOVE")){<br> int location =Integer.parseInt(command.substring(5));<br> if(legalMove(location,this)){<br> output.println("VALID_MOVE");<br> output.println(hasWinner()?"VICTORY"<br> : boardFilledUp()?"TIE"<br> :"");<br> }else{<br> output.println("MESSAGE ?");<br> }<br> }elseif(command.startsWith("QUIT")){<br> return;<br> }<br> }<br> }catch(IOException e){<br> System.out.println("Player died: "+ e);<br> }finally{<br> try{socket.close();}catch(IOException e){}<br> }<br> }<br> }}</span></span></span>
The client
TicTacToeClient.java
package edu.lmu.cs.networking;<span>import java.awt.Color;import java.awt.GridLayout;import java.awt.event.MouseAdapter;import java.awt.event.MouseEvent;import java.io.BufferedReader;import java.io.InputStreamReader;import java.io.PrintWriter;import java.net.Socket;<span>import javax.swing.Icon;import javax.swing.ImageIcon;import javax.swing.JFrame;import javax.swing.JLabel;import javax.swing.JOptionPane;import javax.swing.JPanel;<span>/**<br> * A client for the TicTacToe game, modified and extended from the<br> * class presented in Deitel and Deitel "Java How to Program" book.<br> * I made a bunch of enhancements and rewrote large sections of the<br> * code. In particular I created the TTTP (Tic Tac Toe Protocol)<br> * which is entirely text based. Here are the strings that are sent:<br> *<br> * Client -> Server Server -> Client<br> * ---------------- ----------------<br> * MOVE <n> (0 <= n <= 8) WELCOME <char> (char in {X, O})<br> * QUIT VALID_MOVE<br> * OTHER_PLAYER_MOVED <n><br> * VICTORY<br> * DEFEAT<br> * TIE<br> * MESSAGE <text><br> *<br> */publicclassTicTacToeClient{<br><br> privateJFrame frame =newJFrame("Tic Tac Toe");<br> privateJLabel messageLabel =newJLabel("");<br> privateImageIcon icon;<br> privateImageIcon opponentIcon;<br><br> privateSquare[] board =newSquare[9];<br> privateSquare currentSquare;<br><br> privatestaticint PORT =8901;<br> privateSocket socket;<br> privateBufferedReaderin;<br> privatePrintWriterout;<br><br> /**<br> * Constructs the client by connecting to a server, laying out the<br> * GUI and registering GUI listeners.<br> */<br> publicTicTacToeClient(String serverAddress)throwsException{<br><br> // Setup networking<br> socket =newSocket(serverAddress, PORT);<br> in=newBufferedReader(newInputStreamReader(<br> socket.getInputStream()));<br> out=newPrintWriter(socket.getOutputStream(),true);<br><br> // Layout GUI<br> messageLabel.setBackground(Color.lightGray);<br> frame.getContentPane().add(messageLabel,"South");<br><br> JPanel boardPanel =newJPanel();<br> boardPanel.setBackground(Color.black);<br> boardPanel.setLayout(newGridLayout(3,3,2,2));<br> for(int i =0; i < board.length; i++){<br> finalint j = i;<br> board[i]=newSquare();<br> board[i].addMouseListener(newMouseAdapter(){<br> publicvoid mousePressed(MouseEvent e){<br> currentSquare = board[j];<br> out.println("MOVE "+ j);}});<br> boardPanel.add(board[i]);<br> }<br> frame.getContentPane().add(boardPanel,"Center");<br> }<br><br> /**<br> * The main thread of the client will listen for messages<br> * from the server. The first message will be a "WELCOME"<br> * message in which we receive our mark. Then we go into a<br> * loop listening for "VALID_MOVE", "OPPONENT_MOVED", "VICTORY",<br> * "DEFEAT", "TIE", "OPPONENT_QUIT or "MESSAGE" messages,<br> * and handling each message appropriately. The "VICTORY",<br> * "DEFEAT" and "TIE" ask the user whether or not to play<br> * another game. If the answer is no, the loop is exited and<br> * the server is sent a "QUIT" message. If an OPPONENT_QUIT<br> * message is recevied then the loop will exit and the server<br> * will be sent a "QUIT" message also.<br> */<br> publicvoid play()throwsException{<br> String response;<br> try{<br> response =in.readLine();<br> if(response.startsWith("WELCOME")){<br> char mark = response.charAt(8);<br> icon =newImageIcon(mark =='X'?"x.gif":"o.gif");<br> opponentIcon =newImageIcon(mark =='X'?"o.gif":"x.gif");<br> frame.setTitle("Tic Tac Toe - Player "+ mark);<br> }<br> while(true){<br> response =in.readLine();<br> if(response.startsWith("VALID_MOVE")){<br> messageLabel.setText("Valid move, please wait");<br> currentSquare.setIcon(icon);<br> currentSquare.repaint();<br> }elseif(response.startsWith("OPPONENT_MOVED")){<br> int loc =Integer.parseInt(response.substring(15));<br> board[loc].setIcon(opponentIcon);<br> board[loc].repaint();<br> messageLabel.setText("Opponent moved, your turn");<br> }elseif(response.startsWith("VICTORY")){<br> messageLabel.setText("You win");<br> break;<br> }elseif(response.startsWith("DEFEAT")){<br> messageLabel.setText("You lose");<br> break;<br> }elseif(response.startsWith("TIE")){<br> messageLabel.setText("You tied");<br> break;<br> }elseif(response.startsWith("MESSAGE")){<br> messageLabel.setText(response.substring(8));<br> }<br> }<br> out.println("QUIT");<br> }<br> finally{<br> socket.close();<br> }<br> }<br><br> privateboolean wantsToPlayAgain(){<br> int response =JOptionPane.showConfirmDialog(frame,<br> "Want to play again?",<br> "Tic Tac Toe is Fun Fun Fun",<br> JOptionPane.YES_NO_OPTION);<br> frame.dispose();<br> return response ==JOptionPane.YES_OPTION;<br> }<br><br> /**<br> * Graphical square in the client window. Each square is<br> * a white panel containing. A client calls setIcon() to fill<br> * it with an Icon, presumably an X or O.<br> */<br> staticclassSquareextendsJPanel{<br> JLabel label =newJLabel((Icon)null);<br><br> publicSquare(){<br> setBackground(Color.white);<br> add(label);<br> }<br><br> publicvoid setIcon(Icon icon){<br> label.setIcon(icon);<br> }<br> }<br><br> /**<br> * Runs the client as an application.<br> */<br> publicstaticvoid main(String[] args)throwsException{<br> while(true){<br> String serverAddress =(args.length ==0)?"localhost": args[1];<br> TicTacToeClient client =newTicTacToeClient(serverAddress);<br> client.frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);<br> client.frame.setSize(240,160);<br> client.frame.setVisible(true);<br> client.frame.setResizable(false);<br> client.play();<br> if(!client.wantsToPlayAgain()){<br> break;<br> }<br> }<br> }}</span></span></span>
The server
ChatServer.java
package edu.lmu.cs.networking;<span>import java.io.BufferedReader;import java.io.IOException;import java.io.InputStreamReader;import java.io.PrintWriter;import java.net.ServerSocket;import java.net.Socket;import java.util.HashSet;<span>/**<br> * A multithreaded chat room server. When a client connects the<br> * server requests a screen name by sending the client the<br> * text "SUBMITNAME", and keeps requesting a name until<br> * a unique one is received. After a client submits a unique<br> * name, the server acknowledges with "NAMEACCEPTED". Then<br> * all messages from that client will be broadcast to all other<br> * clients that have submitted a unique screen name. The<br> * broadcast messages are prefixed with "MESSAGE ".<br> *<br> * Because this is just a teaching example to illustrate a simple<br> * chat server, there are a few features that have been left out.<br> * Two are very useful and belong in production code:<br> *<br> * 1. The protocol should be enhanced so that the client can<br> * send clean disconnect messages to the server.<br> *<br> * 2. The server should do some logging.<br> */publicclassChatServer{<br><br> /**<br> * The port that the server listens on.<br> */<br> privatestaticfinalint PORT =9001;<br><br> /**<br> * The set of all names of clients in the chat room. Maintained<br> * so that we can check that new clients are not registering name<br> * already in use.<br> */<br> privatestaticHashSet<String> names =newHashSet<String>();<br><br> /**<br> * The set of all the print writers for all the clients. This<br> * set is kept so we can easily broadcast messages.<br> */<br> privatestaticHashSet<PrintWriter> writers =newHashSet<PrintWriter>();<br><br> /**<br> * The appplication main method, which just listens on a port and<br> * spawns handler threads.<br> */<br> publicstaticvoid main(String[] args)throwsException{<br> System.out.println("The chat server is running.");<br> ServerSocket listener =newServerSocket(PORT);<br> try{<br> while(true){<br> newHandler(listener.accept()).start();<br> }<br> }finally{<br> listener.close();<br> }<br> }<br><br> /**<br> * A handler thread class. Handlers are spawned from the listening<br> * loop and are responsible for a dealing with a single client<br> * and broadcasting its messages.<br> */<br> privatestaticclassHandlerextendsThread{<br> privateString name;<br> privateSocket socket;<br> privateBufferedReaderin;<br> privatePrintWriterout;<br><br> /**<br> * Constructs a handler thread, squirreling away the socket.<br> * All the interesting work is done in the run method.<br> */<br> publicHandler(Socket socket){<br> this.socket = socket;<br> }<br><br> /**<br> * Services this thread's client by repeatedly requesting a<br> * screen name until a unique one has been submitted, then<br> * acknowledges the name and registers the output stream for<br> * the client in a global set, then repeatedly gets inputs and<br> * broadcasts them.<br> */<br> publicvoid run(){<br> try{<br><br> // Create character streams for the socket.<br> in=newBufferedReader(newInputStreamReader(<br> socket.getInputStream()));<br> out=newPrintWriter(socket.getOutputStream(),true);<br><br> // Request a name from this client. Keep requesting until<br> // a name is submitted that is not already used. Note that<br> // checking for the existence of a name and adding the name<br> // must be done while locking the set of names.<br> while(true){<br> out.println("SUBMITNAME");<br> name =in.readLine();<br> if(name ==null){<br> return;<br> }<br> synchronized(names){<br> if(!names.contains(name)){<br> names.add(name);<br> break;<br> }<br> }<br> }<br><br> // Now that a successful name has been chosen, add the<br> // socket's print writer to the set of all writers so<br> // this client can receive broadcast messages.<br> out.println("NAMEACCEPTED");<br> writers.add(out);<br><br> // Accept messages from this client and broadcast them.<br> // Ignore other clients that cannot be broadcasted to.<br> while(true){<br> String input =in.readLine();<br> if(input ==null){<br> return;<br> }<br> for(PrintWriter writer : writers){<br> writer.println("MESSAGE "+ name +": "+ input);<br> }<br> }<br> }catch(IOException e){<br> System.out.println(e);<br> }finally{<br> // This client is going down! Remove its name and its print<br> // writer from the sets, and close its socket.<br> if(name !=null){<br> names.remove(name);<br> }<br> if(out!=null){<br> writers.remove(out);<br> }<br> try{<br> socket.close();<br> }catch(IOException e){<br> }<br> }<br> }<br> }}</span></span>
The client
ChatClient.java
package edu.lmu.cs.networking;<span>import java.awt.event.ActionEvent;import java.awt.event.ActionListener;import java.io.BufferedReader;import java.io.IOException;import java.io.InputStreamReader;import java.io.PrintWriter;import java.net.Socket;<span>import javax.swing.JFrame;import javax.swing.JOptionPane;import javax.swing.JScrollPane;import javax.swing.JTextArea;import javax.swing.JTextField;<span>/**<br> * A simple Swing-based client for the chat server. Graphically<br> * it is a frame with a text field for entering messages and a<br> * textarea to see the whole dialog.<br> *<br> * The client follows the Chat Protocol which is as follows.<br> * When the server sends "SUBMITNAME" the client replies with the<br> * desired screen name. The server will keep sending "SUBMITNAME"<br> * requests as long as the client submits screen names that are<br> * already in use. When the server sends a line beginning<br> * with "NAMEACCEPTED" the client is now allowed to start<br> * sending the server arbitrary strings to be broadcast to all<br> * chatters connected to the server. When the server sends a<br> * line beginning with "MESSAGE " then all characters following<br> * this string should be displayed in its message area.<br> */publicclassChatClient{<br><br> BufferedReaderin;<br> PrintWriterout;<br> JFrame frame =newJFrame("Chatter");<br> JTextField textField =newJTextField(40);<br> JTextArea messageArea =newJTextArea(8,40);<br><br> /**<br> * Constructs the client by laying out the GUI and registering a<br> * listener with the textfield so that pressing Return in the<br> * listener sends the textfield contents to the server. Note<br> * however that the textfield is initially NOT editable, and<br> * only becomes editable AFTER the client receives the NAMEACCEPTED<br> * message from the server.<br> */<br> publicChatClient(){<br><br> // Layout GUI<br> textField.setEditable(false);<br> messageArea.setEditable(false);<br> frame.getContentPane().add(textField,"North");<br> frame.getContentPane().add(newJScrollPane(messageArea),"Center");<br> frame.pack();<br><br> // Add Listeners<br> textField.addActionListener(newActionListener(){<br> /**<br> * Responds to pressing the enter key in the textfield by sending<br> * the contents of the text field to the server. Then clear<br> * the text area in preparation for the next message.<br> */<br> publicvoid actionPerformed(ActionEvent e){<br> out.println(textField.getText());<br> textField.setText("");<br> }<br> });<br> }<br><br> /**<br> * Prompt for and return the address of the server.<br> */<br> privateString getServerAddress(){<br> returnJOptionPane.showInputDialog(<br> frame,<br> "Enter IP Address of the Server:",<br> "Welcome to the Chatter",<br> JOptionPane.QUESTION_MESSAGE);<br> }<br><br> /**<br> * Prompt for and return the desired screen name.<br> */<br> privateString getName(){<br> returnJOptionPane.showInputDialog(<br> frame,<br> "Choose a screen name:",<br> "Screen name selection",<br> JOptionPane.PLAIN_MESSAGE);<br> }<br><br> /**<br> * Connects to the server then enters the processing loop.<br> */<br> privatevoid run()throwsIOException{<br><br> // Make connection and initialize streams<br> String serverAddress = getServerAddress();<br> Socket socket =newSocket(serverAddress,9001);<br> in=newBufferedReader(newInputStreamReader(<br> socket.getInputStream()));<br> out=newPrintWriter(socket.getOutputStream(),true);<br><br> // Process all messages from server, according to the protocol.<br> while(true){<br> String line =in.readLine();<br> if(line.startsWith("SUBMITNAME")){<br> out.println(getName());<br> }elseif(line.startsWith("NAMEACCEPTED")){<br> textField.setEditable(true);<br> }elseif(line.startsWith("MESSAGE")){<br> messageArea.append(line.substring(8)+"\n");<br> }<br> }<br> }<br><br> /**<br> * Runs the client as an application with a closeable frame.<br> */<br> publicstaticvoid main(String[] args)throwsException{<br> ChatClient client =newChatClient();<br> client.frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);<br> client.frame.setVisible(true);<br> client.run();<br> }}</span></span></span>
Copyright © 2011 - All Rights Reserved - Softron.in
Template by Softron Technology