Adil.R
Adil.R

Reputation: 180

TCP Client retrieving no data from the server

I am trying to receive data from a TCP Server in python. I try to open a file at the server and after reading its content, try to send it to the TCP Client. The data is read correctly from the file as I try to print it first on the server side but nothing is received at the Client side. PS. I am a beginner in network programming.

Server.py

import socket
import os
server_socket = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
server_socket.bind(("", 5000))
server_socket.listen(5)

client_socket, address = server_socket.accept()
print ("Conencted to - ",address,"\n")
data = client_socket.recv(1024).decode()
print ("Filename : ",data)
fp = open(data,'r')
string = fp.read()
fp.close()
print(string)
size = os.path.getsize(data)
size = str(size)
client_socket.send(size.encode())
client_socket.send(string.encode())
client_socket.close()

Client.py

import socket,os
client_socket = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
client_socket.connect(("", 5000))
size = 1024

print ("Your filename : \n")
string = input()
client_socket.send(string.encode())
size = client_socket.recv(1024).decode()
print ("The file size is - ",size[0:2]," bytes")
size = int(size[0:2])
string = client_socket.recv(size).decode()
print ("\nFile contains : ")
print (string)
client_socket.close();

Upvotes: 0

Views: 89

Answers (2)

Prabhu
Prabhu

Reputation: 3541

Try:

#Get just the two bytes indicating the content length - client_socket.send(size.encode())

buffer = client_socket.recv(2)
size = len(buffer) 
print size
print ("The file size is - ",buffer[0:2]," bytes")

#Now get the remaining. The actual content

print buffer.decode()
buffer = client_socket.recv(1024)
size = len(buffer)
print size
print buffer.decode()

Upvotes: 1

PlusInfosys
PlusInfosys

Reputation: 3446

Add Accept() in while loop as below.

while True:
client_socket, address = server_socket.accept()
print ("Conencted to - ",address,"\n")
......

Upvotes: 1

Related Questions