pyPLC/pyPlcTcpSocket.py

282 lines
11 KiB
Python
Raw Normal View History

2022-11-04 17:45:06 +00:00
2022-11-04 21:31:39 +00:00
# Server and client on a non-blocking socket
2022-11-04 17:45:06 +00:00
#
# explanation of socket handling:
# https://docs.python.org/3/howto/sockets.html
# https://realpython.com/python-sockets/
# https://stackoverflow.com/questions/5308080/python-socket-accept-nonblocking
#
import socket
import select
import sys # for argv
import time # for time.sleep()
2022-11-04 21:31:39 +00:00
import errno
2022-11-10 22:55:25 +00:00
import os
import subprocess
2022-11-04 17:45:06 +00:00
class pyPlcTcpClientSocket():
2022-11-22 20:34:27 +00:00
def __init__(self, callbackAddToTrace):
self.callbackAddToTrace = callbackAddToTrace
2022-11-04 17:45:06 +00:00
self.sock = socket.socket(socket.AF_INET6, socket.SOCK_STREAM)
self.isConnected = False
2022-11-04 21:31:39 +00:00
self.rxData = []
2022-11-22 20:34:27 +00:00
def addToTrace(self, s):
self.callbackAddToTrace(s)
2022-11-04 17:45:06 +00:00
def connect(self, host, port):
try:
2022-11-22 20:34:27 +00:00
self.addToTrace("connecting to " + str(host) + " port " + str(port) + "...")
2022-11-04 21:31:39 +00:00
# for connecting, we are still in blocking-mode because
# otherwise we run into error "[Errno 10035] A non-blocking socket operation could not be completed immediately"
# We set a shorter timeout, so we do not block too long if the connection is not established:
2022-11-22 20:34:27 +00:00
#print("step1")
2022-11-04 21:31:39 +00:00
self.sock.settimeout(0.5)
2022-11-22 20:34:27 +00:00
#print("step2")
2022-11-20 17:47:55 +00:00
# https://stackoverflow.com/questions/71022092/python3-socket-program-udp-ipv6-bind-function-with-link-local-ip-address-gi
# While on Windows10 just connecting to a remote link-local-address works, under
# Raspbian the socket.connect says "invalid argument".
# host = "2003:d1:170f:d500:1744:89d:d921:b20f" # works
# host = "2003:d1:170f:d500:2052:326e:cef9:ad07" # works
# host = "fe80::c690:83f3:fbcb:980e" # invalid argument. Link local address needs an interface specified.
# host = "fe80::c690:83f3:fbcb:980e%eth0" # ok with socket.getaddrinfo
if (os.name != 'nt'):
# We are at the Raspberry
2022-11-22 20:34:27 +00:00
#print(host[0:5].lower())
2022-11-20 17:47:55 +00:00
if (host[0:5].lower()=="fe80:"):
2022-11-22 20:34:27 +00:00
#print("This is a link local address. We need to add %eth0 at the end.")
2022-11-20 17:47:55 +00:00
host = host + "%eth0"
socket_addr = socket.getaddrinfo(host,port,socket.AF_INET6,socket.SOCK_DGRAM,socket.SOL_UDP)[0][4]
2022-11-22 20:34:27 +00:00
#print(socket_addr)
#print("step2b")
2022-11-20 17:47:55 +00:00
# https://stackoverflow.com/questions/5358021/establishing-an-ipv6-connection-using-sockets-in-python
# (address, port, flow info, scope id) 4-tuple for AF_INET6
# On Raspberry, the ScopeId is important. Just giving 0 leads to "invalid argument" in case
# of link-local ip-address.
#self.sock.connect((host, port, 0, 0))
self.sock.connect(socket_addr)
2022-11-22 20:34:27 +00:00
#print("step3")
2022-11-04 21:31:39 +00:00
self.sock.setblocking(0) # make this socket non-blocking, so that the recv function will immediately return
2022-11-04 17:45:06 +00:00
self.isConnected = True
2022-11-04 21:31:39 +00:00
except socket.error as e:
2022-11-22 20:34:27 +00:00
self.addToTrace("connection failed", e)
2022-11-04 17:45:06 +00:00
self.isConnected = False
2022-11-04 21:31:39 +00:00
def transmit(self, msg):
if (self.isConnected == False):
# if not connected, just ignore the transmission request
return -1
2022-11-04 17:45:06 +00:00
totalsent = 0
MSGLEN = len(msg)
while (totalsent < MSGLEN) and (self.isConnected):
try:
sent = self.sock.send(msg[totalsent:])
if sent == 0:
self.isConnected = False
2022-11-22 20:34:27 +00:00
self.addToTrace("socket connection broken")
2022-11-04 21:31:39 +00:00
return -1
2022-11-04 17:45:06 +00:00
totalsent = totalsent + sent
except:
self.isConnected = False
2022-11-04 21:31:39 +00:00
return -1
return 0 # success
2022-11-04 17:45:06 +00:00
def isRxDataAvailable(self):
2022-11-04 21:31:39 +00:00
# check for availability of data, and get the data from the socket into local buffer.
if (self.isConnected == False):
return False
blDataAvail=False
try:
msg = self.sock.recv(4096)
except socket.error as e:
err = e.args[0]
if err == errno.EAGAIN or err == errno.EWOULDBLOCK:
# this is the normal case, if no data is available
# print('No data available')
pass
else:
# a "real" error occurred
# print("real error")
# print(e)
self.isConnected = False
else:
if len(msg) == 0:
# print('orderly shutdown on server end')
self.isConnected = False
else:
# we received data. Store it.
self.rxData = msg
blDataAvail=True
return blDataAvail
def getRxData(self):
# provides the received data, and clears the receive buffer
d = self.rxData
self.rxData = []
return d
2022-11-04 17:45:06 +00:00
class pyPlcTcpServerSocket():
2022-11-22 20:34:27 +00:00
def __init__(self, callbackAddToTrace):
self.callbackAddToTrace = callbackAddToTrace
2022-11-10 22:55:25 +00:00
# Todo: find the link-local IPv6 address automatically.
#self.ipAdress = 'fe80::e0ad:99ac:52eb:85d3'
#self.ipAdress = 'fe80::c690:83f3:fbcb:980e%15'
self.ipAdress = ''
2022-11-04 17:45:06 +00:00
self.tcpPort = 15118 # The port for CCS
self.BUFFER_SIZE = 1024 # Normally 1024
# Concept explanation:
# We create a socket, that is just listening for incoming connections.
# Later in the cyclic loop, we use the "select" to wait for activity on this socket.
# In case there is a connection request, we create a NEW socket, which will handle the
# data exchange. The original socket is still listening for further incoming connections.
# This would allow to handle multiple connections.
self.ourSocket = socket.socket(socket.AF_INET6, socket.SOCK_STREAM, 0)
self.ourSocket.setsockopt(socket.SOL_SOCKET, socket.SO_REUSEADDR, 1)
self.ourSocket.bind((self.ipAdress, self.tcpPort))
self.ourSocket.listen(1)
2022-11-22 20:34:27 +00:00
self.addToTrace("pyPlcTcpSocket listening on port " + str(self.tcpPort))
2022-11-11 10:21:28 +00:00
hostname=socket.gethostname()
IPAddr=socket.gethostbyname(hostname)
addressInfo = socket.getaddrinfo(hostname, None, socket.AF_INET6)
#print("Your Computer Name is:"+hostname)
2022-11-22 20:34:27 +00:00
self.addToTrace("The socket is linked the following IP addresses:")
2022-11-11 10:21:28 +00:00
for i in range(0, len(addressInfo)):
#fe80::4c46:fea5:b6c9:25a9
IPv6Addr = addressInfo[i][4][0]
2022-11-22 20:34:27 +00:00
self.addToTrace(IPv6Addr)
2022-11-04 17:45:06 +00:00
self.read_list = [self.ourSocket]
self.rxData = []
2022-11-22 20:34:27 +00:00
def addToTrace(self, s):
self.callbackAddToTrace(s)
2022-11-04 17:45:06 +00:00
def isRxDataAvailable(self):
return (len(self.rxData)>0)
def getRxData(self):
# provides the received data, and clears the receive buffer
d = self.rxData
self.rxData = []
return d
def transmit(self, txMessage):
numberOfSockets = len(self.read_list)
2022-11-04 21:31:39 +00:00
if (numberOfSockets<2):
# print("we have " + str(numberOfSockets) + ", we should have 2, one for accepting and one for data transfer. Will not transmit.")
2022-11-04 17:45:06 +00:00
return -1
2022-11-04 21:31:39 +00:00
# Simplification: We will send to the FIRST open connection, even we would have more connections open. This is
# ok, because in our use case we have exactly one client.
2022-11-04 17:45:06 +00:00
totalsent = 0
MSGLEN = len(txMessage)
while totalsent < MSGLEN:
sent = self.read_list[1].send(txMessage[totalsent:])
if sent == 0:
2022-11-22 20:34:27 +00:00
self.addToTrace("socket connection broken")
2022-11-04 17:45:06 +00:00
return -1
totalsent = totalsent + sent
2022-11-04 21:31:39 +00:00
return 0 # success
2022-11-04 17:45:06 +00:00
def mainfunction(self):
# The select() function will block until one of the socket states has changed.
# We specify a timeout, to be able to run it in the main loop.
timeout_s = 0.05 # 50ms
readable, writable, errored = select.select(self.read_list, [], [], timeout_s)
for s in readable:
if s is self.ourSocket:
# We received a connection request at ourSocket.
# -> we create a new socket (named client_socket) for handling this connection.
client_socket, address = self.ourSocket.accept()
# and we append this new socket to the list of sockets, which in the next loop will be handled by the select.
self.read_list.append(client_socket)
2022-11-22 20:34:27 +00:00
self.addToTrace("Connection from", address)
2022-11-04 17:45:06 +00:00
else:
# It is not the "listener socket", it is an above created "client socket" for talking with a client.
# Let's take the data from it:
try:
data = s.recv(1024)
except:
# The client closed the connection in the meanwhile.
#print("The client closed the connection in the meanwhile.")
data = None
if data:
# print("received data:", data)
2022-11-04 17:45:06 +00:00
self.rxData = data
else:
2022-11-22 20:34:27 +00:00
self.addToTrace("connection closed")
2022-11-04 17:45:06 +00:00
s.close()
self.read_list.remove(s)
def testServerSocket():
print("Testing the pyPlcTcpServerSocket...")
s = pyPlcTcpServerSocket()
print("Press Ctrl-Break for aborting")
nLoops = 0
while True:
s.mainfunction()
nLoops+=1
if ((nLoops % 10)==0):
print(str(nLoops) + " loops")
if (s.isRxDataAvailable()):
d = s.getRxData()
print("received " + str(d))
msg = "ok, you sent " + str(d)
2022-11-04 21:31:39 +00:00
print("responding " + msg)
2022-11-04 17:45:06 +00:00
s.transmit(bytes(msg, "utf-8"))
2022-11-04 21:31:39 +00:00
if ((nLoops % 50)==0):
print("trying to send something else")
msg = "ok, something else..."
s.transmit(bytes(msg, "utf-8"))
2022-11-04 17:45:06 +00:00
def testClientSocket():
print("Testing the pyPlcTcpClientSocket...")
c = pyPlcTcpClientSocket()
2022-11-20 17:47:55 +00:00
#c.connect('fe80::e0ad:99ac:52eb:85d3', 15118)
2022-11-10 22:55:25 +00:00
#c.connect('fe80::e0ad:99ac:52eb:9999', 15118)
2022-11-20 17:47:55 +00:00
#c.connect('localhost', 15118)
c.connect('fe80::c690:83f3:fbcb:980e', 15118)
2022-11-04 17:45:06 +00:00
print("connected="+str(c.isConnected))
2022-11-20 17:47:55 +00:00
if (c.isConnected):
print("sending something to the server")
c.transmit(bytes("Test", "utf-8"))
for i in range(0, 10):
print("waiting 1s")
time.sleep(1)
if (c.isRxDataAvailable()):
d = c.getRxData()
print("received " + str(d))
if ((i % 3)==0):
print("sending something to the server")
c.transmit(bytes("Test", "utf-8"))
2022-11-04 22:51:07 +00:00
2022-11-04 17:45:06 +00:00
print("end")
2022-11-10 22:55:25 +00:00
def testExtra():
print("testExtra")
2022-11-11 10:21:28 +00:00
#findLinkLocalIpv6Address()
2022-11-10 22:55:25 +00:00
2022-11-04 17:45:06 +00:00
if __name__ == "__main__":
2022-11-10 22:55:25 +00:00
print("Testing pyPlcTcpSocket.py....")
2022-11-04 17:45:06 +00:00
if (len(sys.argv) == 1):
print("Use command line argument c for clientSocket or s for serverSocket")
exit()
if (sys.argv[1] == "c"):
testClientSocket()
exit()
if (sys.argv[1] == "s"):
testServerSocket()
exit()
2022-11-10 22:55:25 +00:00
if (sys.argv[1] == "x"):
testExtra()
exit()
2022-11-04 17:45:06 +00:00
print("Use command line argument c for clientSocket or s for serverSocket")