0% found this document useful (0 votes)
9 views13 pages

PHP Socket programming Tutorial – How to code Client and Server – BinaryTides

Uploaded by

Sup' Tan'
Copyright
© © All Rights Reserved
Available Formats
Download as PDF, TXT or read online on Scribd
Download as pdf or txt
0% found this document useful (0 votes)
9 views13 pages

PHP Socket programming Tutorial – How to code Client and Server – BinaryTides

Uploaded by

Sup' Tan'
Copyright
© © All Rights Reserved
Available Formats
Download as PDF, TXT or read online on Scribd
Download as pdf or txt
Download as pdf or txt
You are on page 1/ 13

BinaryTides

Coding, Software, Tech and Reviews

Home > Coding > PHP > Tutorial > PHP Socket programming Tutorial – How to code Client and Server

PHP Socket programming Tutorial – How to code Client and Server


By Silver Moon | July 29, 2020

Php and tcp/ip sockets

This is a quick guide to learning socket programming in php. Socket programming php is very similar to C. Most functions are similar in names, parameters and output.

However unlike C, socket programs written in php would run the same way on any os that has php installed. So the code does not need any platform speci c changes (mostly).

To summarise the basics, sockets are the fundamental "things" behind any kind of network communications done by your computer.

For example when you type www.google.com in your web browser, it opens a socket and connects to google.com to fetch the page and show it to you. Same with any chat client like gtalk or s

Before you begin

This tutorial assumes that you already know php and also how to run php scripts from the command-line/terminal.

Php scripts are normally run from inside the browser by placing them in the apache root directory like /var/www. However these command-line programs can be run from any directory. They c

So lets begin with sockets.

1. Creating a socket

This rst thing to do is create a socket. The socket_create function does this.
Here is a code sample :

Code

$sock = socket_create(AF_INET, SOCK_STREAM, 0);

Function socket_create creates a socket and returns a socket descriptor which can be used in other network commands.

The above code will create a socket with the following properties ...

Address Family : AF_INET (this is IP version 4)


Type : SOCK_STREAM (this means connection oriented TCP protocol)
Protocol : 0 [ or IPPROTO_IP This is IP protocol]

Error handling

If any of the socket functions fail then the error information can be retrieved using the socket_last_error and socket_strerror functions.

Code

if(!($sock = socket_create(AF_INET, SOCK_STREAM, 0)))


{
$errorcode = socket_last_error();
$errormsg = socket_strerror($errorcode);

die("Couldn't create socket: [$errorcode] $errormsg \n");


}

echo "Socket created";

Ok , so you have created a socket successfully. But what next ? Next we shall try to connect to some server using this socket. We can connect to www.google.com

Note

Apart from SOCK_STREAM type of sockets there is another type called SOCK_DGRAM which indicates the UDP protocol. This type of socket is non-connection socket. In this tutorial we shall
2. Connect to a Server

We connect to a remote server on a certain port number. So we need 2 things , IP address and port number to connect to. So you need to know the IP address of the remote server you are con
see how to nd out the ip address of a given domain name.

The last thing needed is the connect function. It needs a socket and a sockaddr structure to connect to. Here is a code sample.

Code

if(!($sock = socket_create(AF_INET, SOCK_STREAM, 0)))


{
$errorcode = socket_last_error();
$errormsg = socket_strerror($errorcode);

die("Couldn't create socket: [$errorcode] $errormsg \n");


}

echo "Socket created \n";

if(!socket_connect($sock , '74.125.235.20' , 80))


{
$errorcode = socket_last_error();
$errormsg = socket_strerror($errorcode);

die("Could not connect: [$errorcode] $errormsg \n");


}

echo "Connection established \n";

Run the program

$ php /var/www/socket.php
Socket created
Connection established

It creates a socket and then connects. Try connecting to a port different from port 80 and you should not be able to connect which indicates that the port is not open for connection. This logic

OK, so we are now connected. Lets do the next thing , sending some data to the remote server.

Quick Note

The concept of "connections" apply to SOCK_STREAM/TCP type of sockets. Connection means a reliable "stream" of data such that there can be multiple such streams each having communi

Other sockets like UDP , ICMP , ARP dont have a concept of "connection". These are non-connection based communication. Which means you keep sending or receiving packets from anybody

3. Sending Data

Function send will simply send data. It needs the socket descriptor , the data to send and its size.
Here is a very simple example of sending some data to google.com ip :

Code

if(!($sock = socket_create(AF_INET, SOCK_STREAM, 0)))


{
$errorcode = socket_last_error();
$errormsg = socket_strerror($errorcode);

die("Couldn't create socket: [$errorcode] $errormsg \n");


}

echo "Socket created \n";

//Connect socket to remote server


if(!socket_connect($sock , '74.125.235.20' , 80))
{
$errorcode = socket_last_error();
$errormsg = socket_strerror($errorcode);

die("Could not connect: [$errorcode] $errormsg \n");


}

echo "Connection established \n";

$message = "GET / HTTP/1.1\r\n\r\n";

//Send the message to the server


if( ! socket_send ( $sock , $message , strlen($message) , 0))
{
$errorcode = socket_last_error();
$errormsg = socket_strerror($errorcode);

die("Could not send data: [$errorcode] $errormsg \n");


}

echo "Message send successfully \n";

In the above example , we rst connect to an ip address and then send the string message "GET / HTTP/1.1\r\n\r\n" to it.
The message is actually a http command to fetch the mainpage of a website.

Now that we have send some data , its time to receive a reply from the server. So lets do it.

Note

When sending data to a socket you are basically writing data to that socket. This is similar to writing data to a le. Hence you can also use the write function to send data to a socket. Later in

4. Receiving Data

Function recv is used to receive data on a socket. In the following example we shall send the same message as the last example and receive a reply from the server.

Code

<?php

if(!($sock = socket_create(AF_INET, SOCK_STREAM, 0)))


{
$errorcode = socket_last_error();
$errormsg = socket_strerror($errorcode);

die("Couldn't create socket: [$errorcode] $errormsg \n");


}

echo "Socket created \n";

//Connect socket to remote server


if(!socket_connect($sock , '74.125.235.20' , 80))
{
$errorcode = socket_last_error();
$errormsg = socket_strerror($errorcode);

die("Could not connect: [$errorcode] $errormsg \n");


}

echo "Connection established \n";

$message = "GET / HTTP/1.1\r\n\r\n";

//Send the message to the server


if( ! socket_send ( $sock , $message , strlen($message) , 0))
{
$errorcode = socket_last_error();
$errormsg = socket_strerror($errorcode);

die("Could not send data: [$errorcode] $errormsg \n");


}

echo "Message send successfully \n";

//Now receive reply from server


if(socket_recv ( $sock , $buf , 2045 , MSG_WAITALL ) === FALSE)
{
$errorcode = socket_last_error();
$errormsg = socket_strerror($errorcode);

die("Could not receive data: [$errorcode] $errormsg \n");


}

//print the received message


echo $buf;

Here is the output of the above code :

$ php /var/www/socket.php
Socket created
Connection established
Message send successfully
HTTP/1.1 302 Found
Location: http://www.google.co.in/
Cache-Control: private
Content-Type: text/html; charset=UTF-8
Set-Cookie: expires=; expires=Mon, 01-Jan-1990 00:00:00 GMT; path=/; domain=www.google.com
Set-Cookie: path=; expires=Mon, 01-Jan-1990 00:00:00 GMT; path=/; domain=www.google.com
Set-Cookie: domain=; expires=Mon, 01-Jan-1990 00:00:00 GMT; path=/; domain=www.google.com
Set-Cookie: expires=; expires=Mon, 01-Jan-1990 00:00:00 GMT; path=/; domain=.www.google.com
Set-Cookie: path=; expires=Mon, 01-Jan-1990 00:00:00 GMT; path=/; domain=.www.google.com
Set-Cookie: domain=; expires=Mon, 01-Jan-1990 00:00:00 GMT; path=/; domain=.www.google.com
Set-Cookie: expires=; expires=Mon, 01-Jan-1990 00:00:00 GMT; path=/; domain=google.com
Set-Cookie: path=; expires=Mon, 01-Jan-1990 00:00:00 GMT; path=/; domain=google.com
Set-Cookie: domain=; expires=Mon, 01-Jan-1990 00:00:00 GMT; path=/; domain=google.com
Set-Cookie: expires=; expires=Mon, 01-Jan-1990 00:00:00 GMT; path=/; domain=.google.com
Set-Cookie: path=; expires=Mon, 01-Jan-1990 00:00:00 GMT; path=/; domain=.google.com
Set-Cookie: domain=; expires=Mon, 01-Jan-1990 00:00:00 GMT; path=/; domain=.google.com
Set-Cookie: PREF=ID=3c2e53ffcc387bbb:FF=0:TM=1342766363:LM=1342766364:S=DTuSOuahFqyd6vjp; expires=Sun, 20-Jul-2014 06:39:24 GMT; path=/; domain=.google
Set-Cookie: NID=62=HZWk5tBSunVEofFri475wbeCNiChGf_bs7Pz_Z32hfm-B-0M4JRhz-pptjtChOk6lVepLBhOtB2pNHCT5DynobfZaGQaPS5Dh9Rq4YAqt40hExsePHEyA0ECMKjq5KeE; ex
P3P: CP="This is not a P3P policy! See http://www.google.com/support/accounts/bin/answer.py?hl=en&answer=151657 for more info."
Date: Fri, 20 Jul 2012 06:39:24 GMT
Server: gws
Content-Length: 221
X-XSS-Protection: 1; mode=block
X-Frame-Options: SAMEORIGIN
<HTML><HEAD><meta http-equiv="content-type" content="text/html;charset=utf-8">
<TITLE>302 Moved</TITLE></HEAD><BODY>
<H1>302 Moved</H1>
The document has moved
<A HREF="http://www.google.co.in/">here</A>.
</BODY>

We can see what reply was send by the server. It looks something like Html, well IT IS html. Google.com replied with the content of the page we requested. Quite simple!

Now that we have received our reply, its time to close the socket.

5. Close socket

Function socket_close is used to close the socket.

Code

socket_close($sock);

Thats it.

Lets Revise

So in the above example we learned how to :


1. Create a socket
2. Connect to remote server
3. Send some data
4. Receive a reply

Its useful to know that your web browser also does the same thing when you open www.google.com
This kind of socket activity represents a CLIENT. A client is a system that connects to a remote system to fetch data.

The other kind of socket activity is called a SERVER. A server is a system that uses sockets to receive incoming connections and provide them with data. It is just the opposite of Client. So ww
www.google.com is a HTTP Server and your web browser is an HTTP client.

Now its time to do some server tasks using sockets. But before we move ahead there are a few side topics that should be covered just incase you need them.

Get IP address of a hostname/domain

When connecting to a remote host , it is necessary to have its IP address. Function gethostbyname is used for this purpose. It takes the domain name as the parameter and returns the ip addr

Quick example

Code

$ip_address = gethostbyname("www.google.com");
// = 173.194.75.104

So the above code can be used to nd the ip address of any domain name. Then the ip address can be used to make a connection using a socket.

Server Programming

OK now onto server things. Servers basically do the following :

1. Open a socket
2. Bind to a address(and port).
3. Listen for incoming connections.
4. Accept connections
5. Read/Send

We have already learnt how to open a socket. So the next thing would be to bind it.

1. Bind a socket

Function bind can be used to bind a socket to a particular address and port. It needs a sockaddr_in structure similar to connect function.

Quick example

Code

if(!($sock = socket_create(AF_INET, SOCK_STREAM, 0)))


{
$errorcode = socket_last_error();
$errormsg = socket_strerror($errorcode);

die("Couldn't create socket: [$errorcode] $errormsg \n");


}

echo "Socket created \n";

// Bind the source address


if( !socket_bind($sock, "127.0.0.1" , 5000) )
{
$errorcode = socket_last_error();
$errormsg = socket_strerror($errorcode);

die("Could not bind socket : [$errorcode] $errormsg \n");


}

echo "Socket bind OK \n";

Now that bind is done, its time to make the socket listen to connections. We bind a socket to a particular IP address and a certain port number. By doing this we ensure that all incoming data

This makes it obvious that you cannot have 2 sockets bound to the same port. There are exceptions to this rule but we shall look into that in some other article.

2. Listen for connections

After binding a socket to a port the next thing we need to do is listen for connections. For this we need to put the socket in listening mode. Function socket_listen is used to put the socket in

Code

//listen
socket_listen ($sock , 10)

The second parameter of the function socket_listen is called backlog. It controls the number of incoming connections that are kept "waiting" if the program is already busy. So by specifying 1
connection request shall be rejected. This will be more clear after checking socket_accept.

Now comes the main part of accepting new connections.

3. Accept connection

Function socket_accept is used for this.

Code

if(!($sock = socket_create(AF_INET, SOCK_STREAM, 0)))


{
$errorcode = socket_last_error();
$errormsg = socket_strerror($errorcode);

die("Couldn't create socket: [$errorcode] $errormsg \n");


}

echo "Socket created \n";

// Bind the source address


if( !socket_bind($sock, "127.0.0.1" , 5000) )
{
$errorcode = socket_last_error();
$errormsg = socket_strerror($errorcode);

die("Could not bind socket : [$errorcode] $errormsg \n");


}

echo "Socket bind OK \n";


if(!socket_listen ($sock , 10))
{
$errorcode = socket_last_error();
$errormsg = socket_strerror($errorcode);

die("Could not listen on socket : [$errorcode] $errormsg \n");


}

echo "Socket listen OK \n";

echo "Waiting for incoming connections... \n";

//Accept incoming connection - This is a blocking call


$client = socket_accept($sock);

//display information about the client who is connected


if(socket_getpeername($client , $address , $port))
{
echo "Client $address : $port is now connected to us.";
}

socket_close($client);
socket_close($sock);

Output

Run the program. It should show

$ php /var/www/server.php
Socket created
Socket bind OK
Socket listen OK
Waiting for incoming connections...

So now this program is waiting for incoming connections on port 5000. Dont close this program , keep it running.
Now a client can connect to it on this port. We shall use the telnet client for testing this. Open a terminal and type

$ telnet localhost 5000

It will immediately show the following output:

$ telnet localhost 5000


Trying 127.0.0.1...
Connected to localhost.
Escape character is '^]'.
Connection closed by foreign host.

And the server output will show

Client 127.0.0.1 : 36689 is now connected to us.

So we can see that the client connected to the server. Try the above steps till you get it working perfect.

Note

The socket_getpeername function is used to get details about the client which is connected to the server via a particular socket.

We accepted an incoming connection but closed it immediately. This was not very productive. There are lots of things that can be done after an incoming connection is established. Afterall th

Sending message back to client

Function socket_write can be used to write something to the socket of the incoming connection and the client should see it. Here is an example :

Code

if(!($sock = socket_create(AF_INET, SOCK_STREAM, 0)))


{
$errorcode = socket_last_error();
$errormsg = socket_strerror($errorcode);

die("Couldn't create socket: [$errorcode] $errormsg \n");


}

echo "Socket created \n";

// Bind the source address


if( !socket_bind($sock, "127.0.0.1" , 5000) )
{
$errorcode = socket_last_error();
$errormsg = socket_strerror($errorcode);

die("Could not bind socket : [$errorcode] $errormsg \n");


}

echo "Socket bind OK \n";

if(!socket_listen ($sock , 10))


{
$errorcode = socket_last_error();
$errormsg = socket_strerror($errorcode);

die("Could not listen on socket : [$errorcode] $errormsg \n");


}

echo "Socket listen OK \n";

echo "Waiting for incoming connections... \n";

//Accept incoming connection - This is a blocking call


$client = socket_accept($sock);

//display information about the client who is connected


if(socket_getpeername($client , $address , $port))
{
echo "Client $address : $port is now connected to us. \n";
}

//read data from the incoming socket


$input = socket_read($client, 1024000);

$response = "OK .. $input";

// Display output back to client


socket_write($client, $response);
socket_close($client);

Run the above code in 1 terminal. And connect to this server using telnet from another terminal and you should see this :

$ telnet localhost 5000


Trying 127.0.0.1...
Connected to localhost.
Escape character is '^]'.
happy
OK .. happy
Connection closed by foreign host.

So the client(telnet) received a reply from server.

We can see that the connection is closed immediately after that simply because the server program ends after accepting and sending reply. A server like www.google.com is always up to acc

It means that a server is supposed to be running all the time. Afterall its a server meant to serve. So we need to keep our server RUNNING non-stop. The simplest way to do this is to put the ac

4. Live Server

So a live server will be alive always. Lets code this up

Code

if(!($sock = socket_create(AF_INET, SOCK_STREAM, 0)))


{
$errorcode = socket_last_error();
$errormsg = socket_strerror($errorcode);

die("Couldn't create socket: [$errorcode] $errormsg \n");


}

echo "Socket created \n";

// Bind the source address


if( !socket_bind($sock, "127.0.0.1" , 5000) )
{
$errorcode = socket_last_error();
$errormsg = socket_strerror($errorcode);

die("Could not bind socket : [$errorcode] $errormsg \n");


}

echo "Socket bind OK \n";

if(!socket_listen ($sock , 10))


{
$errorcode = socket_last_error();
$errormsg = socket_strerror($errorcode);
die("Could not listen on socket : [$errorcode] $errormsg \n");
}

echo "Socket listen OK \n";

echo "Waiting for incoming connections... \n";

//start loop to listen for incoming connections


while (true)
{
//Accept incoming connection - This is a blocking call
$client = socket_accept($sock);

//display information about the client who is connected


if(socket_getpeername($client , $address , $port))
{
echo "Client $address : $port is now connected to us. \n";
}

//read data from the incoming socket


$input = socket_read($client, 1024000);

$response = "OK .. $input";

// Display output back to client


socket_write($client, $response);
}

We havent done a lot there. Just put the socket_accept in a loop.

Now run the server program in 1 terminal , and open 3 other terminals.
From each of the 3 terminal do a telnet to the server port.

Each of the telnet terminal would show :

$ telnet localhost 5000


Trying 127.0.0.1...
Connected to localhost.
Escape character is '^]'.
happy
OK .. happy
Connection closed by foreign host.

And the server terminal would show

$ php /var/www/server.php
Socket created
Socket bind OK
Socket listen OK
Waiting for incoming connections...
Client 127.0.0.1 : 37119 is now connected to us.
Client 127.0.0.1 : 37122 is now connected to us.
Client 127.0.0.1 : 37123 is now connected to us.

So now the server is running nonstop and the telnet terminals are also connected nonstop. Now close the server program. All telnet terminals would show "Connection closed by foreign host.

Good so far. But still there is not effective communication between the server and the client. The server program accepts connections in a loop and just send them a reply, after that it does no
time to handle the connections , and handle multiple connections together.

5. Handling Connections

To handle every connection we need a separate handling code to run along with the main server accepting connections. One way to achieve this is using threads. The main server program acc
and then the server goes back to accept more connections.
However php does not support threading directly.

Another method is to use the select function. The select function basically 'polls' or observers a set of sockets for certain events like if its readable, or writable or had a problem or not etc.
So the select function can be used to monitor multiple clients and check which client has send a message.

Quick Example:

Code

error_reporting(~E_NOTICE);
set_time_limit (0);

$address = "0.0.0.0";
$port = 5000;
$max_clients = 10;
if(!($sock = socket_create(AF_INET, SOCK_STREAM, 0)))
{
$errorcode = socket_last_error();
$errormsg = socket_strerror($errorcode);

die("Couldn't create socket: [$errorcode] $errormsg \n");


}

echo "Socket created \n";

// Bind the source address


if( !socket_bind($sock, $address , 5000) )
{
$errorcode = socket_last_error();
$errormsg = socket_strerror($errorcode);

die("Could not bind socket : [$errorcode] $errormsg \n");


}

echo "Socket bind OK \n";

if(!socket_listen ($sock , 10))


{
$errorcode = socket_last_error();
$errormsg = socket_strerror($errorcode);

die("Could not listen on socket : [$errorcode] $errormsg \n");


}

echo "Socket listen OK \n";

echo "Waiting for incoming connections... \n";

//array of client sockets


$client_socks = array();

//array of sockets to read


$read = array();

//start loop to listen for incoming connections and process existing connections
while (true)
{
//prepare array of readable client sockets
$read = array();

//first socket is the master socket


$read[0] = $sock;

//now add the existing client sockets


for ($i = 0; $i < $max_clients; $i++)
{
if($client_socks[$i] != null)
{
$read[$i+1] = $client_socks[$i];
}
}

//now call select - blocking call


if(socket_select($read , $write , $except , null) === false)
{
$errorcode = socket_last_error();
$errormsg = socket_strerror($errorcode);

die("Could not listen on socket : [$errorcode] $errormsg \n");


}

//if ready contains the master socket, then a new connection has come in
if (in_array($sock, $read))
{
for ($i = 0; $i < $max_clients; $i++)
{
if ($client_socks[$i] == null)
{
$client_socks[$i] = socket_accept($sock);

//display information about the client who is connected


if(socket_getpeername($client_socks[$i], $address, $port))
{
echo "Client $address : $port is now connected to us. \n";
}

//Send Welcome message to client


$message = "Welcome to php socket server version 1.0 \n";
$message .= "Enter a message and press enter, and i shall reply back \n";
socket_write($client_socks[$i] , $message);
break;
}
}
}

//check each client if they send any data


for ($i = 0; $i < $max_clients; $i++)
{
if (in_array($client_socks[$i] , $read))
{
$input = socket_read($client_socks[$i] , 1024);

if ($input == null)
{
//zero length string meaning disconnected, remove and close the socket
unset($client_socks[$i]);
socket_close($client_socks[$i]);
}

$n = trim($input);

$output = "OK ... $input";

echo "Sending output to client \n";

//send response to client


socket_write($client_socks[$i] , $output);
}
}
}

Run the above server and open 3 terminals like before. Now the server will create a thread for each client connecting to it.

The telnet terminals would show :

$ telnet localhost 5000


Trying 127.0.0.1...
Connected to 127.0.0.1.
Escape character is '^]'.
Welcome to php socket server version 1.0
Enter a message and press enter, and i shall reply back
hello
OK ... hello
how are you
OK ... how are you

The server terminal might look like this

$ php /var/www/server.php
Socket created
Socket bind OK
Socket listen OK
Waiting for incoming connections...
Client 127.0.0.1 : 36259 is now connected to us.
Sending output to client
Sending output to client
Client 127.0.0.1 : 36274 is now connected to us.
Sending output to client
Sending output to client
Client 127.0.0.1 : 36276 is now connected to us.
Sending output to client
Sending output to client

The above connection handler takes some input from the client and replies back with the same. Simple! Here is how the telnet output might look

So now we have a server thats communicative. Thats useful now.

Conclusion

By now you must have learned the basics of socket programming in php. You can try out some experiments like writing a chat client or something similar.

If you think that the tutorial needs some addons or improvements or any of the code snippets above dont work then feel free to make a comment below so that it gets xed.

Facebook Twitter Pinterest

CATEGORY: PHP TUTORIAL

TAGS: PHP , PHP SOCKETS , SOCKET PROGRAMMING

About Silver Moon

A Tech Enthusiast, Blogger, Linux Fan and a Software Developer. Writes about Computer hardware, Linux and Open Source software and coding in Python, Php and Javascript. He can be reached at b

View all posts by Silver Moon →


88 thoughts on “PHP Socket programming Tutorial – How to code Client and Server”

Rahul Rajoria
May 6, 2020 at 3:03 pm

Hey thanks for the great tutorial I have implemented it’s and working as accepted (good), so can you just give me a hint or suggestion, how to estalished connection between clie

show mack
October 25, 2019 at 6:06 pm

Hi,
My previous Project is developed with jsxmlsocket(https://www.developerfusion.com/project/18979/jsxmlsocket). It is working with ash. Js xml socket connected with ip and
this client id i am sending vehicle device id, So i am getting all the vehicle information continously.
But now i am working in PHP Sockets i am getting Client id and ServerDist, After sednig ClientID with device id($message = ‘{\”ClientID\”:\”‘ . $ClientID . ‘\”,\”TrackSystemNos\”:\
ServerDist So can you please help me how to get the device data

I need response like this:


{
“SimID”:”139928XXXXX”,
“SignalType”:”Locate”,
“DateTime”:”2019-10-24 13:31:40″,
“Longitude1″:”0.00000”,
“Latitude1″:”0.00000”,
“Longitude”:”0.00000″,
“Latitude”:”0.00000″,
“Velocity”:”0″,
“Angle”:”0″,
“LocateStatus”:”NoLocate”,
“StatusA”:”OFF”,
“StatusB”:”OFF”,
“StatusC”:”OFF”,
“StatusD”:”OFF”,
“TurnStatus”:”0″,
“AccStatus”:”OFF”,
“Temperature”:”0″,
“Temperature2″:””,
“Temperature3″:””,
“Temperature4″:””,
“Oil”:”0″,
“Oil2″:”0”,
“LevelNum”:”12.13″,
“OilIn”:”0″,
“OilOut”:”0″,
“Miles”:”7611669″,
“ParkingSpan”:”1.11:54:59″,
“TodayMile”:”61321″
}

Mohamed Hesham
October 18, 2018 at 12:12 am

Thank you for this great tutorial.


I have a small issue after running the code.
When I open the telnet client and try to enter only one litter it response instantly even before I click enter
it responses after pressing any key not only enter
I thought the problem was in the code but I pasted your code in my project and tried it but the same problem.
I hope you help me.
note: I was running the script from the browser not the terminal.

Franklin
September 17, 2018 at 2:02 am

Warning: socket_bind(): unable to bind address [99]: Cannot assign requested address in /storage/ssd3/427/7074427/public_html/app03/Chat.php on line 17
CAN’T BIND SOCKET!

Shailesh
July 25, 2018 at 9:09 am

Hii Sir, how can I start a socket server on a host server.I am using shared server

Abdul Sami
February 16, 2018 at 1:01 am

Dear you have write the Client side socket script on the start. As we know that the PHP is the server scripting language so how after loading on to the client server it will run to c
Regards

rasheed
August 22, 2017 at 1:01 pm

Hi. Please is it possible to get data from a socket connected to another client without connecting to it ?

Rajesh kumar
May 29, 2017 at 11:11 am

very -2 good

Mike
May 9, 2017 at 11:11 pm

What about using SSL in sockets?

Malam
February 26, 2017 at 3:03 am

how can you write a socket to accept your own crafted command?

rohan
January 27, 2017 at 4:04 pm

In one of previous example u send data and receive, With the similar code i am sending data twice but only rst time it is getting sent. please check-http://stackover ow.com/qu

kolai
January 11, 2017 at 9:09 pm

thank you for this tutorial. its very easy to understand. i will try to create a simple chat using this concept . :)

Adeel Akram
December 22, 2016 at 1:01 pm

Hi Silver Moon ,
You wrote it in very proper way, I got all the concepts you delivered here.
Keep up the good work.
Thank you

david
September 12, 2016 at 2:02 pm

Very nice tutorial

Jason
September 5, 2016 at 8:08 pm

Fatal error: Uncaught Error: Call to unde ned function socket_create() in E:\Web\Xampp\htdocs\index.php:2 Stack trace: #0 {main} thrown in E:\Web\Xampp\htdocs\index.php o

Obviously, sockets don’t exist anymore xD

Jason
September 5, 2016 at 8:08 pm

Don’t mind my comment I sent earlier , forgot to enable sockets in php …..

Ashish
August 31, 2016 at 10:10 pm

Sir,
I have some questions regarding GPS device connection. I want to know how to receive data from gps device to my local host server like wamp.

Plz help me i need it urgently.

I will be thankful to you.

ABOUT COMPUTER HARDWARE

Binarytides is a tech website where we


Headphones Laptops
publish high quality tutorials and guides
on variety of topics including coding,
linux/open source and computer Monitors Mouse Printers
hardware.
We review the best software and pc
Tablets Keyboards
hardware to help our readers find the best
solution for their needs
Motherboards

This site, binarytides.com is a participant in the Amazon Services LLC Associates Program, an affiliate advertising program designed to provide a means for sites to earn advertising fees by
advertising and linking to Amazon.com.

Home About us Contact us Privacy Policy Terms of Service

Copyright © 2021 · BinaryTides

You might also like