TD2: Make the socket client multithreaded.
[TD_SR.git] / TD2 / SocketClient.java
1 import java.io.*;
2 import java.net.*;
3 import java.util.*;
4
5 public class SocketClient {
6 BufferedReader lecture; // pour le flot d'entrée venant du serveur
7 PrintWriter ecriture; // pour le flot de sortie vers le serveur
8 Socket sock; // le socket client
9
10 public SocketClient() {
11 // établie une connexion au serveur par un appel
12 // à connexionServeur()
13 connexionServeur("localhost", 5000);
14 }
15
16 public SocketClient(String adresseIPServeur, int portServeur) {
17 // établie une connexion au serveur par un appel
18 // à connexionServeur()
19 connexionServeur(adresseIPServeur, portServeur);
20 }
21
22 private void connexionServeur(String adresseIPServeur, int portServeur) {
23 // créer un objet socket lié au socket serveur et l'affecte à sock
24 // puis établie les chaînages de flot nécessaires
25 // pour l'envoi et la reception de messages
26 try {
27 sock = new Socket(adresseIPServeur, portServeur);
28 }
29 catch (IOException e) {
30 System.err.println("IOException: " + e);
31 }
32 InputStream IStream = null;
33 try {
34 IStream = sock.getInputStream();
35 }
36 catch (IOException e) {
37 System.err.println("IOException: " + e);
38 }
39 InputStreamReader IMesg = new InputStreamReader(IStream);
40 lecture = new BufferedReader(IMesg);
41
42 OutputStream OStream = null;
43 try {
44 OStream = sock.getOutputStream();
45 }
46 catch (IOException e) {
47 System.err.println("IOException: " + e);
48 }
49 ecriture = new PrintWriter(OStream);
50 }
51
52 /**
53 * Send a message on the opened client socket
54 * @param msg a string containing the message to send
55 */
56 public synchronized void sendMsg(String msg) {
57 while (msg.isEmpty()) {
58 try {
59 wait();
60 }
61 catch (InterruptedException e) {
62 System.err.println("InterruptedException: " + e);
63 }
64 }
65 ecriture.println(msg);
66 ecriture.flush();
67 notifyAll();
68 }
69
70 /**
71 * Receive a message sent on the opened client socket
72 * @return a string containing the received message
73 */
74 public String receiveMsg() {
75 String line = new String();
76 try {
77 //FIXME: read only the line before the ending newline
78 line = lecture.readLine();
79 }
80 catch (IOException e) {
81 System.err.println("IOException: " + e);
82 }
83 return line;
84 }
85
86 /**
87 * Close all opened I/O streams attached to this object instance
88 */
89 public void closeRWIO() {
90 ecriture.close();
91 try {
92 lecture.close();
93 }
94 catch (IOException e) {
95 System.err.println("IOException: " + e);
96 }
97 }
98
99 } // fin classe SocketClient