Unit 3 - JS, AJAX, Networking
Unit 3 - JS, AJAX, Networking
JAVASCRIPT
1. INTRODUCTION
a. Scripting language
b. Client-side language
c. Object-based language i.e. does not have polymorphism or inheritance or both
d. Interpreted language. The browser has the interpreter.
e. Light weighted and does not require server interaction. So, the response is
faster.
f. No API for networking, don't have the concept of file handling, multithreading,
and multi-processing.
g. User inputs can be validated before sending the data to the server.
2. INCORPORATING JAVASCRIPT
 i. JS Code is written with the <script> tag
<script type="text/javascript">
    document.write("CSE3A")
</script>
ii. Two ways:
a. Internally: embedding code in HTML. There is only one file i.e. file with a
.html extension
    i. in the body tag
    ii. in the head tag
b. Externally: in separate .js file. There will be two separate files. one with .js
extension and other .html
3. JAVASCRIPT COMMENTS
a. Single line comments: //
b. Multiple line comments: /* */
4. VARIABLE
   var a = 10 or a = 1.02
4.1. CONVENTIONS
a. Names must start with a letter(a-z, A-Z), _ or $
b. 0-9
c. Case sensitive. a and A are different.
We can create a number object using the ‘new’ operator and the Number()
constructor:
var num1= new Number(5);
console.log(num1); // This will return 5
typeof(num1); // This will return ‘number’
String:
The string data type in JavaScript can be any group of characters enclosed by
single or double.
var str1 = “This is a string1”; // This is a string primitive type or string literal
var str2= ‘This is a string2’;
The variable ‘a’ has been declared but hasn’t been assigned a value yet.
We can assign a value to a:
a=5;
console.log(a); // This will return 5
Null:
The null in JavaScript is a data type that is represented by only one value,
the ‘null’ itself.
A null value means no value.
You can assign null to a variable to denote that currently, the variable does not
have any value but it will have later on.
A null value evaluates to false in a conditional expression.
So you don't have to use comparison operators like === or !== to check for null
values.
5.2. NON-PRIMITIVE DATA TYPES
The non-primitive data types are as follows:
     Data        Description
     Type
  Object        represents instance through which we can access members
  Array         represents a group of similar values
 RegExp         represents regular expression
   Date         represents properties of date
6. OPERATORS
JavaScript operators are symbols that are used to perform operations on operands.
For example:
var sum=10+20;
Here, + is the arithmetic operator and = is the assignment operator.
There are the following types of operators in JavaScript.
a) Arithmetic Operators
b) Comparison (Relational) Operators
c) Bitwise Operators
d) Logical Operators
e) Assignment Operators
f) Special Operators
6.1. ARITHMETIC OPERATORS
Arithmetic operators are used to performing arithmetic operations on the
operands. The following operators are known as JavaScript arithmetic operators.
Operator          Description
    (?:)     returns a value based on the condition. It is like if-else.
     ,       allows multiple expressions to be evaluated as a single statement.
   delete    deletes a property from the object.
     in      checks if the object has the given property
 instanceof checks if the object is an instance of a given type
    new      creates an instance (object)
   typeof    checks the type of object.
7. CONDITIONAL STATEMENTS
7.1 IF-ELSE
The if-else statement is used to execute the code whether the condition is true or
false. There are three forms of if statement in JavaScript.
1.If Statement
2.If else statement
3.if else if statement
7.1.1. IF STATEMENT
It evaluates the content only if the expression is true. The syntax of the JavaScript
if statement is given below.
if(expression){
  //content to be evaluated
}
Let’s see the simple example of if statement in JavaScript.
<script>
   var a=20;
   if(a>10){
       document.write("value of a is greater than 10");
}
</script>
Output of the above example
value of a is greater than 10
7.1.2. IF...ELSE STATEMENT
It evaluates the content whether the condition is true or false. The syntax of the
JavaScript if-else statement is given below.
if(expression){
  //content to be evaluated if condition is true
}
else{
  //content to be evaluated if condition is false
}
Let’s see the example of if-else statement in JavaScript to find out the even or
odd number.
<script>
   var a=20;
   if(a%2==0){
       document.write("a is even number");
   }
   else{
       document.write("a is odd number");
   }
</script>
   function myFunction(y) {
     return y * y;
   }
</script>
10.6. FUNCTION WITH RETURN VALUE
We can call a function that returns a value and use it in our program. Let’s see
the example of a function that returns a value.
<script>
   function getInfo(){
       return "hello ! How r u?";
   }
</script>
<script>
   document.write(getInfo());
</script>
Output of the above example
hello! How r u?
11. DISPLAY POPUP MESSAGE BOX
JavaScript provides different built-in functions to display popup messages for
different purposes e.g. to display a simple message or display a message and
take the user's confirmation on it or display a popup to take a user's input value.
11.1. ALERT BOX
Use alert() function to display a popup message to the user. This popup will
have OK button to close the popup.
alert("This is alert box!"); // display string message
Example:
<script>
     var tenure = prompt("Please enter preferred tenure in years", "15");
     if (tenure != null) {
        alert("You have entered " + tenure + " years" );
     }
</script>
As you can see in the above example, we have specified a message as the first
parameter and default value "15" as the second parameter. The prompt function
returns a user-entered value. If the user has not entered anything then it returns
null. So, it is recommended to check null before proceeding.
 Note:
The alert, confirm and prompt functions are global functions. So it can also be
called using window object like window.alert(), window.confirm() and
window.prompt().
 Points to Remember:
1.Popup message can be shown using global functions - alert(), confirm() and
  prompt().
2.alert() function displays popup message with 'Ok' button.
3.confirm() function display popup message with 'Ok' and 'Cancel' buttons. Use
  confirm() function to take the user's confirmation to proceed.
4.prompt() function enables you to take the user's input with 'Ok' and 'Cancel'
  buttons. prompt() function returns value entered by the user. It returns null if
  the user does not provide any input value.
12. JAVASCRIPT USER-DEFINED OBJECTS
A JavaScript object is an entity having state and behavior (properties and
method). For example, car, pen, bike, chair, glass, keyboard, monitor, etc.
JavaScript is an object-based language. Everything is an object in JavaScript.
12.1. CREATING OBJECTS
 There are 3 ways to create objects.
  i. By object literal
 ii. By creating instance of Object directly (using the new keyword)
iii. By using an object constructor (using the new keyword)
BY OBJECT LITERAL
The syntax of creating an object using object literal is given below:
object = {property1:value1, property2:value2.....propertyN:valueN}
property and value pair are separated by: (colon).
Let’s see the simple example of creating object in JavaScript.
<script>
   emp={id:102,name:"Shyam Kumar",salary:40000}
   document.write(emp.id+" "+emp.name+" "+emp.salary);
</script>
<script>
       var arr1=["C","C++","Python"];
       var arr2=["Java","JavaScript","Android"];
       var result=arr1.concat(arr2);
       document.writeln(result);
</script>
Output:
C,C++,Python,Java,JavaScript,Android
b. pop() method
The JavaScript array pop() method removes the last element from the given
array and returns that element. This method changes the length of the original
array.
Syntax:
The pop() method is represented by the following syntax:
 array.pop()
Return
The last element of the given array.
Example 1
Here, we will pop an element from the given array.
<script>
   var arr=["AngularJS","Node.js","JQuery"];
   document.writeln("Orginal array: "+arr+"<br>");
   document.writeln("Extracted element: "+arr.pop()+"<br>");
   document.writeln("Remaining elements: "+ arr);
</script>
Output:
Orginal array: AngularJS,Node.js,JQuery
Extracted element: JQuery
Remaining elements: AngulaJS,Node.js
Example 2
In this example, we will pop all the elements from the given array.
<script>
       var arr=["AngulaJS","Node.js","JQuery"];
       var len=arr.length;
       for(var x=1;x<=len;x++)
        {
         document.writeln("Extracted element: "+arr.pop()+"<br>");
        }
</script>
Output:
Extracted element: JQuery
Extracted element: Node.js
Extracted element: AngulaJS
c. push() method
The JavaScript array push() method adds one or more elements to the end of
the given array. This method changes the length of the original array.
Syntax
The push() method is represented by the following syntax:
array.push(element1,element2....elementn)
Parameter
element1, element2....elementn - The elements to be added.
Return
The original array with added elements.
Let's see some examples of push() method
Example 1
Here, we will add an element in the given array.
<script>
   var arr=["AngularJS","Node.js"];
   arr.push("JQuery");
   document.writeln(arr);
</script>
Output:
AngularJS,Node.js,JQuery
Example 2
Let's see an example to add more than one element in the given array.
<script>
   var arr=["AngularJS","Node.js"];
   document.writeln("Length before invoking push(): "+arr.length+"<br>");
   arr.push("JQuery","Bootstrap");
   document.writeln("Length after invoking push(): "+arr.length+"<br>");
   document.writeln("Update array: "+arr);
</script>
Output:
Length before invoking push(): 2
Length after invoking push(): 4
Update array: AngularJS,Node.js,JQuery,Bootstrap
Example 2
Let's see one more example to extract various element from the given array.
<script>
   var arr=["AngularJS","Node.js","JQuery","Bootstrap"]
   var result=arr.slice(0,3);
   document.writeln(result);
</script>
Output:
AngularJS,Node.js,JQuery
Example 3
In this example, we will provide the negative values as index to extract elements.
<script>
   var arr=["AngularJS","Node.js","JQuery","Bootstrap"]
   var result=arr.slice(-4,-1);
   document.writeln(result);
</script>
Output:
AngularJS,Node.js,JQuery
g. sort() method
The JavaScript array sort() method is used to arrange the array elements in some
order. By default, sort() method follows the ascending order.
Syntax
The sort() method is represented by the following syntax:
array.sort(compareFunction)
Parameter
compareFunction - It is optional. It represents a function that provides an
alternative sort order.
Return
An array of sorted elements
Example 1
Let's see a simple example to sort the array of string elements.
<script>
   var arr=["AngularJS","Node.js","JQuery","Bootstrap"]
   var result=arr.sort();
   document.writeln(result);
</script>
Output:
AngularJS,Bootstrap,JQuery,Node.js
Example 2
<script>
   var arr=[2,4,1,8,5];
   var result=arr.sort();
   document.writeln(result);
</script>
Output:
1,2,4,5,8
    console.log(names);
    function len_compare(a, b){
      return a.length - b.length;
    }
    Here:
• If a.length - b.length < 0, a comes before b. For example, "Adam" comes
   before "Jeffrey" as 4 - 7 < 0.
• If a.length  - b.length > 0, b comes before a. For example, "Danil" comes
   after "Ben" as 5 - 3 > 0.
• If a.length - b.length == 0, their position is unchanged. For example, the relative
    We can see that this results in the sorting of strings according to their length in
    ascending order.
Example 4
Let's see an example to extract minimum value from an array.
<script>
   var arr=[2,4,1,8,5]
   var result=arr.sort(); //1,2,4,5,8
   document.writeln(arr[0]);
</script>
Output:
1
Example 5
Let's see an example to extract maximum value from an array.
<script>
   var arr=[2,4,1,8,5]
   var result=arr.sort().reverse(); // 8,5,4,2,1
   document.writeln(arr[0]);
</script>
Output:
8
h. toString() Method
The toString() method is used for converting and representing an array into
string form. It returns the string containing the specified array elements.
Commas separate these elements, and the string does not affect the original
array.
Syntax
The following syntax represents the toString() method:
array.toString()
Parameters
It does not have any parameters.
Return
It returns a string that contains all the elements of the specified array.
Example 1: Converting a given array into string form seperated by commas.
<html>
<head> <h3>Array Methods</h3> </br>
</head>
<body>
<script>
        var arr=['a','b','c','d','e','f','g','h','i','j']; //array elements
        var str=arr.toString(); //toString() method implementation
         document.write("After converting into string: "+str);
</script>
</body>
</html>
unshift() Parameters
The unshift() method takes in an arbitrary number of elements to add to the
array.
Return value from unshift()
Returns the new (after adding arguments to the beginning of the array) length of
the array upon which the method was called.
Notes:
This method changes the original array and its length.
Example: Using unshift() method
var languages = ["JavaScript", "Python", "Java", "Lua"];
var count = languages.unshift("C++");
console.log(languages); // [ 'C++', 'JavaScript', 'Python', 'Java', 'Lua']
console.log(count); // 5
    splice() Parameters
     The splice() method takes in:
•   start - The index from where the array is changed.
•   deleteCount (optional) - The number of items to remove from start.
•   item1, ..., itemN (optional) - The elements to add to the start index. If not
     specified, splice() will only remove elements from the array.
     Return value from splice()
    Returns an array containing the deleted elements.
    Note: The splice() method changes the original array.
// removing 3 elements
removed = languages.splice(2, 3);
console.log(removed2); // [ 'Lua', 'Python', 'C' ]
console.log(languages); // [ 'JavaScript', 'Java', 'C++' ]
Output
[ 'Java', 'Lua' ]
[ 'JavaScript', 'Python', 'C', 'C++' ]
[]
[ 'JavaScript', 'Java', 'Lua', 'Python', 'C', 'C++' ]
[ 'Lua', 'Python', 'C' ]
[ 'JavaScript', 'Java', 'C++' ]
Output:
hello javascript string
14.2. STRING METHODS
Let's see the list of JavaScript string methods with examples.
a) charAt(index) Method
The JavaScript String charAt() method returns the character at the given index.
<script>
   var str="javascript";
   document.write(str.charAt(2));
</script>
Output:
v
b) concat(str) Method
The JavaScript String concat(str) method concatenates or joins two strings.
<script>
   var s1="javascript ";
   var s2="concat example";
   var s3=s1.concat(s2);
   document.write(s3);
</script>
Output:
javascript concat example
c) indexOf(str) Method
The JavaScript String indexOf(str) method returns the index position of the
given string.
<script>
   var s1="javascript from indexof";
   var n=s1.indexOf("from");
   document.write(n);
</script>
Output:
11
d) lastIndexOf(str) Method
The JavaScript String lastIndexOf(str) method returns the last index position of
the given string.
<script>
   var s1="javascript from indexof";
   var n=s1.lastIndexOf("java");
   document.write(n);
</script>
Output:
16
e) toLowerCase() Method
The JavaScript String toLowerCase() method returns the given string in
lowercase letters.
<script>
   var s1="JavaScript toLowerCase Example";
   var s2=s1.toLowerCase();
   document.write(s2);
</script>
Output:
javascript tolowercase example
f) toUpperCase() Method
The JavaScript String toUpperCase() method returns the given string in
uppercase letters.
<script>
   var s1="JavaScript toUpperCase Example";
   var s2=s1.toUpperCase();
   document.write(s2);
</script>
Output:
JAVASCRIPT TOUPPERCASE EXAMPLE
g) slice(beginIndex, endIndex) Method
The JavaScript String slice(beginIndex, endIndex) method returns the parts of
string from given beginIndex to endIndex. In slice() method, beginIndex is
inclusive and endIndex is exclusive.
<script>
   var s1="abcdefgh";
   var s2=s1.slice(2,5);
   document.write(s2);
</script>
Output:
cde
h) trim() Method
The JavaScript String trim() method removes leading and trailing whitespaces
from the string.
<script>
   var s1=" javascript trim   ";
   var s2=s1.trim();
   document.write(s2);
</script>
Output:
javascript trim
i) split() Method
<script>
    var str="This is javascript";
    document.write(str.split(" ")); //splits the given string.
</script>
    15. EVENT HANDLING
    15.1. INTRODUCTION TO EVENT HANDLING
 Using AJAX, you can create better, faster, and more user-friendly web
 applications.
 AJAX is based on JavaScript, CSS, HTML and XML etc. So, you can easily
 learn.
 AJAX behaviour and works is like a desktop application. So, Ajax use for
 creating a rich web application.
3.HOW DOES AJAX WORKS?
HTML/CSS is website markup language for defining web page layout, such
as fonts style and colours.
JavaScript special object XMLHttpRequest that was designed by Microsoft.
XMLHttpRequest provides an easy way to retrieve data from web server
without having to do full page refresh. Web page can update just part of the
page without interrupting what the users are doing.
Document Object Model (DOM) method provides a tree structure as a
logical view of web page.
XML for retrieving any type of data, not just XML data from the web server.
However, you can use other formats such as Plain text, HTML or JSON
(JavaScript Object Notation). and it supports protocols HTTP and FTP.
The DOM is accessed with JavaScript to dynamically display the
information, and allow the user to interact with, the information presented.
JavaScript and the XMLHttpRequest object provide a method for
exchanging data asynchronously between the browser and the server to avoid
full page reloads.
if (window.XMLHttpRequest){
   xmlhttp = new XMLHttpRequest(); //for IE7+, Firefox, Chrome, Opera,
Safari
}else{
   xmlhttp = new ActiveXObject("Microsoft.XMLHTTP"); //for IE6, IE5
}
This xmlhttp variable can be re-used to send multiple ajax requests, without
creating a new object for each request.
4.2. XMLHttpRequest METHODS
To send requests and set request attributes, XMLHttpRequest object provides
following methods:
                    required   Specifies URL that may be either relative parameter or absolute full
URL
                               URL.
xhr.setRequestHeader("Cache-Control", "no-cache");
xhr.setRequestHeader("User-Agent", "navigator.userAgent");
4.2.3. send(payload)
To     finally    send    an     HTTP        request,    the send() method     of
the XMLHttpRequest must be invoked. This method accepts a single parameter
containing the request body to be sent with the request. The payload is necessary
in POST requests. For GET and HEAD methods, simply pass null as a
parameter.
4.2.4. abort()
It aborts the request if the readyState of the XMLHttpRequest object has not yet
become 4 (request complete). The abort() method ensures that the callback
method does not get invoked in an asynchronous request.
xhr.abort();
5. ASYNCHRONOUS AND SYNCHRONOUS AJAX REQUESTS
XMLHttpRequest object is capable of sending synchronous and asynchronous
requests, as required from the webpage. This behaviour is controlled by the third
parameter of open() method.
This parameter is set to:
     •   true – asynchronous requests
     •   false – synchronous requests
//Asynchronous request as third parameter is true
xhr.open("GET", "report_data.xml", true);
//Synchronous request as third parameter is false
xhr.open("GET", "report_data.xml", false);
The default value is true if it is not provided.
Asynchronous AJAX Requests do not block the webpage, and the user can
continue to interact with the other elements on the page while the server is
processing the request.
We should always use asynchronous AJAX requests because a synchronous
AJAX Request makes the browser unresponsive. It means the user will not be
able to interact with the webpage until the request is complete.
ASYNCHRONOUS AJAX REQUEST
Given below is a JavaScript program         to   show   how   to   make
asynchronous requests with AJAX.
var request = new XMLHttpRequest();
request.open('GET','/bar/foo.txt',true);
//"true" makes the request asynchronous
request.onreadystatechange = function() {
    if (request.readyState == 4) {
         if (request.status == 200){
            //request succeed
         }else{
            //request failed
         }
       }
    };
 request.send(null)
onreadystatechange Event
• onreadystatechange is an event listener registered with
  XMLHttpRequest request.
• onreadystatechange stores a function that will process the response returned from
  the server.
• The function will be called for all important events in the request’s life cycle.
  Every time a step is completed in the request processing, the value of the
  readyState property will be changed and set to one of the given integer values:
   •0: request is not initialized, i.e., After the XMLHttpRequest object is created, the
   open() is yet to be called.
   •1: server connection established, i.e., After open() method called but send()
   method is yet to be called.
   •2: request received, i.e., After send() method is called.
   •3: processing request, i.e., After the browser has established communication with
   the server, but before the server has completed the response
   •4: request finished and response is ready to be handled, i.e., After the request has
   been completed, and the response data has been completely received from the
   server.
Value State              Description
Given below is a JavaScript program that fetches the response sent from the
server for an AJAX request:
if (xhr.readyState == 4 && xhr.status == 200){
      document.getElementById("message").innerHTML = xhr.responseText;
   }
   else {
      alert('Something is wrong !!');
   }
}
<html>
<head>
<script>
var request;
function sendInfo() {
   var v=document.vinform.t1.value;
   var url="index.jsp?val="+v;
    if(window.XMLHttpRequest){
       request=new XMLHttpRequest();
    }
    else if(window.ActiveXObject){
       request=new ActiveXObject("Microsoft.XMLHTTP");
    }
    try
    {
       request.onreadystatechange=getInfo;
       request.open("GET",url,true);
       request.send();
    }catch(e){
       alert("Unable to connect to server");
    }
}
function getInfo(){
   if(request.readyState==4){
      if (request.status == 200){
         var val=request.responseText;
         document.getElementById('display').innerHTML=val;
      }
   }
}
</script>
</head>
<body>
   <form name="vinform">
      <input type="text" name="t1">
      <input type="button" value="ShowTable" onClick="sendInfo()">
   </form>
   <span id="display"> </span>
</body>
</html>
Java Networking
Java Networking is a concept of connecting two or more computing devices together so that we can
share resources.
Java socket programming provides facility to share data between different computing devices.
    1. sharing resources
    2. centralize software management
Networking Terminology
The widely used java networking terminologies are given below:
    1. IP Address
    2. Protocol
    3. Port Number
    4. MAC Address
    5. Connection-oriented and connection-less protocol
    6. Socket
1) IP Address
2) Protocol
A protocol is a set of rules basically that is followed for communication. For example:
    o   TCP
    o   FTP
    o   Telnet
    o   SMTP
    o   POP etc.
3) Port Number
The port number is used to uniquely identify different applications. It acts as a communication endpoint
between applications. The port number is associated with the IP address for communication between
two applications.
4) MAC Address
MAC (Media Access Control) Address is a unique identifier of NIC (Network Interface Controller). A
network node can have multiple NIC but each with unique MAC.
In connection-oriented protocol, acknowledgement is sent by the receiver. So, it is reliable but slow.
The example of connection-oriented protocol is TCP.
But, in connection-less protocol, acknowledgement is not sent by the receiver. So, it is not reliable but
fast. The example of connection-less protocol is UDP.
6) Socket
Socket and ServerSocket classes are used for connection-oriented socket programming and
DatagramSocket and DatagramPacket classes are used for connection-less socket programming.
Here, we are going to make one-way client and server communication. In this application, client sends
a message to the server, server reads the message and prints it. Here, two classes are being used: Socket
and ServerSocket.
    a. The Socket class is used to communicate client and server. Through this class, we can read and
       write message.
    b. The ServerSocket class is used at server-side. The accept() method of ServerSocket class blocks
       the console until the client is connected. After the successful connection of client, it returns the
       instance of Socket at server-side.
Socket class
A socket is simply an endpoint for communications between the machines. The Socket class can be
used to create a socket.
Important methods
Method Description
1) public InputStream getInputStream() returns the InputStream attached with this socket.
2) public OutputStream getOutputStream() returns the OutputStream attached with this socket.
Important methods
Method Description
 1) public Socket accept()              returns the socket and establish a connection between server
                                        and client.
Example 1:
Creating Server:
To create the server application, we need to create the instance of ServerSocket class. Here, we are
using 6666 port number for the communication between the client and server. You may also choose
any other port number. The accept() method waits for the client. If clients connect with the given port
number, it returns an instance of Socket.
Creating Client:
To create the client application, we need to create the instance of Socket class. Here, we need to pass
the IP address or hostname of the Server and a port number. Here, we are using "localhost" because our
server is running on same system.
Let's see a simple of Java socket programming where client sends a text and server receives and prints
it.
File: CSEServer.java
import java.io.*;
import java.net.*;
File: CSEClient.java
    import java.io.*;
    import java.net.*;
To execute this program, open two command prompts and execute each program at each command
prompt as displayed in the below figure.
After running the client application, a message will be displayed on the server console.
Example 2:
Java Socket Programming (Read-Write both side)
In this example, client will write first to the server then server will receive and print the text. Then server
will write to the client and client will receive and print the text.
File: CSEChatServer.java
class CSEChatServer {
        public static void main(String args[]) throws Exception {
                ServerSocket ss = new ServerSocket(1111);
                Socket s = ss.accept();
                DataInputStream din = new DataInputStream(s.getInputStream());
                DataOutputStream dout = new DataOutputStream(s.getOutputStream());
                BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
                String str = "", str2 = "";
                while (!str.equals("stop")) {
                         str = din.readUTF();
                         System.out.println("client says: " + str);
                         str2 = br.readLine();
                         dout.writeUTF(str2);
                         dout.flush();
                }
                din.close();
                s.close();
                ss.close();
        }
}
File: CSEChatClient.java
import java.net.*;
import java.io.*;
class CSEChatClient {
        public static void main(String args[]) throws Exception {
                Socket s = new Socket("127.0.0.1", 1111);
                DataInputStream din = new DataInputStream(s.getInputStream());
                DataOutputStream dout = new DataOutputStream(s.getOutputStream());
                BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
                String str = "", str2 = "";
                while (!str.equals("stop")) {
                         str = br.readLine();
                         dout.writeUTF(str);
                         dout.flush();
                         str2 = din.readUTF();
                         System.out.println("Server says: " + str2);
                }
                dout.close();
                s.close();
        }
}