- android - RelativeLayout 背景可绘制重叠内容
- android - 如何链接 cpufeatures lib 以获取 native android 库?
- java - OnItemClickListener 不起作用,但 OnLongItemClickListener 在自定义 ListView 中起作用
- java - Android 文件转字符串
我想在服务器和客户端之间发送/接收多个 TCP 消息。例如:
服务器:
ip=""
port=8888
buffersize=1024
s=socket.socket(socket.AF_INET, socket.SOCK_STREAM)
s.bind((myIP, myPort))
s.listen(1)
(cl, adress) = s.accept()
cl.send("hi!".encoded())
msg=cl.recv(bufferSize).decode()
msg=msg[0]
print(" Received message is '{}'".format(msg))
客户:
ip=""
port=8888
s=socket.socket(socket.AF_INET, socket.SOCK_STREAM)
s.connect(ip,port)
msg=s.recv(1024).decode()
print(" {} ".format(msg))
#sending to server
s.send("OK!".encode())
他们可以互相交流。我想发送第二条消息,我想循环接收第二条消息。
最佳答案
我写了一段代码来证明这一点。文章在这里:https://aknirala.github.io/maintaining/python3TCP.html代码在这里:https://github.com/aknirala/python3TCP
我发现人们(无情地)删除了我之前发布的链接(即:https://realpython.com/python-sockets/)说:如果链接更改,则答案将失效。但是我不明白为什么需要删除,因为在那之后,没有答案!!留下评论来解释事情就好了。无论如何,这里是代码(服务器想要执行 1000 个任务,每个任务 10 次。
服务器端:
#!/usr/bin/env python
# coding: utf-8
# In[ ]:
import socket #For TCP communication.
import types #For types.SimpleNamespace
import selectors #For selectors.DefaultSelector()
import time
import random
# In[ ]:
totalTasks = 1000
repAllTasks = 10
d = {}
for i in range(totalTasks):
d[i] = 0
msgStart = "crrrazy_msg_START"
msgEnd = "crrrazy_msg_END" #Hoping that this will not be in the message.
verbose = False
#Instead of having start and end tokens, a better way is to have headers which will
#have size of the message.
# In[ ]:
sel = selectors.DefaultSelector()
# In[ ]:
def accept_wrapper(sock):
'''
This function will accept the new clients, and will register them.
'''
conn, addr = sock.accept()
print("\n\n accepted connection from", addr)
conn.setblocking(False) #If we want multiple clients we need to do this.
#Below we are assigning three things to each clinet connection, if we want more details
#like, when was the last time clinet communicated we need to pass one more argument here
# and later, ensure that it gets updated.
data = types.SimpleNamespace(addr=addr, inb="", outb=b"")
#Above notice that inb is not binary. This is becasue our code will be simpler
#if we'll keep it string (as a single message will be recieved over multiple
#iterations). But we need to convert it from binary stream before appending it there.
#In server we have made a loop and are senidng data till all is send, so outb can
#be removed, as it is never used.
events = selectors.EVENT_READ | selectors.EVENT_WRITE
sel.register(conn, events, data=data)
# In[ ]:
host, port = "<<<ENTER YOUR MACHINE IP>>>", 65432#sys.argv[1], int(sys.argv[2]) #TODO: Chnage to your machine IP
lsock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
lsock.bind((host, port))
lsock.listen()
print("listening on", (host, port))
lsock.setblocking(False)
sel.register(lsock, selectors.EVENT_READ, data=None)
# In[ ]:
underProcess = {}
for i in range(totalTasks):
underProcess[i] = 0
ctr = 0
lastRetCtr = 0
def getNextTask(tD):
'''
tD is a dictionary which has, key values of taskID and units which has been completed.
This function will update the d, accordingly and will then return the next taskID to be done
if tD is None, we are just checking what is the next value to be returned, so no actual
changes are made to any variable.
'''
global d
global underProcess
global repAllTasks
global ctr
global lastRetCtr
#print('Got tD as: ',tD)
#Updating the task dictionary d, and also removing that from underProcess
if tD is not None:
for k in tD:
underProcess[k] -= 1
d[k] += tD[k]
lastRetCtr += 1
ctr = lastRetCtr
for k in d:
if d[k] + underProcess[k] < repAllTasks:
if tD is not None:
underProcess[k] += 1
return k
for k in underProcess:
if underProcess[k] > 0:
#print('k:',k,'underProcess[k]: ',underProcess[k], ' ctr: ',ctr, 'lastRetCtr: ',lastRetCtr)
if tD is not None:
ctr += 1
if ctr - lastRetCtr > 10: #This is just a simple mechanism to resend stuff
# when some unprocess task has not been done.
# If till 10 iterations no client returns then it will
# resend the task (not an ideal mechanism)
if ctr - lastRetCtr > 15:
ctr = lastRetCtr
print('Returning: ',k)
return k
else:
if tD is not None:
time.sleep(1)
return -2
return -1
# In[ ]:
tmpGlobalMsg = "" #These two are defined global coz I don't know how to work with
tmpGlobalTD = None #exec with local variables. :-( Let me know how to get rid of them
ctr = 0
def service_connection(key, mask):
#print('In service_connection')
global d
global msgStart
global msgEnd
global tmpGlobalMsg
global tmpGlobalTD
global ctr
global verbose
sock = key.fileobj
data = key.data
if mask & selectors.EVENT_READ:
recv_data = sock.recv(1024)
if recv_data:
data.inb += recv_data.decode()
eI = data.inb.find(msgEnd) #Is the end str found? If so we have recievd entire message
if eI >= 0:
sI = data.inb.find(msgStart)
if sI < 0 or sI > eI: #Ideally throw an exception here.
sI = 0
else:
sI += len(msgStart)
msg = data.inb[sI:eI]
data.inb = data.inb[eI + len(msgEnd):]
tmpGlobalTD = None
msg = 'tmpGlobalTD = '+msg
exec(msg, locals(), globals())
#Below, we update, how much unit of task has been done by client
nJob = getNextTask(tmpGlobalTD)
print('From : ',sock.getpeername(), 'nJob is: ', nJob)
toSend = msgStart + str(nJob) + msgEnd
toSend = str.encode(toSend) #We need to encode it befre sending
while len(toSend) > 0:
if mask & selectors.EVENT_WRITE:
sent = sock.send(toSend)
toSend = toSend[sent:]
if verbose:
print('Sent: ',sent)
else: #Not needed could be removed.
print('Not ready to send!!!! THIS SHOULD NOT HAPPEN (But who knows!!)')
time.sleep(0.0001)
else: #This will be true when client will close connection. We can even set
print("\n\n closing connection to", data.addr) # a timer here.
sel.unregister(sock)
sock.close()
else:
if verbose:
time.sleep(0.2) #So that output is not flooded
print('Not read ready !!!!', end=" ") #Thre are clients which have registerd
# But no one has sent anything for the server to read.
# In[ ]:
while True:
events = sel.select(timeout=None)
if verbose:
sleepT = 1 - len(events)*0.1
if sleepT <= 0:
sleepT = 0.01
time.sleep(sleepT)
print('NUmber of clinets is: ',len(events))
for key, mask in events:
if key.data is None:
accept_wrapper(key.fileobj)
else:
service_connection(key, mask)
nT = getNextTask(None)
if nT < 0:
if nT == -2:
print('Status: ',underProcess)
time.sleep(1)
continue
print('All done.underProcess ', underProcess)
for key, mask in events:
data = key.data
sock = key.fileobj
print("\n\n closing connection to", data.addr) # a timer here.
sel.unregister(sock)
sock.close()
break
客户端:
#!/usr/bin/env python
# coding: utf-8
# In[ ]:
import socket
import selectors
import types
import time
import random
sel = selectors.DefaultSelector()
msgStart = "crrrazy_msg_START"
msgEnd = "crrrazy_msg_END"
verbose = False
# In[ ]:
def start_connections(host, port):
server_addr = (host, port)
print("\n\nstarting connection to", server_addr)
sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
sock.setblocking(False)
sock.connect_ex(server_addr) #connect_ex() is used instead of connect() since connect() would immediately raise a BlockingIOError exception. connect_ex() initially returns an error indicator, errno.EINPROGRESS, instead of raising an exception while the connection is in progress.
events = selectors.EVENT_READ | selectors.EVENT_WRITE
data = types.SimpleNamespace(
#connid=connid, #In case multiple connections are made from same machine
# we can assign an ID to them.
#Other fields, if other protocols like fixed message lengths etc needs to be
#used then more variables could be added here to keep track of those.
inb="", #Not a binary stream as it will be easier to handle str
)
sel.register(sock, events, data=data)
# In[ ]:
tempTaskID = None
def sendRecv(sel, tS = {}, recv = True, disconnect = False):
'''
This function is written in such a way that one can send a message to server
and server will send a return message and the function will return that.
Since the function may wait endlessly if server does not return it, after some
delay, we are assuming that server didn't listened, so we are resending the message.
This is not an ideal solution, as server might get the message again and falsely
assume that task has been done. This can be fixed by providing unique key to each job,
and IMHO must be done in actual code.
sel: contains the connection to server.
tS: dictionary to send. By default it is empty, which in our case we consider as
blank message.
recv: a flag to indicate, if we are expecting a return message from server.
In our case, this will always be True.
disconnect: When True, this function will close the connection.
'''
global msgStart
global msgEnd
global tempTaskID
global verbose
waitAttempts = 0
while True:
events = sel.select(timeout=1)
if events:
toProcess = True #To ensure that there is only one connection
# If everything goes correctly we don't need this.
# and ideally code involving this shouldnot run.
# Thus all code involving this could be removed,
for key, mask in events: #Idealy we should have just one value in events.
sock = key.fileobj
data = key.data
if not toProcess:
print('Repeated!!!!! ', key.index, ' closing it.')
print('THIS SHOULD NOT HAVE BEEN EXECUTED. But what can we say...')
sel.unregister(sock)
sock.close()
print('Disconnected extra socket.')
continue
toProcess = False
if disconnect: #This time function hsa been called to disconnect the connection.
# Please note, in case we would have been managing multiple
# connections, this would have been added to data when calling
# SimpleNamespace while registering, so that we know which socket
# to close.
sel.unregister(sock)
sock.close()
print('Disconnected')
return {}
msg = msgStart + str(tS) + msgEnd
toSend = str.encode(msg)
if waitAttempts <= 0: #It'll not send again till waitAttempts becomes less
# This is added in case, server does not recieve the message
# for the first time. So after waiting for few times
# ,in our case 10 seconds, as done by sleep in each iteration
# we'll resend the message.
# In practice, this could even happen when message from server
# is lost, thus a better mechanism to detect that should be there
while len(toSend) > 0:
if mask & selectors.EVENT_WRITE:
sent = sock.send(toSend)
if verbose:
print('sent: ',sent, 'From: ',sock.getsockname(),' Cont: ',toSend[:sent])
toSend = toSend[sent:]
else:
print('Not ready to write!!. THIS SHOULD NOT HAVE HAPPENED, but what do I know..')
time.sleep(0.0001)
waitAttempts = 10 #Try again after these many iterations of outer while
else:
waitAttempts -= 1
if not recv: #Return not expected.
return {}
if verbose:
print('wtoR...', end=' ')#For illustration we are SoPing
# wtoR: waiting to READ.
msg = ''
if mask & selectors.EVENT_READ:
recv_data = sock.recv(1024) # Should be ready to read
if recv_data:
data.inb += recv_data.decode()
#print('Now we got:::: ',data.outb,' len: ',len(data.outb), 'and find: ',data.outb.find(msgEnd))
else:
if verbose:
print('NotR..', end=' ')#For illustration we are SoPing
# NotR: Not ready to READ. (Waiting for server to send message)
time.sleep(1) #By giving delay here we will wait for 10 seconds for
# server to reply.
eI = data.inb.find(msgEnd)
if eI >= 0:
sI = data.inb.find(msgStart)
if sI < 0 or sI > eI: #Ideally throw an exception here.
sI = 0
else:
sI += len(msgStart)
msg = data.inb[sI:eI]
if len(msg) <= 0:
print('ERROR, this definitely looks like a protocol failure. Terminating connection, by returning -1')
#We are expecting that server must alway reply an integer eithre
#representing taskID or -1 to terminate.
return -1
data.inb = data.inb[eI + len(msgEnd):] #Simply removing the part
# of the message we have processed. In this case, if everything
# is as planned, this should always set data.inb to empty string.
try:
return int(msg)
except:
print('Integer not returned. Val return is:',msg,'. Protocol break.')
return -1
else:
if verbose:
print('No end on: ', data.inb, end='')
else:
print('No events!!! THIS SHOULD NOT HAPPEN...')
if not sel.get_map():
print('It\'s likely that no socket is opened OR server is not there.')
break
return {}
# In[ ]:
host, port = "<<ENTER YOUR SERVER IP>>", 65432#sys.argv[1:4]
start_connections(host, int(port))
# In[ ]:
d = sendRecv(sel)
while True:
if d <0:
if d == -2:
print('d is: ',d)
time.sleep(0.5)
d = sendRecv(sel)
continue
sendRecv(sel, disconnect=True)
print('Disconnected as server said target achieved',d)
break
tS = {}
tS[d] = random.randint(1,2) #Random number between 1 and 2
print('Sending: ',tS)
d = sendRecv(sel, tS)
# In[ ]:
#sendRecv(sel, disconnect=True)
# In[ ]:
关于python - 在 Python 中通过 TCP 发送/接收多条消息,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/51590277/
我正在使用 voip 推送通知制作 ios 应用程序。 我想从 Node js 发送 voip 推送通知,但不是很好。 我阅读了本教程 CallKit iOS Swift Tutorial for V
我编写了一个服务器,当浏览器尝试连接到某些站点时,它会检查黑名单并发回 404,但是当我调用 send() 时没有错误,但消息不会出现在网络上浏览器,除非我关闭连接? 有什么建议吗? 接受来自浏览器的
#include int main() { char c = getchar(); //EOF (ctrl + d ) while( ( c = getchar() ) != '?'
我正在尝试使用MailMessage对象通过PowerShell发送电子邮件。该脚本使用Import-CSV来使用文件,然后在电子邮件正文中使用ConvertTo-HTML。由于我要发送的电子邮件客户
我需要创建一个脚本,每 30 秒对网络流量进行一次采样并存储发送/接收的字节。该数据随后用于绘制图形。我编写了一个在 Windows 2012 上完美运行的程序,但我意识到某些 cmdlet 在以前的
我正在运行“autoit3.chm”文件。当它运行时,我想发送一个向下键箭头,但它不起作用: $file = FileGetShortName("C:\Users\PHSD100-SIC\Deskto
当我使用网络浏览器测试我的程序时,我可以很好地写入套接字/FD,所以我决定循环它并在连接中途切断连接,我发现了一个问题。 send() 能够在套接字不可用时关闭整个程序。我认为问题在于该程序陷入了第
我正在运行“autoit3.chm”文件。当它运行时,我想发送一个向下键箭头,但它不起作用: $file = FileGetShortName("C:\Users\PHSD100-SIC\Deskto
所以我试图向自己发送数据并接收数据然后打印它,现在我已经测试了一段时间,我注意到它没有发送任何东西,事实上,也许它是,但我没有正确接收它,我需要这方面的帮助。 这就是我用来发送数据的
问题:开发人员创建自己的序列化格式有多常见?具体来说,我使用 java 本质上将对象作为一个巨大的字符串发送,并用标记来分隔变量。 我的逻辑:我选择这个是因为它几乎消除了语言依赖性(忽略java的修改
我必须在 Linux 上编写一个应用程序,该应用程序需要与具有自定义以太网类型的设备进行通信。甚至在如何编写这样的应用程序中也有很多解决方案。一个缺点是需要 root 访问权限(AFAIK)。之后释放
我有一个包含三个单选按钮选项的表单。我需要将表单数据提交到另一个文件,但由于某种原因,发送的数据包含所选单选按钮的值“on”,而不是 value 属性的值。 我尝试通过 post() 函数手动操作和发
基本上我想实现这样的目标: Process 1 Thread 1 Receive X from process 2 Thread 2 Receive Y from proces
我目前正在 Google App Engine 上开发一个系统,对它还很陌生,我正在使用 Java 平台进行开发。我在 servlet 之间发送 session 对象时遇到问题。我已经在 appeng
当我尝试将“this”(触发的元素)作为参数发送给函数时,函数收到“Object[Document build.php]”作为参数,而不是触发的元素。请让我知道我的错误: function set(a
我正在寻找让我的应用响应联系人 > 发送的魔法咒语。我希望能够接收联系人的 URI 以便检索联系人。谁有 list 过滤器/代码 fragment 吗? 最佳答案 我没有睾丸,但您可以尝试基于 ACT
关于我心爱的套接字的另一个问题。我先解释一下我的情况。之后我会告诉你是什么困扰着我。 我有一个客户端和一个服务器。这两个应用程序都是用 C++ 编写的,实现了 winsock2。连接通过 TCP 和
我看到了这篇文章 http://www.eskimo.com/~scs/cclass/int/sx5.html 但这部分让我感到困惑:如果我们已经使用 send_array 或 send_array_
我对这行代码有疑问。我必须将一个数据包带到一个端口并重新发送到接口(interface)(例如:eth0)。我的程序成功地从端口获取数据包,但是当我重新发送(使用 send())到接口(interfa
我正在尝试编写一个 X11 输入驱动程序,它可以使用我的 Android 手机上的触摸屏来移动和单击鼠标。我可以正常移动鼠标,但我无法让应用程序正确识别点击。我当前的代码位于 https://gist
我是一名优秀的程序员,十分优秀!