From 176f3894049c06b6ceb50d1e9ab3337ded95bbf7 Mon Sep 17 00:00:00 2001 From: rdash99 Date: Mon, 12 Apr 2021 15:07:41 +0100 Subject: [PATCH 01/13] Assign the computer's local hostname to id Examples have been created to demonstrate - however, as node.py needs to be modified to accept id as an attribute I have placed the modified copy in the examples folder as the unmodified package is currently used by default if the import references p2pnetwork.node --- ...OwnPeer2PeerNode_local_hostname_example.py | 40 +++ ...my_own_p2p_application hostname example.py | 55 ++++ examples/node.py | 303 ++++++++++++++++++ 3 files changed, 398 insertions(+) create mode 100644 examples/MyOwnPeer2PeerNode_local_hostname_example.py create mode 100644 examples/my_own_p2p_application hostname example.py create mode 100644 examples/node.py diff --git a/examples/MyOwnPeer2PeerNode_local_hostname_example.py b/examples/MyOwnPeer2PeerNode_local_hostname_example.py new file mode 100644 index 0000000..2567a56 --- /dev/null +++ b/examples/MyOwnPeer2PeerNode_local_hostname_example.py @@ -0,0 +1,40 @@ +####################################################################################################################### +# Author: Maurice Snoeren # +# Version: 0.1 beta (use at your own risk) # +# # +# MyOwnPeer2PeerNode is an example how to use the p2pnet.Node to implement your own peer-to-peer network node. # +####################################################################################################################### +from node import Node + +class MyOwnPeer2PeerNode (Node): + + # Python class constructor + # id is added as a fourth argument in the constructor - otherwise the rest is identical. + def __init__(self, host, port, id): + super(MyOwnPeer2PeerNode, self).__init__(host, port, id, None) + print("MyPeer2PeerNode: Started") + + # all the methods below are called when things happen in the network. + # implement your network node behavior to create the required functionality. + + def outbound_node_connected(self, node): + print("outbound_node_connected: " + node.id) + + def inbound_node_connected(self, node): + print("inbound_node_connected: " + node.id) + + def inbound_node_disconnected(self, node): + print("inbound_node_disconnected: " + node.id) + + def outbound_node_disconnected(self, node): + print("outbound_node_disconnected: " + node.id) + + def node_message(self, node, data): + print("node_message from " + node.id + ": " + str(data)) + + def node_disconnect_with_outbound_node(self, node): + print("node wants to disconnect with oher outbound node: " + node.id) + + def node_request_to_stop(self): + print("node is requested to stop!") + diff --git a/examples/my_own_p2p_application hostname example.py b/examples/my_own_p2p_application hostname example.py new file mode 100644 index 0000000..7f56509 --- /dev/null +++ b/examples/my_own_p2p_application hostname example.py @@ -0,0 +1,55 @@ +####################################################################################################################### +# Author: Maurice Snoeren # +# Version: 0.1 beta (use at your own risk) # +# # +# This example show how to derive a own Node class (MyOwnPeer2PeerNode) from p2pnet.Node to implement your own Node # +# implementation. See the MyOwnPeer2PeerNode.py for all the details. In that class all your own application specific # +# details are coded. # +####################################################################################################################### + +import sys +import time +sys.path.insert(0, '..') # Import the files where the modules are located + +from MyOwnPeer2PeerNode_local_hostname_example import MyOwnPeer2PeerNode + +import socket + +# test the connection to google's dns server: +s = socket.socket(socket.AF_INET, socket.SOCK_DGRAM) +s.connect(("8.8.8.8", 80)) + +# get the local IP address from the networked adapter: +ip = s.getsockname()[0] + +# get the local computer hostname: +id = socket.gethostname() +s.close() + +# id is added as a third argument and ip can be used to replace the first argument: +node_1 = MyOwnPeer2PeerNode("127.0.0.1", 8001, id) +node_2 = MyOwnPeer2PeerNode("127.0.0.1", 8002, id) +node_3 = MyOwnPeer2PeerNode("127.0.0.1", 8003, id) + +time.sleep(1) + +node_1.start() +node_2.start() +node_3.start() + +time.sleep(1) + +node_1.connect_with_node('127.0.0.1', 8002) +node_2.connect_with_node('127.0.0.1', 8003) +node_3.connect_with_node('127.0.0.1', 8002) + +time.sleep(2) + +node_1.send_to_nodes("message: Hi there!") + +time.sleep(5) + +node_1.stop() +node_2.stop() +node_3.stop() +print('end test') diff --git a/examples/node.py b/examples/node.py new file mode 100644 index 0000000..0790da7 --- /dev/null +++ b/examples/node.py @@ -0,0 +1,303 @@ +import socket +import sys +import time +import threading +import random +import hashlib + +from p2pnetwork.nodeconnection import NodeConnection + +""" +Author: Maurice Snoeren +Version: 0.3 beta (use at your own risk) +Date: 7-5-2020 + +Python package p2pnet for implementing decentralized peer-to-peer network applications + +TODO: Variabele to limit the number of connected nodes. +TODO: Also create events when things go wrong, like a connection with a node has failed. +""" + +class Node(threading.Thread): + """Implements a node that is able to connect to other nodes and is able to accept connections from other nodes. + After instantiation, the node creates a TCP/IP server with the given port. + + Create instance of a Node. If you want to implement the Node functionality with a callback, you should + provide a callback method. It is preferred to implement a new node by extending this Node class. + host: The host name or ip address that is used to bind the TCP/IP server to. + port: The port number that is used to bind the TCP/IP server to. + callback: (optional) The callback that is invokes when events happen inside the network + def node_callback(event, main_node, connected_node, data): + event: The event string that has happened. + main_node: The main node that is running all the connections with the other nodes. + connected_node: Which connected node caused the event. + data: The data that is send by the connected node.""" + + def __init__(self, host, port, id, callback=None): + """Create instance of a Node. If you want to implement the Node functionality with a callback, you should + provide a callback method. It is preferred to implement a new node by extending this Node class. + host: The host name or ip address that is used to bind the TCP/IP server to. + port: The port number that is used to bind the TCP/IP server to. + callback: (optional) The callback that is invokes when events happen inside the network.""" + super(Node, self).__init__() + + # When this flag is set, the node will stop and close + self.terminate_flag = threading.Event() + + # Server details, host (or ip) to bind to and the port + self.host = host + self.port = port + + # Events are send back to the given callback + self.callback = callback + + # Nodes that have established a connection with this node + self.nodes_inbound = [] # Nodes that are connect with us N->(US)->N + + # Nodes that this nodes is connected to + self.nodes_outbound = [] # Nodes that we are connected to (US)->N + + # Assign a string to the node as it's ID. + self.id = id + + # Start the TCP/IP server + self.sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM) + self.init_server() + + # Message counters to make sure everyone is able to track the total messages + self.message_count_send = 0 + self.message_count_recv = 0 + self.message_count_rerr = 0 + + # Debugging on or off! + self.debug = False + + @property + def all_nodes(self): + """Return a list of all the nodes, inbound and outbound, that are connected with this node.""" + return self.nodes_inbound + self.nodes_outbound + + def debug_print(self, message): + """When the debug flag is set to True, all debug messages are printed in the console.""" + if self.debug: + print("DEBUG: " + message) + + def init_server(self): + """Initialization of the TCP/IP server to receive connections. It binds to the given host and port.""" + print("Initialisation of the Node on port: " + str(self.port) + " on node (" + self.id + ")") + self.sock.setsockopt(socket.SOL_SOCKET, socket.SO_REUSEADDR, 1) + self.sock.bind((self.host, self.port)) + self.sock.settimeout(10.0) + self.sock.listen(1) + + def print_connections(self): + """Prints the connection overview of the node. How many inbound and outbound connections have been made.""" + print("Node connection overview:") + print("- Total nodes connected with us: %d" % len(self.nodes_inbound)) + print("- Total nodes connected to : %d" % len(self.nodes_outbound)) + + def delete_closed_connections(self): + """Misleading function name, while this function checks whether the connected nodes have been terminated + by the other host. If so, clean the array list of the nodes. When a connection is closed, an event is + send node_message or outbound_node_disconnected.""" + for n in self.nodes_inbound: + if n.terminate_flag.is_set(): + self.inbound_node_disconnected(n) + n.join() + del self.nodes_inbound[self.nodes_inbound.index(n)] + + for n in self.nodes_outbound: + if n.terminate_flag.is_set(): + self.outbound_node_disconnected(n) + n.join() + del self.nodes_outbound[self.nodes_inbound.index(n)] + + def send_to_nodes(self, data, exclude=[]): + """ Send a message to all the nodes that are connected with this node. data is a python variable which is + converted to JSON that is send over to the other node. exclude list gives all the nodes to which this + data should not be sent.""" + self.message_count_send = self.message_count_send + 1 + for n in self.nodes_inbound: + if n in exclude: + self.debug_print("Node send_to_nodes: Excluding node in sending the message") + else: + self.send_to_node(n, data) + + for n in self.nodes_outbound: + if n in exclude: + self.debug_print("Node send_to_nodes: Excluding node in sending the message") + else: + self.send_to_node(n, data) + + def send_to_node(self, n, data): + """ Send the data to the node n if it exists.""" + self.message_count_send = self.message_count_send + 1 + self.delete_closed_connections() + if n in self.nodes_inbound or n in self.nodes_outbound: + try: + n.send(data) + + except Exception as e: + self.debug_print("Node send_to_node: Error while sending data to the node (" + str(e) + ")") + else: + self.debug_print("Node send_to_node: Could not send the data, node is not found!") + + def connect_with_node(self, host, port): + """ Make a connection with another node that is running on host with port. When the connection is made, + an event is triggered outbound_node_connected. When the connection is made with the node, it exchanges + the id's of the node. First we send our id and then we receive the id of the node we are connected to. + When the connection is made the method outbound_node_connected is invoked. + TODO: think wheter we need an error event to trigger when the connection has failed!""" + if host == self.host and port == self.port: + print("connect_with_node: Cannot connect with yourself!!") + return False + + # Check if node is already connected with this node! + for node in self.nodes_outbound: + if node.host == host and node.port == port: + print("connect_with_node: Already connected with this node.") + return True + + try: + sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM) + self.debug_print("connecting to %s port %s" % (host, port)) + sock.connect((host, port)) + + # Basic information exchange (not secure) of the id's of the nodes! + sock.send(self.id.encode('utf-8')) # Send my id to the connected node! + connected_node_id = sock.recv(4096).decode('utf-8') # When a node is connected, it sends it id! + + thread_client = self.create_new_connection(sock, connected_node_id, host, port) + thread_client.start() + + self.nodes_outbound.append(thread_client) + self.outbound_node_connected(thread_client) + + except Exception as e: + self.debug_print("TcpServer.connect_with_node: Could not connect with node. (" + str(e) + ")") + + def disconnect_with_node(self, node): + """Disconnect the TCP/IP connection with the specified node. It stops the node and joins the thread. + The node will be deleted from the nodes_outbound list. Before closing, the method + node_disconnect_with_outbound_node is invoked.""" + if node in self.nodes_outbound: + self.node_disconnect_with_outbound_node(node) + node.stop() + node.join() # When this is here, the application is waiting and waiting + del self.nodes_outbound[self.nodes_outbound.index(node)] + + else: + print("Node disconnect_with_node: cannot disconnect with a node with which we are not connected.") + + def stop(self): + """Stop this node and terminate all the connected nodes.""" + self.node_request_to_stop() + self.terminate_flag.set() + + # This method can be overrided when a different nodeconnection is required! + def create_new_connection(self, connection, id, host, port): + """When a new connection is made, with a node or a node is connecting with us, this method is used + to create the actual new connection. The reason for this method is to be able to override the + connection class if required. In this case a NodeConnection will be instantiated to represent + the node connection.""" + return NodeConnection(self, connection, id, host, port) + + def run(self): + """The main loop of the thread that deals with connections from other nodes on the network. When a + node is connected it will exchange the node id's. First we receive the id of the connected node + and secondly we will send our node id to the connected node. When connected the method + inbound_node_connected is invoked.""" + while not self.terminate_flag.is_set(): # Check whether the thread needs to be closed + try: + self.debug_print("Node: Wait for incoming connection") + connection, client_address = self.sock.accept() + + # Basic information exchange (not secure) of the id's of the nodes! + connected_node_id = connection.recv(4096).decode('utf-8') # When a node is connected, it sends it id! + connection.send(self.id.encode('utf-8')) # Send my id to the connected node! + + thread_client = self.create_new_connection(connection, connected_node_id, client_address[0], client_address[1]) + thread_client.start() + + self.nodes_inbound.append(thread_client) + + self.inbound_node_connected(thread_client) + + except socket.timeout: + self.debug_print('Node: Connection timeout!') + + except Exception as e: + raise e + + time.sleep(0.01) + + print("Node stopping...") + for t in self.nodes_inbound: + t.stop() + + for t in self.nodes_outbound: + t.stop() + + time.sleep(1) + + for t in self.nodes_inbound: + t.join() + + for t in self.nodes_outbound: + t.join() + + self.sock.settimeout(None) + self.sock.close() + print("Node stopped") + + def outbound_node_connected(self, node): + """This method is invoked when a connection with a outbound node was successfull. The node made + the connection itself.""" + self.debug_print("outbound_node_connected: " + node.id) + if self.callback is not None: + self.callback("outbound_node_connected", self, node, {}) + + def inbound_node_connected(self, node): + """This method is invoked when a node successfully connected with us.""" + self.debug_print("inbound_node_connected: " + node.id) + if self.callback is not None: + self.callback("inbound_node_connected", self, node, {}) + + def inbound_node_disconnected(self, node): + """This method is invoked when a node, that was previously connected with us, is in a disconnected + state.""" + self.debug_print("inbound_node_disconnected: " + node.id) + if self.callback is not None: + self.callback("inbound_node_disconnected", self, node, {}) + + def outbound_node_disconnected(self, node): + """This method is invoked when a node, that we have connected to, is in a disconnected state.""" + self.debug_print("outbound_node_disconnected: " + node.id) + if self.callback is not None: + self.callback("outbound_node_disconnected", self, node, {}) + + def node_message(self, node, data): + """This method is invoked when a node send us a message.""" + self.debug_print("node_message: " + node.id + ": " + str(data)) + if self.callback is not None: + self.callback("node_message", self, node, data) + + def node_disconnect_with_outbound_node(self, node): + """This method is invoked just before the connection is closed with the outbound node. From the node + this request is created.""" + self.debug_print("node wants to disconnect with oher outbound node: " + node.id) + if self.callback is not None: + self.callback("node_disconnect_with_outbound_node", self, node, {}) + + def node_request_to_stop(self): + """This method is invoked just before we will stop. A request has been given to stop the node and close + all the node connections. It could be used to say goodbey to everyone.""" + self.debug_print("node is requested to stop!") + if self.callback is not None: + self.callback("node_request_to_stop", self, {}, {}) + + def __str__(self): + return 'Node: {}:{}'.format(self.host, self.port) + + def __repr__(self): + return ''.format(self.host, self.port, self.id) From 6e67a16ed6127d2f684ec305abfdf9776d2bbb1b Mon Sep 17 00:00:00 2001 From: Samuel Haidu Date: Sun, 16 May 2021 20:43:44 -0300 Subject: [PATCH 02/13] Add connection limit feature --- p2pnetwork/node.py | 23 +++++++++++++++++++++-- 1 file changed, 21 insertions(+), 2 deletions(-) diff --git a/p2pnetwork/node.py b/p2pnetwork/node.py index 55f4058..4ef7b2f 100644 --- a/p2pnetwork/node.py +++ b/p2pnetwork/node.py @@ -33,7 +33,7 @@ def node_callback(event, main_node, connected_node, data): connected_node: Which connected node caused the event. data: The data that is send by the connected node.""" - def __init__(self, host, port, callback=None): + def __init__(self, host, port, callback=None, max_connections=0): """Create instance of a Node. If you want to implement the Node functionality with a callback, you should provide a callback method. It is preferred to implement a new node by extending this Node class. host: The host name or ip address that is used to bind the TCP/IP server to. @@ -72,6 +72,9 @@ def __init__(self, host, port, callback=None): self.message_count_send = 0 self.message_count_recv = 0 self.message_count_rerr = 0 + + # Connection limit + self.max_connections = max_connections # Debugging on or off! self.debug = False @@ -152,6 +155,10 @@ def connect_with_node(self, host, port): the id's of the node. First we send our id and then we receive the id of the node we are connected to. When the connection is made the method outbound_node_connected is invoked. TODO: think wheter we need an error event to trigger when the connection has failed!""" + + if self.check_max_connections(): + return False + if host == self.host and port == self.port: print("connect_with_node: Cannot connect with yourself!!") return False @@ -198,6 +205,14 @@ def stop(self): self.node_request_to_stop() self.terminate_flag.set() + def check_max_connections(self) -> bool: + self.print_connections() + if len(self.all_nodes) >= self.max_connections & self.max_connections != 0: + self.debug_print("You have reached the maximum connection limit!") + return True + else: + return False + # This method can be overrided when a different nodeconnection is required! def create_new_connection(self, connection, id, host, port): """When a new connection is made, with a node or a node is connecting with us, this method is used @@ -215,7 +230,11 @@ def run(self): try: self.debug_print("Node: Wait for incoming connection") connection, client_address = self.sock.accept() - + + if self.check_max_connections(): + connection.close() + continue + # Basic information exchange (not secure) of the id's of the nodes! connected_node_id = connection.recv(4096).decode('utf-8') # When a node is connected, it sends it id! connection.send(self.id.encode('utf-8')) # Send my id to the connected node! From d4afd3e8e2e315c86da4d86f5ee42da3854f9603 Mon Sep 17 00:00:00 2001 From: Samuel Haidu Date: Sun, 16 May 2021 20:46:10 -0300 Subject: [PATCH 03/13] Remove TODO from node.py --- p2pnetwork/node.py | 1 - 1 file changed, 1 deletion(-) diff --git a/p2pnetwork/node.py b/p2pnetwork/node.py index 4ef7b2f..292ccb8 100644 --- a/p2pnetwork/node.py +++ b/p2pnetwork/node.py @@ -14,7 +14,6 @@ Python package p2pnet for implementing decentralized peer-to-peer network applications -TODO: Variabele to limit the number of connected nodes. TODO: Also create events when things go wrong, like a connection with a node has failed. """ From 36edf3627115d5fa4c644c2eb481417083213c0f Mon Sep 17 00:00:00 2001 From: macsnoeren Date: Wed, 16 Jun 2021 02:10:05 +0200 Subject: [PATCH 04/13] Added changes from SamuelHaidu and integrated it into the source. Added a test for this part of the software. --- p2pnetwork/node.py | 45 ++++++++++++---------------- p2pnetwork/tests/test_node.py | 55 +++++++++++++++++++++++++++++++++++ setup.py | 2 +- 3 files changed, 75 insertions(+), 27 deletions(-) diff --git a/p2pnetwork/node.py b/p2pnetwork/node.py index 292ccb8..9a08dd4 100644 --- a/p2pnetwork/node.py +++ b/p2pnetwork/node.py @@ -37,7 +37,8 @@ def __init__(self, host, port, callback=None, max_connections=0): provide a callback method. It is preferred to implement a new node by extending this Node class. host: The host name or ip address that is used to bind the TCP/IP server to. port: The port number that is used to bind the TCP/IP server to. - callback: (optional) The callback that is invokes when events happen inside the network.""" + callback: (optional) The callback that is invokes when events happen inside the network. + max_connections: (optional) limiting the maximum nodes that are able to connect to this node.""" super(Node, self).__init__() # When this flag is set, the node will stop and close @@ -51,7 +52,7 @@ def __init__(self, host, port, callback=None, max_connections=0): self.callback = callback # Nodes that have established a connection with this node - self.nodes_inbound = [] # Nodes that are connect with us N->(US)->N + self.nodes_inbound = [] # Nodes that are connect with us N->(US) # Nodes that this nodes is connected to self.nodes_outbound = [] # Nodes that we are connected to (US)->N @@ -72,7 +73,7 @@ def __init__(self, host, port, callback=None, max_connections=0): self.message_count_recv = 0 self.message_count_rerr = 0 - # Connection limit + # Connection limit of inbound nodes (nodes that connect to us) self.max_connections = max_connections # Debugging on or off! @@ -155,9 +156,6 @@ def connect_with_node(self, host, port): When the connection is made the method outbound_node_connected is invoked. TODO: think wheter we need an error event to trigger when the connection has failed!""" - if self.check_max_connections(): - return False - if host == self.host and port == self.port: print("connect_with_node: Cannot connect with yourself!!") return False @@ -204,14 +202,6 @@ def stop(self): self.node_request_to_stop() self.terminate_flag.set() - def check_max_connections(self) -> bool: - self.print_connections() - if len(self.all_nodes) >= self.max_connections & self.max_connections != 0: - self.debug_print("You have reached the maximum connection limit!") - return True - else: - return False - # This method can be overrided when a different nodeconnection is required! def create_new_connection(self, connection, id, host, port): """When a new connection is made, with a node or a node is connecting with us, this method is used @@ -230,21 +220,24 @@ def run(self): self.debug_print("Node: Wait for incoming connection") connection, client_address = self.sock.accept() - if self.check_max_connections(): - connection.close() - continue - - # Basic information exchange (not secure) of the id's of the nodes! - connected_node_id = connection.recv(4096).decode('utf-8') # When a node is connected, it sends it id! - connection.send(self.id.encode('utf-8')) # Send my id to the connected node! + self.debug_print("Total inbound connections:" + str(len(self.nodes_inbound))) + # When the maximum connections are reached, it disconnects the connection + if self.max_connections == 0 or len(self.nodes_inbound) < self.max_connections: + + # Basic information exchange (not secure) of the id's of the nodes! + connected_node_id = connection.recv(4096).decode('utf-8') # When a node is connected, it sends it id! + connection.send(self.id.encode('utf-8')) # Send my id to the connected node! - thread_client = self.create_new_connection(connection, connected_node_id, client_address[0], client_address[1]) - thread_client.start() + thread_client = self.create_new_connection(connection, connected_node_id, client_address[0], client_address[1]) + thread_client.start() - self.nodes_inbound.append(thread_client) + self.nodes_inbound.append(thread_client) + self.inbound_node_connected(thread_client) - self.inbound_node_connected(thread_client) - + else: + self.debug_print("New connection is closed. You have reached the maximum connection limit!") + connection.close() + except socket.timeout: self.debug_print('Node: Connection timeout!') diff --git a/p2pnetwork/tests/test_node.py b/p2pnetwork/tests/test_node.py index afd16b1..27429d2 100644 --- a/p2pnetwork/tests/test_node.py +++ b/p2pnetwork/tests/test_node.py @@ -373,5 +373,60 @@ def node_request_to_stop(self): self.assertEqual(message[12], "node is requested to stop!", "MyTestNode should have seen this event!") self.assertEqual(message[13], "node is requested to stop!", "MyTestNode should have seen this event!") + def test_node_max_connections(self): + """Testing the maximum connections of the node.""" + + global message + message = [] + + # Using the callback we are able to see the events and messages of the Node + def node_callback(event, main_node, connected_node, data): + global message + message.append(event + ":" + main_node.id) + + node_0 = Node('127.0.0.1', 10000, node_callback, 1) # max connection of 1 + node_1 = Node('127.0.0.1', 10001, node_callback, 2) # max connection of 2 + node_2 = Node('127.0.0.1', 10002, node_callback) + + node_0.start() + node_1.start() + node_2.start() + time.sleep(1) + + # Test the connections + node_1.connect_with_node('127.0.0.1', 10000) # This works! + time.sleep(2) + + node_2.connect_with_node('127.0.0.1', 10000) # This should be rejected + time.sleep(2) + + node_0.connect_with_node('127.0.0.1', 10001) # This works! + time.sleep(2) + + node_2.connect_with_node('127.0.0.1', 10001) # This works! + time.sleep(2) + + # Send messages + node_0.send_to_nodes('hello from node 0') + time.sleep(2) + + node_1.send_to_nodes('hello from node 1') + time.sleep(2) + + node_2.send_to_nodes('hello from node 2') + time.sleep(2) + + node_0.stop() + node_1.stop() + node_2.stop() + node_0.join() + node_1.join() + node_2.join() + + # Perform the asserts! + self.assertEqual(len(node_0.nodes_inbound), 1, "More inbound connections have been accepted bij node_0!") + self.assertEqual(len(node_1.nodes_inbound), 2, "Node 1 should have two connections from node_0 and node_2!") + self.assertEqual(len(node_2.nodes_outbound), 1, "Node 2 should have one outbound connection with node_1!") + if __name__ == '__main__': unittest.main() diff --git a/setup.py b/setup.py index c4e2cee..3e9a3be 100644 --- a/setup.py +++ b/setup.py @@ -5,7 +5,7 @@ setuptools.setup( name="p2pnetwork", - version="0.0.3", + version="1.1.0", author="Maurice Snoeren", author_email="macsnoeren@gmail.com", description="Python decentralized peer-to-peer network application framework.", From ec7b9a3c504c09269b5a841ffb8eb9d6900ae4f1 Mon Sep 17 00:00:00 2001 From: macsnoeren Date: Wed, 16 Jun 2021 02:40:06 +0200 Subject: [PATCH 05/13] Added the changed from rdash99 --- p2pnetwork/node.py | 15 ++++++--- p2pnetwork/tests/test_node.py | 61 +++++++++++++++++++++++++---------- 2 files changed, 54 insertions(+), 22 deletions(-) diff --git a/p2pnetwork/node.py b/p2pnetwork/node.py index 9a08dd4..e70986d 100644 --- a/p2pnetwork/node.py +++ b/p2pnetwork/node.py @@ -32,11 +32,12 @@ def node_callback(event, main_node, connected_node, data): connected_node: Which connected node caused the event. data: The data that is send by the connected node.""" - def __init__(self, host, port, callback=None, max_connections=0): + def __init__(self, host, port, id=None, callback=None, max_connections=0): """Create instance of a Node. If you want to implement the Node functionality with a callback, you should provide a callback method. It is preferred to implement a new node by extending this Node class. host: The host name or ip address that is used to bind the TCP/IP server to. port: The port number that is used to bind the TCP/IP server to. + id: (optional) This id will be assiocated with the node. When not given a unique ID will be created. callback: (optional) The callback that is invokes when events happen inside the network. max_connections: (optional) limiting the maximum nodes that are able to connect to this node.""" super(Node, self).__init__() @@ -59,10 +60,14 @@ def __init__(self, host, port, callback=None, max_connections=0): # Create a unique ID for each node. # TODO: A fixed unique ID is required for each node, node some random is created, need to think of it. - id = hashlib.sha512() - t = self.host + str(self.port) + str(random.randint(1, 99999999)) - id.update(t.encode('ascii')) - self.id = id.hexdigest() + if id == None: + id = hashlib.sha512() + t = self.host + str(self.port) + str(random.randint(1, 99999999)) + id.update(t.encode('ascii')) + self.id = id.hexdigest() + + else: + self.id = id # Start the TCP/IP server self.sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM) diff --git a/p2pnetwork/tests/test_node.py b/p2pnetwork/tests/test_node.py index 27429d2..c71b843 100644 --- a/p2pnetwork/tests/test_node.py +++ b/p2pnetwork/tests/test_node.py @@ -17,8 +17,8 @@ class TestNode(unittest.TestCase): def test_node_connection(self): """Testing whether two Node instances are able to connect with each other.""" - node1 = Node("localhost", 10001) - node2 = Node("localhost", 10002) + node1 = Node(host="localhost", port=10001) + node2 = Node(host="localhost", port=10002) node1.start() node2.start() @@ -76,8 +76,8 @@ def node_callback(event, main_node, connected_node, data): except Exception as e: message = "exception: " + str(e) - node1 = Node("localhost", 10001, node_callback) - node2 = Node("localhost", 10002, node_callback) + node1 = Node(host="localhost", port=10001, callback=node_callback) + node2 = Node(host="localhost", port=10002, callback=node_callback) node1.start() node2.start() @@ -120,9 +120,9 @@ def node_callback(event, main_node, connected_node, data): except Exception as e: message.append("exception: " + str(e)) - node_0 = Node('127.0.0.1', 10000, node_callback) - node_1 = Node('127.0.0.1', 10001, node_callback) - node_2 = Node('127.0.0.1', 10002, node_callback) + node_0 = Node(host='127.0.0.1', port=10000, callback=node_callback) + node_1 = Node(host='127.0.0.1', port=10001, callback=node_callback) + node_2 = Node(host='127.0.0.1', port=10002, callback=node_callback) node_0.start() node_1.start() @@ -206,10 +206,10 @@ def node_callback(event, main_node, connected_node, data): global message message.append(event + ":" + main_node.id) - node_0 = Node('127.0.0.1', 10000, node_callback) - node_1 = Node('127.0.0.1', 10001, node_callback) - node_2 = Node('127.0.0.1', 10002, node_callback) - + node_0 = Node(host='127.0.0.1', port=10000, callback=node_callback) + node_1 = Node(host='127.0.0.1', port=10001, callback=node_callback) + node_2 = Node(host='127.0.0.1', port=10002, callback=node_callback) + node_0.start() node_1.start() node_2.start() @@ -312,9 +312,9 @@ def node_request_to_stop(self): global message message.append("node is requested to stop!") - node1 = MyTestNode("127.0.0.1", 10001) - node2 = MyTestNode("127.0.0.1", 10002) - node3 = MyTestNode("127.0.0.1", 10003) + node1 = MyTestNode(host="127.0.0.1", port=10001) + node2 = MyTestNode(host="127.0.0.1", port=10002) + node3 = MyTestNode(host="127.0.0.1", port=10003) node1.start() node2.start() @@ -384,9 +384,9 @@ def node_callback(event, main_node, connected_node, data): global message message.append(event + ":" + main_node.id) - node_0 = Node('127.0.0.1', 10000, node_callback, 1) # max connection of 1 - node_1 = Node('127.0.0.1', 10001, node_callback, 2) # max connection of 2 - node_2 = Node('127.0.0.1', 10002, node_callback) + node_0 = Node(host='127.0.0.1', port=10000, callback=node_callback, max_connections=1) # max connection of 1 + node_1 = Node(host='127.0.0.1', port=10001, callback=node_callback, max_connections=2) # max connection of 2 + node_2 = Node(host='127.0.0.1', port=10002, callback=node_callback) node_0.start() node_1.start() @@ -428,5 +428,32 @@ def node_callback(event, main_node, connected_node, data): self.assertEqual(len(node_1.nodes_inbound), 2, "Node 1 should have two connections from node_0 and node_2!") self.assertEqual(len(node_2.nodes_outbound), 1, "Node 2 should have one outbound connection with node_1!") + def test_node_id(self): + """Testing the ID settings of the node.""" + + global message + message = [] + + # Using the callback we are able to see the events and messages of the Node + def node_callback(event, main_node, connected_node, data): + global message + message.append(event + ":" + main_node.id) + + node_0 = Node(host='127.0.0.1', port=10000, id="thisisanidtest", callback=node_callback) + node_1 = Node(host='127.0.0.1', port=10000, callback=node_callback) + + node_0.start() + node_1.start() + time.sleep(1) + + node_0.stop() + node_1.stop() + node_0.join() + node_1.join() + + # Perform the asserts! + self.assertEqual(node_0.id, "thisisanidtest", "Node 0 shoud have id \"thisisanidtest\"") + self.assertNotEqual(node_1.id, "thisisanidtest", "Node 1 should have a different id") + if __name__ == '__main__': unittest.main() From f9e2f9cef0557d5b2f423b44151ee68b6ea860e5 Mon Sep 17 00:00:00 2001 From: macsnoeren Date: Wed, 16 Jun 2021 02:42:19 +0200 Subject: [PATCH 06/13] Removed some unnecessary files. --- ...OwnPeer2PeerNode_local_hostname_example.py | 40 --- ...my_own_p2p_application hostname example.py | 55 ---- examples/node.py | 303 ------------------ 3 files changed, 398 deletions(-) delete mode 100644 examples/MyOwnPeer2PeerNode_local_hostname_example.py delete mode 100644 examples/my_own_p2p_application hostname example.py delete mode 100644 examples/node.py diff --git a/examples/MyOwnPeer2PeerNode_local_hostname_example.py b/examples/MyOwnPeer2PeerNode_local_hostname_example.py deleted file mode 100644 index 2567a56..0000000 --- a/examples/MyOwnPeer2PeerNode_local_hostname_example.py +++ /dev/null @@ -1,40 +0,0 @@ -####################################################################################################################### -# Author: Maurice Snoeren # -# Version: 0.1 beta (use at your own risk) # -# # -# MyOwnPeer2PeerNode is an example how to use the p2pnet.Node to implement your own peer-to-peer network node. # -####################################################################################################################### -from node import Node - -class MyOwnPeer2PeerNode (Node): - - # Python class constructor - # id is added as a fourth argument in the constructor - otherwise the rest is identical. - def __init__(self, host, port, id): - super(MyOwnPeer2PeerNode, self).__init__(host, port, id, None) - print("MyPeer2PeerNode: Started") - - # all the methods below are called when things happen in the network. - # implement your network node behavior to create the required functionality. - - def outbound_node_connected(self, node): - print("outbound_node_connected: " + node.id) - - def inbound_node_connected(self, node): - print("inbound_node_connected: " + node.id) - - def inbound_node_disconnected(self, node): - print("inbound_node_disconnected: " + node.id) - - def outbound_node_disconnected(self, node): - print("outbound_node_disconnected: " + node.id) - - def node_message(self, node, data): - print("node_message from " + node.id + ": " + str(data)) - - def node_disconnect_with_outbound_node(self, node): - print("node wants to disconnect with oher outbound node: " + node.id) - - def node_request_to_stop(self): - print("node is requested to stop!") - diff --git a/examples/my_own_p2p_application hostname example.py b/examples/my_own_p2p_application hostname example.py deleted file mode 100644 index 7f56509..0000000 --- a/examples/my_own_p2p_application hostname example.py +++ /dev/null @@ -1,55 +0,0 @@ -####################################################################################################################### -# Author: Maurice Snoeren # -# Version: 0.1 beta (use at your own risk) # -# # -# This example show how to derive a own Node class (MyOwnPeer2PeerNode) from p2pnet.Node to implement your own Node # -# implementation. See the MyOwnPeer2PeerNode.py for all the details. In that class all your own application specific # -# details are coded. # -####################################################################################################################### - -import sys -import time -sys.path.insert(0, '..') # Import the files where the modules are located - -from MyOwnPeer2PeerNode_local_hostname_example import MyOwnPeer2PeerNode - -import socket - -# test the connection to google's dns server: -s = socket.socket(socket.AF_INET, socket.SOCK_DGRAM) -s.connect(("8.8.8.8", 80)) - -# get the local IP address from the networked adapter: -ip = s.getsockname()[0] - -# get the local computer hostname: -id = socket.gethostname() -s.close() - -# id is added as a third argument and ip can be used to replace the first argument: -node_1 = MyOwnPeer2PeerNode("127.0.0.1", 8001, id) -node_2 = MyOwnPeer2PeerNode("127.0.0.1", 8002, id) -node_3 = MyOwnPeer2PeerNode("127.0.0.1", 8003, id) - -time.sleep(1) - -node_1.start() -node_2.start() -node_3.start() - -time.sleep(1) - -node_1.connect_with_node('127.0.0.1', 8002) -node_2.connect_with_node('127.0.0.1', 8003) -node_3.connect_with_node('127.0.0.1', 8002) - -time.sleep(2) - -node_1.send_to_nodes("message: Hi there!") - -time.sleep(5) - -node_1.stop() -node_2.stop() -node_3.stop() -print('end test') diff --git a/examples/node.py b/examples/node.py deleted file mode 100644 index 0790da7..0000000 --- a/examples/node.py +++ /dev/null @@ -1,303 +0,0 @@ -import socket -import sys -import time -import threading -import random -import hashlib - -from p2pnetwork.nodeconnection import NodeConnection - -""" -Author: Maurice Snoeren -Version: 0.3 beta (use at your own risk) -Date: 7-5-2020 - -Python package p2pnet for implementing decentralized peer-to-peer network applications - -TODO: Variabele to limit the number of connected nodes. -TODO: Also create events when things go wrong, like a connection with a node has failed. -""" - -class Node(threading.Thread): - """Implements a node that is able to connect to other nodes and is able to accept connections from other nodes. - After instantiation, the node creates a TCP/IP server with the given port. - - Create instance of a Node. If you want to implement the Node functionality with a callback, you should - provide a callback method. It is preferred to implement a new node by extending this Node class. - host: The host name or ip address that is used to bind the TCP/IP server to. - port: The port number that is used to bind the TCP/IP server to. - callback: (optional) The callback that is invokes when events happen inside the network - def node_callback(event, main_node, connected_node, data): - event: The event string that has happened. - main_node: The main node that is running all the connections with the other nodes. - connected_node: Which connected node caused the event. - data: The data that is send by the connected node.""" - - def __init__(self, host, port, id, callback=None): - """Create instance of a Node. If you want to implement the Node functionality with a callback, you should - provide a callback method. It is preferred to implement a new node by extending this Node class. - host: The host name or ip address that is used to bind the TCP/IP server to. - port: The port number that is used to bind the TCP/IP server to. - callback: (optional) The callback that is invokes when events happen inside the network.""" - super(Node, self).__init__() - - # When this flag is set, the node will stop and close - self.terminate_flag = threading.Event() - - # Server details, host (or ip) to bind to and the port - self.host = host - self.port = port - - # Events are send back to the given callback - self.callback = callback - - # Nodes that have established a connection with this node - self.nodes_inbound = [] # Nodes that are connect with us N->(US)->N - - # Nodes that this nodes is connected to - self.nodes_outbound = [] # Nodes that we are connected to (US)->N - - # Assign a string to the node as it's ID. - self.id = id - - # Start the TCP/IP server - self.sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM) - self.init_server() - - # Message counters to make sure everyone is able to track the total messages - self.message_count_send = 0 - self.message_count_recv = 0 - self.message_count_rerr = 0 - - # Debugging on or off! - self.debug = False - - @property - def all_nodes(self): - """Return a list of all the nodes, inbound and outbound, that are connected with this node.""" - return self.nodes_inbound + self.nodes_outbound - - def debug_print(self, message): - """When the debug flag is set to True, all debug messages are printed in the console.""" - if self.debug: - print("DEBUG: " + message) - - def init_server(self): - """Initialization of the TCP/IP server to receive connections. It binds to the given host and port.""" - print("Initialisation of the Node on port: " + str(self.port) + " on node (" + self.id + ")") - self.sock.setsockopt(socket.SOL_SOCKET, socket.SO_REUSEADDR, 1) - self.sock.bind((self.host, self.port)) - self.sock.settimeout(10.0) - self.sock.listen(1) - - def print_connections(self): - """Prints the connection overview of the node. How many inbound and outbound connections have been made.""" - print("Node connection overview:") - print("- Total nodes connected with us: %d" % len(self.nodes_inbound)) - print("- Total nodes connected to : %d" % len(self.nodes_outbound)) - - def delete_closed_connections(self): - """Misleading function name, while this function checks whether the connected nodes have been terminated - by the other host. If so, clean the array list of the nodes. When a connection is closed, an event is - send node_message or outbound_node_disconnected.""" - for n in self.nodes_inbound: - if n.terminate_flag.is_set(): - self.inbound_node_disconnected(n) - n.join() - del self.nodes_inbound[self.nodes_inbound.index(n)] - - for n in self.nodes_outbound: - if n.terminate_flag.is_set(): - self.outbound_node_disconnected(n) - n.join() - del self.nodes_outbound[self.nodes_inbound.index(n)] - - def send_to_nodes(self, data, exclude=[]): - """ Send a message to all the nodes that are connected with this node. data is a python variable which is - converted to JSON that is send over to the other node. exclude list gives all the nodes to which this - data should not be sent.""" - self.message_count_send = self.message_count_send + 1 - for n in self.nodes_inbound: - if n in exclude: - self.debug_print("Node send_to_nodes: Excluding node in sending the message") - else: - self.send_to_node(n, data) - - for n in self.nodes_outbound: - if n in exclude: - self.debug_print("Node send_to_nodes: Excluding node in sending the message") - else: - self.send_to_node(n, data) - - def send_to_node(self, n, data): - """ Send the data to the node n if it exists.""" - self.message_count_send = self.message_count_send + 1 - self.delete_closed_connections() - if n in self.nodes_inbound or n in self.nodes_outbound: - try: - n.send(data) - - except Exception as e: - self.debug_print("Node send_to_node: Error while sending data to the node (" + str(e) + ")") - else: - self.debug_print("Node send_to_node: Could not send the data, node is not found!") - - def connect_with_node(self, host, port): - """ Make a connection with another node that is running on host with port. When the connection is made, - an event is triggered outbound_node_connected. When the connection is made with the node, it exchanges - the id's of the node. First we send our id and then we receive the id of the node we are connected to. - When the connection is made the method outbound_node_connected is invoked. - TODO: think wheter we need an error event to trigger when the connection has failed!""" - if host == self.host and port == self.port: - print("connect_with_node: Cannot connect with yourself!!") - return False - - # Check if node is already connected with this node! - for node in self.nodes_outbound: - if node.host == host and node.port == port: - print("connect_with_node: Already connected with this node.") - return True - - try: - sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM) - self.debug_print("connecting to %s port %s" % (host, port)) - sock.connect((host, port)) - - # Basic information exchange (not secure) of the id's of the nodes! - sock.send(self.id.encode('utf-8')) # Send my id to the connected node! - connected_node_id = sock.recv(4096).decode('utf-8') # When a node is connected, it sends it id! - - thread_client = self.create_new_connection(sock, connected_node_id, host, port) - thread_client.start() - - self.nodes_outbound.append(thread_client) - self.outbound_node_connected(thread_client) - - except Exception as e: - self.debug_print("TcpServer.connect_with_node: Could not connect with node. (" + str(e) + ")") - - def disconnect_with_node(self, node): - """Disconnect the TCP/IP connection with the specified node. It stops the node and joins the thread. - The node will be deleted from the nodes_outbound list. Before closing, the method - node_disconnect_with_outbound_node is invoked.""" - if node in self.nodes_outbound: - self.node_disconnect_with_outbound_node(node) - node.stop() - node.join() # When this is here, the application is waiting and waiting - del self.nodes_outbound[self.nodes_outbound.index(node)] - - else: - print("Node disconnect_with_node: cannot disconnect with a node with which we are not connected.") - - def stop(self): - """Stop this node and terminate all the connected nodes.""" - self.node_request_to_stop() - self.terminate_flag.set() - - # This method can be overrided when a different nodeconnection is required! - def create_new_connection(self, connection, id, host, port): - """When a new connection is made, with a node or a node is connecting with us, this method is used - to create the actual new connection. The reason for this method is to be able to override the - connection class if required. In this case a NodeConnection will be instantiated to represent - the node connection.""" - return NodeConnection(self, connection, id, host, port) - - def run(self): - """The main loop of the thread that deals with connections from other nodes on the network. When a - node is connected it will exchange the node id's. First we receive the id of the connected node - and secondly we will send our node id to the connected node. When connected the method - inbound_node_connected is invoked.""" - while not self.terminate_flag.is_set(): # Check whether the thread needs to be closed - try: - self.debug_print("Node: Wait for incoming connection") - connection, client_address = self.sock.accept() - - # Basic information exchange (not secure) of the id's of the nodes! - connected_node_id = connection.recv(4096).decode('utf-8') # When a node is connected, it sends it id! - connection.send(self.id.encode('utf-8')) # Send my id to the connected node! - - thread_client = self.create_new_connection(connection, connected_node_id, client_address[0], client_address[1]) - thread_client.start() - - self.nodes_inbound.append(thread_client) - - self.inbound_node_connected(thread_client) - - except socket.timeout: - self.debug_print('Node: Connection timeout!') - - except Exception as e: - raise e - - time.sleep(0.01) - - print("Node stopping...") - for t in self.nodes_inbound: - t.stop() - - for t in self.nodes_outbound: - t.stop() - - time.sleep(1) - - for t in self.nodes_inbound: - t.join() - - for t in self.nodes_outbound: - t.join() - - self.sock.settimeout(None) - self.sock.close() - print("Node stopped") - - def outbound_node_connected(self, node): - """This method is invoked when a connection with a outbound node was successfull. The node made - the connection itself.""" - self.debug_print("outbound_node_connected: " + node.id) - if self.callback is not None: - self.callback("outbound_node_connected", self, node, {}) - - def inbound_node_connected(self, node): - """This method is invoked when a node successfully connected with us.""" - self.debug_print("inbound_node_connected: " + node.id) - if self.callback is not None: - self.callback("inbound_node_connected", self, node, {}) - - def inbound_node_disconnected(self, node): - """This method is invoked when a node, that was previously connected with us, is in a disconnected - state.""" - self.debug_print("inbound_node_disconnected: " + node.id) - if self.callback is not None: - self.callback("inbound_node_disconnected", self, node, {}) - - def outbound_node_disconnected(self, node): - """This method is invoked when a node, that we have connected to, is in a disconnected state.""" - self.debug_print("outbound_node_disconnected: " + node.id) - if self.callback is not None: - self.callback("outbound_node_disconnected", self, node, {}) - - def node_message(self, node, data): - """This method is invoked when a node send us a message.""" - self.debug_print("node_message: " + node.id + ": " + str(data)) - if self.callback is not None: - self.callback("node_message", self, node, data) - - def node_disconnect_with_outbound_node(self, node): - """This method is invoked just before the connection is closed with the outbound node. From the node - this request is created.""" - self.debug_print("node wants to disconnect with oher outbound node: " + node.id) - if self.callback is not None: - self.callback("node_disconnect_with_outbound_node", self, node, {}) - - def node_request_to_stop(self): - """This method is invoked just before we will stop. A request has been given to stop the node and close - all the node connections. It could be used to say goodbey to everyone.""" - self.debug_print("node is requested to stop!") - if self.callback is not None: - self.callback("node_request_to_stop", self, {}, {}) - - def __str__(self): - return 'Node: {}:{}'.format(self.host, self.port) - - def __repr__(self): - return ''.format(self.host, self.port, self.id) From 4ded671922778f884fdd45bc98612d80a0af85f0 Mon Sep 17 00:00:00 2001 From: macsnoeren Date: Wed, 16 Jun 2021 08:31:03 +0200 Subject: [PATCH 07/13] Added a test for the ID functionality and changed some debug text --- p2pnetwork/node.py | 2 +- p2pnetwork/tests/test_node.py | 5 +++-- 2 files changed, 4 insertions(+), 3 deletions(-) diff --git a/p2pnetwork/node.py b/p2pnetwork/node.py index e70986d..5048122 100644 --- a/p2pnetwork/node.py +++ b/p2pnetwork/node.py @@ -168,7 +168,7 @@ def connect_with_node(self, host, port): # Check if node is already connected with this node! for node in self.nodes_outbound: if node.host == host and node.port == port: - print("connect_with_node: Already connected with this node.") + print("connect_with_node: This node is already connected with us.") return True try: diff --git a/p2pnetwork/tests/test_node.py b/p2pnetwork/tests/test_node.py index c71b843..79eb44f 100644 --- a/p2pnetwork/tests/test_node.py +++ b/p2pnetwork/tests/test_node.py @@ -440,7 +440,7 @@ def node_callback(event, main_node, connected_node, data): message.append(event + ":" + main_node.id) node_0 = Node(host='127.0.0.1', port=10000, id="thisisanidtest", callback=node_callback) - node_1 = Node(host='127.0.0.1', port=10000, callback=node_callback) + node_1 = Node(host='127.0.0.1', port=10001, callback=node_callback) node_0.start() node_1.start() @@ -453,7 +453,8 @@ def node_callback(event, main_node, connected_node, data): # Perform the asserts! self.assertEqual(node_0.id, "thisisanidtest", "Node 0 shoud have id \"thisisanidtest\"") - self.assertNotEqual(node_1.id, "thisisanidtest", "Node 1 should have a different id") + self.assertNotEqual(node_1.id, "thisisanidtest", "Node 1 should have a different id than node 0") + self.assertNotEqual(node_1.id, None, "The ID pf node 1 should not be equal to None") if __name__ == '__main__': unittest.main() From bfac5aece8b2188540c6834794ca7a6ea3da3e08 Mon Sep 17 00:00:00 2001 From: macsnoeren Date: Mon, 28 Jun 2021 21:08:57 +0200 Subject: [PATCH 08/13] Fixed bug #19. The node detects connection problems and closed the node connections properly. Also the events/callbacks are correctly called. Fixed also that the node cannot connect to a node that is already connected with the node. --- p2pnetwork/node.py | 55 +++++++++++++++++------------------ p2pnetwork/nodeconnection.py | 30 ++++++++++++------- p2pnetwork/tests/test_node.py | 1 + 3 files changed, 47 insertions(+), 39 deletions(-) diff --git a/p2pnetwork/node.py b/p2pnetwork/node.py index 5048122..44ea388 100644 --- a/p2pnetwork/node.py +++ b/p2pnetwork/node.py @@ -67,7 +67,7 @@ def __init__(self, host, port, id=None, callback=None, max_connections=0): self.id = id.hexdigest() else: - self.id = id + self.id = str(id) # Make sure the ID is a string! # Start the TCP/IP server self.sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM) @@ -92,7 +92,7 @@ def all_nodes(self): def debug_print(self, message): """When the debug flag is set to True, all debug messages are printed in the console.""" if self.debug: - print("DEBUG: " + message) + print("DEBUG (" + self.id + "): " + message) def init_server(self): """Initialization of the TCP/IP server to receive connections. It binds to the given host and port.""" @@ -108,22 +108,6 @@ def print_connections(self): print("- Total nodes connected with us: %d" % len(self.nodes_inbound)) print("- Total nodes connected to : %d" % len(self.nodes_outbound)) - def delete_closed_connections(self): - """Misleading function name, while this function checks whether the connected nodes have been terminated - by the other host. If so, clean the array list of the nodes. When a connection is closed, an event is - send node_message or outbound_node_disconnected.""" - for n in self.nodes_inbound: - if n.terminate_flag.is_set(): - self.inbound_node_disconnected(n) - n.join() - del self.nodes_inbound[self.nodes_inbound.index(n)] - - for n in self.nodes_outbound: - if n.terminate_flag.is_set(): - self.outbound_node_disconnected(n) - n.join() - del self.nodes_outbound[self.nodes_inbound.index(n)] - def send_to_nodes(self, data, exclude=[]): """ Send a message to all the nodes that are connected with this node. data is a python variable which is converted to JSON that is send over to the other node. exclude list gives all the nodes to which this @@ -144,13 +128,9 @@ def send_to_nodes(self, data, exclude=[]): def send_to_node(self, n, data): """ Send the data to the node n if it exists.""" self.message_count_send = self.message_count_send + 1 - self.delete_closed_connections() if n in self.nodes_inbound or n in self.nodes_outbound: - try: - n.send(data) + n.send(data) - except Exception as e: - self.debug_print("Node send_to_node: Error while sending data to the node (" + str(e) + ")") else: self.debug_print("Node send_to_node: Could not send the data, node is not found!") @@ -159,7 +139,8 @@ def connect_with_node(self, host, port): an event is triggered outbound_node_connected. When the connection is made with the node, it exchanges the id's of the node. First we send our id and then we receive the id of the node we are connected to. When the connection is made the method outbound_node_connected is invoked. - TODO: think wheter we need an error event to trigger when the connection has failed!""" + TODO: think whether we need an error event to trigger when the connection has failed! + TODO: Deal with timeout on the socket, making sure we do not hang!""" if host == self.host and port == self.port: print("connect_with_node: Cannot connect with yourself!!") @@ -168,7 +149,7 @@ def connect_with_node(self, host, port): # Check if node is already connected with this node! for node in self.nodes_outbound: if node.host == host and node.port == port: - print("connect_with_node: This node is already connected with us.") + print("connect_with_node: Already connected with this node.") return True try: @@ -180,6 +161,12 @@ def connect_with_node(self, host, port): sock.send(self.id.encode('utf-8')) # Send my id to the connected node! connected_node_id = sock.recv(4096).decode('utf-8') # When a node is connected, it sends it id! + # Fix bug: Cannot connect with nodes that are already connected with us! + for node in self.nodes_inbound: + if node.host == host and node.id == connected_node_id: + print("connect_with_node: This node is already connected with us.") + return True + thread_client = self.create_new_connection(sock, connected_node_id, host, port) thread_client.start() @@ -196,11 +183,9 @@ def disconnect_with_node(self, node): if node in self.nodes_outbound: self.node_disconnect_with_outbound_node(node) node.stop() - node.join() # When this is here, the application is waiting and waiting - del self.nodes_outbound[self.nodes_outbound.index(node)] else: - print("Node disconnect_with_node: cannot disconnect with a node with which we are not connected.") + self.debug_print("Node disconnect_with_node: cannot disconnect with a node with which we are not connected.") def stop(self): """Stop this node and terminate all the connected nodes.""" @@ -283,6 +268,20 @@ def inbound_node_connected(self, node): if self.callback is not None: self.callback("inbound_node_connected", self, node, {}) + def node_disconnected(self, node): + """While the same nodeconnection class is used, the class itself is not able to + determine if it is a inbound or outbound connection. This function is making + sure the correct method is used.""" + self.debug_print("node_disconnected: " + node.id) + + if node in self.nodes_inbound: + del self.nodes_inbound[self.nodes_inbound.index(node)] + self.inbound_node_disconnected(node) + + if node in self.nodes_outbound: + del self.nodes_outbound[self.nodes_outbound.index(node)] + self.outbound_node_disconnected(node) + def inbound_node_disconnected(self, node): """This method is invoked when a node, that was previously connected with us, is in a disconnected state.""" diff --git a/p2pnetwork/nodeconnection.py b/p2pnetwork/nodeconnection.py index 039f020..75a0f65 100644 --- a/p2pnetwork/nodeconnection.py +++ b/p2pnetwork/nodeconnection.py @@ -45,7 +45,7 @@ def __init__(self, main_node, sock, id, host, port): self.terminate_flag = threading.Event() # The id of the connected node - self.id = id + self.id = str(id) # Make sure the ID is a string # End of transmission character for the network streaming messages. self.EOT_CHAR = 0x04.to_bytes(1, 'big') @@ -53,28 +53,37 @@ def __init__(self, main_node, sock, id, host, port): # Datastore to store additional information concerning the node. self.info = {} + # Use socket timeout to determine problems with the connection + self.sock.settimeout(10.0) + self.main_node.debug_print("NodeConnection.send: Started with client (" + self.id + ") '" + self.host + ":" + str(self.port) + "'") def send(self, data, encoding_type='utf-8'): """Send the data to the connected node. The data can be pure text (str), dict object (send as json) and bytes object. When sending bytes object, it will be using standard socket communication. A end of transmission character 0x04 - utf-8/ascii will be used to decode the packets ate the other node.""" + utf-8/ascii will be used to decode the packets ate the other node. When the socket is corrupted the node connection + is closed.""" if isinstance(data, str): - self.sock.sendall( data.encode(encoding_type) + self.EOT_CHAR ) + try: + self.sock.sendall( data.encode(encoding_type) + self.EOT_CHAR ) + + except Exception as e: # Fixed issue #19: When sending is corrupted, close the connection + self.main_node.debug_print("nodeconnection send: Error sending data to node: " + str(e)) + self.stop() # Stopping node due to failure elif isinstance(data, dict): try: json_data = json.dumps(data) json_data = json_data.encode(encoding_type) + self.EOT_CHAR self.sock.sendall(json_data) - + except TypeError as type_error: self.main_node.debug_print('This dict is invalid') self.main_node.debug_print(type_error) - except Exception as e: - print('Unexpected Error in send message') - print(e) + except Exception as e: # Fixed issue #19: When sending is corrupted, close the connection + self.main_node.debug_print("nodeconnection send: Error sending data to node: " + str(e)) + self.stop() # Stopping node due to failure elif isinstance(data, bytes): bin_data = data + self.EOT_CHAR @@ -112,8 +121,7 @@ def parse_packet(self, packet): def run(self): """The main loop of the thread to handle the connection with the node. Within the main loop the thread waits to receive data from the node. If data is received - the method node_message will be invoked of the main node to be processed.""" - self.sock.settimeout(10.0) + the method node_message will be invoked of the main node to be processed.""" buffer = b'' # Hold the stream that comes in! while not self.terminate_flag.is_set(): @@ -126,7 +134,7 @@ def run(self): self.main_node.debug_print("NodeConnection: timeout") except Exception as e: - self.terminate_flag.set() + self.terminate_flag.set() # Exception occurred terminating the connection self.main_node.debug_print('Unexpected error') self.main_node.debug_print(e) @@ -147,9 +155,9 @@ def run(self): time.sleep(0.01) # IDEA: Invoke (event) a method in main_node so the user is able to send a bye message to the node before it is closed? - self.sock.settimeout(None) self.sock.close() + self.main_node.node_disconnected( self ) # Fixed issue #19: Send to main_node when a node is disconnected. We do not know whether it is inbounc or outbound. self.main_node.debug_print("NodeConnection: Stopped") def set_info(self, key, value): diff --git a/p2pnetwork/tests/test_node.py b/p2pnetwork/tests/test_node.py index 79eb44f..a12e6bd 100644 --- a/p2pnetwork/tests/test_node.py +++ b/p2pnetwork/tests/test_node.py @@ -10,6 +10,7 @@ Testing the node on its basic functionality, like connecting to other nodes and sending data around. Furthermore, the events are tested whether they are handled correctly in the case of the callback and in the case of extending the class. +TODO: Tests to check the correct disconnection of the nodes. """ class TestNode(unittest.TestCase): From 1ab7d6f71a4d889d3b54723edb936c0af99aebc6 Mon Sep 17 00:00:00 2001 From: macsnoeren Date: Mon, 28 Jun 2021 21:15:38 +0200 Subject: [PATCH 09/13] Added a minor node.id to the print statement --- p2pnetwork/node.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/p2pnetwork/node.py b/p2pnetwork/node.py index 44ea388..c1f0f67 100644 --- a/p2pnetwork/node.py +++ b/p2pnetwork/node.py @@ -149,7 +149,7 @@ def connect_with_node(self, host, port): # Check if node is already connected with this node! for node in self.nodes_outbound: if node.host == host and node.port == port: - print("connect_with_node: Already connected with this node.") + print("connect_with_node: Already connected with this node (" + node.id + ").") return True try: @@ -164,7 +164,7 @@ def connect_with_node(self, host, port): # Fix bug: Cannot connect with nodes that are already connected with us! for node in self.nodes_inbound: if node.host == host and node.id == connected_node_id: - print("connect_with_node: This node is already connected with us.") + print("connect_with_node: This node (" + node.id + ") is already connected with us.") return True thread_client = self.create_new_connection(sock, connected_node_id, host, port) From 662b4af583db2d6022e1a641a826671627407a56 Mon Sep 17 00:00:00 2001 From: macsnoeren Date: Mon, 28 Jun 2021 21:16:28 +0200 Subject: [PATCH 10/13] Added all the examples accordingly to match the fixes and additions of the classes. --- examples/MyOwnPeer2PeerNode.py | 21 ++++++++-------- examples/my_own_p2p_application.py | 24 +++++++++++++++---- examples/my_own_p2p_application_callback.py | 6 ++--- examples/my_own_p2p_application_using_dict.py | 2 +- 4 files changed, 35 insertions(+), 18 deletions(-) diff --git a/examples/MyOwnPeer2PeerNode.py b/examples/MyOwnPeer2PeerNode.py index 0c0494a..0c8cc9f 100644 --- a/examples/MyOwnPeer2PeerNode.py +++ b/examples/MyOwnPeer2PeerNode.py @@ -1,39 +1,40 @@ ####################################################################################################################### # Author: Maurice Snoeren # -# Version: 0.1 beta (use at your own risk) # +# Version: 0.2 beta (use at your own risk) # # # # MyOwnPeer2PeerNode is an example how to use the p2pnet.Node to implement your own peer-to-peer network node. # +# 28/06/2021: Added the new developments on id and max_connections ####################################################################################################################### from p2pnetwork.node import Node class MyOwnPeer2PeerNode (Node): # Python class constructor - def __init__(self, host, port): - super(MyOwnPeer2PeerNode, self).__init__(host, port, None) + def __init__(self, host, port, id=None, callback=None, max_connections=0): + super(MyOwnPeer2PeerNode, self).__init__(host, port, id, callback, max_connections) print("MyPeer2PeerNode: Started") # all the methods below are called when things happen in the network. # implement your network node behavior to create the required functionality. def outbound_node_connected(self, node): - print("outbound_node_connected: " + node.id) + print("outbound_node_connected (" + self.id + "): " + node.id) def inbound_node_connected(self, node): - print("inbound_node_connected: " + node.id) + print("inbound_node_connected: (" + self.id + "): " + node.id) def inbound_node_disconnected(self, node): - print("inbound_node_disconnected: " + node.id) + print("inbound_node_disconnected: (" + self.id + "): " + node.id) def outbound_node_disconnected(self, node): - print("outbound_node_disconnected: " + node.id) + print("outbound_node_disconnected: (" + self.id + "): " + node.id) def node_message(self, node, data): - print("node_message from " + node.id + ": " + str(data)) + print("node_message (" + self.id + ") from " + node.id + ": " + str(data)) def node_disconnect_with_outbound_node(self, node): - print("node wants to disconnect with oher outbound node: " + node.id) + print("node wants to disconnect with oher outbound node: (" + self.id + "): " + node.id) def node_request_to_stop(self): - print("node is requested to stop!") + print("node is requested to stop (" + self.id + "): ") diff --git a/examples/my_own_p2p_application.py b/examples/my_own_p2p_application.py index e428fb3..95e0dc9 100644 --- a/examples/my_own_p2p_application.py +++ b/examples/my_own_p2p_application.py @@ -13,9 +13,9 @@ from MyOwnPeer2PeerNode import MyOwnPeer2PeerNode -node_1 = MyOwnPeer2PeerNode("127.0.0.1", 8001) -node_2 = MyOwnPeer2PeerNode("127.0.0.1", 8002) -node_3 = MyOwnPeer2PeerNode("127.0.0.1", 8003) +node_1 = MyOwnPeer2PeerNode("127.0.0.1", 8001, 1) +node_2 = MyOwnPeer2PeerNode("127.0.0.1", 8002, 2) +node_3 = MyOwnPeer2PeerNode("127.0.0.1", 8003, 3) time.sleep(1) @@ -27,12 +27,28 @@ node_1.connect_with_node('127.0.0.1', 8002) node_2.connect_with_node('127.0.0.1', 8003) -node_3.connect_with_node('127.0.0.1', 8002) +node_3.connect_with_node('127.0.0.1', 8001) time.sleep(2) node_1.send_to_nodes("message: Hi there!") +time.sleep(2) + +print("node 1 is stopping..") +node_1.stop() + +time.sleep(20) + +node_2.send_to_nodes("message: Hi there node 2!") +node_2.send_to_nodes("message: Hi there node 2!") +node_2.send_to_nodes("message: Hi there node 2!") +node_3.send_to_nodes("message: Hi there node 2!") +node_3.send_to_nodes("message: Hi there node 2!") +node_3.send_to_nodes("message: Hi there node 2!") + +time.sleep(10) + time.sleep(5) node_1.stop() diff --git a/examples/my_own_p2p_application_callback.py b/examples/my_own_p2p_application_callback.py index 34e7bcb..0617944 100644 --- a/examples/my_own_p2p_application_callback.py +++ b/examples/my_own_p2p_application_callback.py @@ -28,9 +28,9 @@ def node_callback(event, main_node, connected_node, data): # Just for test we spin off multiple nodes, however it is more likely that these nodes are running # on computers on the Internet! Otherwise we do not have any peer2peer application. -node_1 = Node("127.0.0.1", 8001, node_callback) -node_2 = Node("127.0.0.1", 8002, node_callback) -node_3 = Node("127.0.0.1", 8003, node_callback) +node_1 = Node("127.0.0.1", 8001, callback=node_callback) +node_2 = Node("127.0.0.1", 8002, callback=node_callback) +node_3 = Node("127.0.0.1", 8003, callback=node_callback) time.sleep(1) #node_1.debug = True diff --git a/examples/my_own_p2p_application_using_dict.py b/examples/my_own_p2p_application_using_dict.py index fdae9ac..9888481 100644 --- a/examples/my_own_p2p_application_using_dict.py +++ b/examples/my_own_p2p_application_using_dict.py @@ -27,7 +27,7 @@ node_1.connect_with_node('127.0.0.1', 8002) node_2.connect_with_node('127.0.0.1', 8003) -node_3.connect_with_node('127.0.0.1', 8002) +node_3.connect_with_node('127.0.0.1', 8001) time.sleep(2) From 6ce7624c1524951d7052a31299645eac1a099a77 Mon Sep 17 00:00:00 2001 From: macsnoeren Date: Mon, 28 Jun 2021 21:28:07 +0200 Subject: [PATCH 11/13] Changed the README.md to adapt to the development progress and bug fixes. --- README.md | 12 ++++++------ 1 file changed, 6 insertions(+), 6 deletions(-) diff --git a/README.md b/README.md index e8cd1f4..69a7f1f 100644 --- a/README.md +++ b/README.md @@ -43,8 +43,8 @@ from p2pnetwork.node import Node class MyOwnPeer2PeerNode (Node): # Python class constructor - def __init__(self, host, port): - super(MyOwnPeer2PeerNode, self).__init__(host, port, None) + def __init__(self, host, port, id=None, callback=None, max_connections=0): + super(MyOwnPeer2PeerNode, self).__init__(host, port, id, callback, max_connections) def outbound_node_connected(self, connected_node): print("outbound_node_connected: " + connected_node.id) @@ -75,15 +75,15 @@ class MyOwnPeer2PeerNode (Node): return MyOwnNodeConnection(self, connection, id, host, port) ```` ### Extend class NodeConnection -The NodeConnection class only hold the TCP/IP connection with the other node, to manage the different connection to and from the main node. It does not implement application specific elements. Mostly, you will only need to extend the Node class. However, when you would like to create your own NodeConnection class you can do this. Make sure that you override ````create_new_connection(self, connection, id, host, port)```` in the class Node, to make sure you initiate your own NodeConnection class. The example below shows some example. +The NodeConnection class only hold the TCP/IP connection with the other node, to manage the different connections to and from the main node. It does not implement application specific elements. Mostly, you will only need to extend the Node class. However, when you would like to create your own NodeConnection class you can do this. Make sure that you override ````create_new_connection(self, connection, id, host, port)```` in the class Node, to make sure you initiate your own NodeConnection class. The example below shows some example. ````python from p2pnetwork.node import Node class MyOwnPeer2PeerNode (Node): # Python class constructor - def __init__(self, host, port): - super(MyOwnPeer2PeerNode, self).__init__(host, port, None) + def __init__(self, host, port, id=None, callback=None, max_connections=0): + super(MyOwnPeer2PeerNode, self).__init__(host, port, id, callback, max_connections) # Override event functions... @@ -101,7 +101,7 @@ class MyOwnNodeConnection (NodeConnection): super(MyOwnNodeConnection, self).__init__(main_node, sock, id, host, port) # Check yourself what you would like to change and override! See the - # documentation + # documentation and code of the nodeconnection class. ```` ### Using your new classes From 4a21f33b35abf643dbace2df33ab1053fe36b959 Mon Sep 17 00:00:00 2001 From: macsnoeren Date: Mon, 28 Jun 2021 21:58:26 +0200 Subject: [PATCH 12/13] Removed unused modules and removed a TODO that has been fullfilled. --- p2pnetwork/node.py | 4 +--- p2pnetwork/nodeconnection.py | 3 --- 2 files changed, 1 insertion(+), 6 deletions(-) diff --git a/p2pnetwork/node.py b/p2pnetwork/node.py index c1f0f67..b15ce19 100644 --- a/p2pnetwork/node.py +++ b/p2pnetwork/node.py @@ -1,5 +1,4 @@ import socket -import sys import time import threading import random @@ -58,8 +57,7 @@ def __init__(self, host, port, id=None, callback=None, max_connections=0): # Nodes that this nodes is connected to self.nodes_outbound = [] # Nodes that we are connected to (US)->N - # Create a unique ID for each node. - # TODO: A fixed unique ID is required for each node, node some random is created, need to think of it. + # Create a unique ID for each node if the ID is not given. if id == None: id = hashlib.sha512() t = self.host + str(self.port) + str(random.randint(1, 99999999)) diff --git a/p2pnetwork/nodeconnection.py b/p2pnetwork/nodeconnection.py index 75a0f65..ff8fc2a 100644 --- a/p2pnetwork/nodeconnection.py +++ b/p2pnetwork/nodeconnection.py @@ -1,9 +1,6 @@ import socket -import sys import time import threading -import random -import hashlib import json """ From 72de129a8c9045e482b31929ae6cb52c2d618268 Mon Sep 17 00:00:00 2001 From: macsnoeren Date: Mon, 28 Jun 2021 22:56:23 +0200 Subject: [PATCH 13/13] Added a reconnection functionality when connecting to other nodes. When the connection is closed, the node tries to reconnect to the node again. A new event method node_reconnection_error has been created to implement extra logic to this. At this moment, the node will forever try to reconnect. --- p2pnetwork/node.py | 52 +++++++++++++++++++++++++++++++---- p2pnetwork/tests/test_node.py | 1 + 2 files changed, 48 insertions(+), 5 deletions(-) diff --git a/p2pnetwork/node.py b/p2pnetwork/node.py index b15ce19..9c56619 100644 --- a/p2pnetwork/node.py +++ b/p2pnetwork/node.py @@ -57,6 +57,9 @@ def __init__(self, host, port, id=None, callback=None, max_connections=0): # Nodes that this nodes is connected to self.nodes_outbound = [] # Nodes that we are connected to (US)->N + # A list of nodes that should be reconnected to whenever the connection was lost + self.reconnect_to_nodes = [] + # Create a unique ID for each node if the ID is not given. if id == None: id = hashlib.sha512() @@ -132,13 +135,12 @@ def send_to_node(self, n, data): else: self.debug_print("Node send_to_node: Could not send the data, node is not found!") - def connect_with_node(self, host, port): + def connect_with_node(self, host, port, reconnect=False): """ Make a connection with another node that is running on host with port. When the connection is made, an event is triggered outbound_node_connected. When the connection is made with the node, it exchanges the id's of the node. First we send our id and then we receive the id of the node we are connected to. - When the connection is made the method outbound_node_connected is invoked. - TODO: think whether we need an error event to trigger when the connection has failed! - TODO: Deal with timeout on the socket, making sure we do not hang!""" + When the connection is made the method outbound_node_connected is invoked. If reconnect is True, the + node will try to reconnect to the code whenever the node connection was closed.""" if host == self.host and port == self.port: print("connect_with_node: Cannot connect with yourself!!") @@ -171,6 +173,13 @@ def connect_with_node(self, host, port): self.nodes_outbound.append(thread_client) self.outbound_node_connected(thread_client) + # If reconnection to this host is required, it will be added to the list! + if reconnect: + self.debug_print("connect_with_node: Reconnection check is enabled on node " + host + ":" + str(port)) + self.reconnect_to_nodes.append({ + "host": host, "port": port, "tries": 0 + }) + except Exception as e: self.debug_print("TcpServer.connect_with_node: Could not connect with node. (" + str(e) + ")") @@ -198,6 +207,28 @@ def create_new_connection(self, connection, id, host, port): the node connection.""" return NodeConnection(self, connection, id, host, port) + def reconnect_nodes(self): + """This method checks whether nodes that have the reconnection status are still connected. If not + connected these nodes are started again.""" + for node_to_check in self.reconnect_to_nodes: + found_node = False + self.debug_print("reconnect_nodes: Checking node " + node_to_check["host"] + ":" + str(node_to_check["port"])) + + for node in self.nodes_outbound: + if node.host == node_to_check["host"] and node.port == node_to_check["port"]: + found_node = True + node_to_check["trials"] = 0 # Reset the trials + self.debug_print("reconnect_nodes: Node " + node_to_check["host"] + ":" + str(node_to_check["port"]) + " still running!") + + if not found_node: # Reconnect with node + node_to_check["trials"] += 1 + if self.node_reconnection_error(node_to_check["host"], node_to_check["port"], node_to_check["trials"]): + self.connect_with_node(node_to_check["host"], node_to_check["port"]) # Perform the actual connection + + else: + self.debug_print("reconnect_nodes: Removing node (" + node_to_check["host"] + ":" + str(node_to_check["port"]) + ") from the reconnection list!") + self.reconnect_to_nodes.remove(node_to_check) + def run(self): """The main loop of the thread that deals with connections from other nodes on the network. When a node is connected it will exchange the node id's. First we receive the id of the connected node @@ -209,7 +240,7 @@ def run(self): connection, client_address = self.sock.accept() self.debug_print("Total inbound connections:" + str(len(self.nodes_inbound))) - # When the maximum connections are reached, it disconnects the connection + # When the maximum connections is reached, it disconnects the connection if self.max_connections == 0 or len(self.nodes_inbound) < self.max_connections: # Basic information exchange (not secure) of the id's of the nodes! @@ -232,6 +263,8 @@ def run(self): except Exception as e: raise e + self.reconnect_nodes() + time.sleep(0.01) print("Node stopping...") @@ -313,6 +346,15 @@ def node_request_to_stop(self): if self.callback is not None: self.callback("node_request_to_stop", self, {}, {}) + def node_reconnection_error(self, host, port, trials): + """This method is invoked when a reconnection error occurred. The node connection is disconnected and the + flag for reconnection is set to True for this node. This function can be overidden to implement your + specific logic to take action when a lot of trials have been done. If the method returns True, the + node will try to perform the reconnection. If the method returns False, the node will stop reconnecting + to this node. The node will forever tries to perform the reconnection.""" + self.debug_print("node_reconnection_error: Reconnecting to node " + host + ":" + str(port) + " (trials: " + str(trials) + ")") + return True + def __str__(self): return 'Node: {}:{}'.format(self.host, self.port) diff --git a/p2pnetwork/tests/test_node.py b/p2pnetwork/tests/test_node.py index a12e6bd..4e80cce 100644 --- a/p2pnetwork/tests/test_node.py +++ b/p2pnetwork/tests/test_node.py @@ -11,6 +11,7 @@ sending data around. Furthermore, the events are tested whether they are handled correctly in the case of the callback and in the case of extending the class. TODO: Tests to check the correct disconnection of the nodes. +TODO: Tests to check the reconnection functionality of the node. """ class TestNode(unittest.TestCase):