Skip to content
Snippets Groups Projects
Commit 98eb1036 authored by inso's avatar inso
Browse files

Network refactoring

Nodes now remember there currency
Community creation depends on node creation
parent 470c6f97
No related branches found
No related tags found
No related merge requests found
...@@ -85,8 +85,9 @@ class Community(object): ...@@ -85,8 +85,9 @@ class Community(object):
self._cache.refresh() self._cache.refresh()
@classmethod @classmethod
def create(cls, currency, peer): def create(cls, node):
community = cls(currency, [peer]) network = Network.create(node)
community = cls(node.currency, network)
logging.debug("Creating community") logging.debug("Creating community")
return community return community
......
...@@ -42,23 +42,23 @@ class Network(QObject): ...@@ -42,23 +42,23 @@ class Network(QObject):
logging.debug("Loading : {:}".format(data['pubkey'])) logging.debug("Loading : {:}".format(data['pubkey']))
block_max = max([n.block for n in nodes]) block_max = max([n.block for n in nodes])
for node in nodes: for node in nodes:
node.check_sync(currency, block_max) node.check_sync(block_max)
return cls(currency, nodes) return cls(currency, nodes)
@classmethod @classmethod
def create(cls, currency, node): def create(cls, node):
nodes = [node] nodes = [node]
network = cls(currency, nodes) network = cls(node.currency, nodes)
nodes = network.crawling nodes = network.crawling()
block_max = max([n.block for n in nodes]) block_max = max([n.block for n in nodes])
for node in nodes: for node in nodes:
node.check_sync(currency, block_max) node.check_sync(block_max)
network._nodes = nodes network._nodes = nodes
return network return network
def jsonify(self): def jsonify(self):
data = [] data = []
for node in self.nodes: for node in self._nodes:
data.append(node.jsonify()) data.append(node.jsonify())
return data return data
...@@ -105,13 +105,13 @@ class Network(QObject): ...@@ -105,13 +105,13 @@ class Network(QObject):
logging.debug("Peering : next to read : {0} : {1}".format(n.pubkey, logging.debug("Peering : next to read : {0} : {1}".format(n.pubkey,
(n.pubkey not in traversed_pubkeys))) (n.pubkey not in traversed_pubkeys)))
if n.pubkey not in traversed_pubkeys: if n.pubkey not in traversed_pubkeys:
n.peering_traversal(self.currency, nodes, n.peering_traversal(nodes,
traversed_pubkeys, interval) traversed_pubkeys, interval)
time.sleep(interval) time.sleep(interval)
block_max = max([n.block for n in nodes]) block_max = max([n.block for n in nodes])
for node in [n for n in nodes if n.state == Node.ONLINE]: for node in [n for n in nodes if n.state == Node.ONLINE]:
node.check_sync(self.currency, block_max) node.check_sync(block_max)
#TODO: Offline nodes for too long have to be removed #TODO: Offline nodes for too long have to be removed
#TODO: Corrupted nodes should maybe be removed faster ? #TODO: Corrupted nodes should maybe be removed faster ?
......
...@@ -6,7 +6,9 @@ Created on 21 févr. 2015 ...@@ -6,7 +6,9 @@ Created on 21 févr. 2015
from ucoinpy.documents.peer import Peer, BMAEndpoint, Endpoint from ucoinpy.documents.peer import Peer, BMAEndpoint, Endpoint
from ucoinpy.api import bma from ucoinpy.api import bma
from ucoinpy.api.bma import ConnectionHandler
from requests.exceptions import RequestException from requests.exceptions import RequestException
from ...tools.exceptions import InvalidNodeCurrency
import logging import logging
import time import time
...@@ -25,7 +27,7 @@ class Node(QObject): ...@@ -25,7 +27,7 @@ class Node(QObject):
changed = pyqtSignal() changed = pyqtSignal()
def __init__(self, endpoints, pubkey, block, state): def __init__(self, currency, endpoints, pubkey, block, state):
''' '''
Constructor Constructor
''' '''
...@@ -35,11 +37,31 @@ class Node(QObject): ...@@ -35,11 +37,31 @@ class Node(QObject):
self._block = block self._block = block
self._state = state self._state = state
self._neighbours = [] self._neighbours = []
self._currency = currency
@classmethod
def from_address(cls, currency, address, port):
peer_data = bma.network.Peering(ConnectionHandler(address, port)).get()
peer = Peer.from_signed_raw("{0}{1}\n".format(peer_data['raw'],
peer_data['signature']))
if currency is not None:
if peer.currency != currency:
raise InvalidNodeCurrency(peer.currency, currency)
node = cls(peer.currency, peer.endpoints, peer.pubkey, 0, Node.ONLINE)
node.refresh_state()
return node
@classmethod @classmethod
def from_peer(cls, currency, peer): def from_peer(cls, currency, peer):
node = cls(peer.endpoints, "", 0, Node.ONLINE) if currency is not None:
node.refresh_state(currency) if peer.currency != currency:
raise InvalidNodeCurrency(peer.currency, currency)
node = cls(peer.currency, peer.endpoints, "", 0, Node.ONLINE)
node.refresh_state()
return node return node
@classmethod @classmethod
...@@ -48,12 +70,15 @@ class Node(QObject): ...@@ -48,12 +70,15 @@ class Node(QObject):
for endpoint_data in data['endpoints']: for endpoint_data in data['endpoints']:
endpoints.append(Endpoint.from_inline(endpoint_data)) endpoints.append(Endpoint.from_inline(endpoint_data))
node = cls(endpoints, "", 0, Node.ONLINE) currency = data['currency']
node.refresh_state(currency)
node = cls(currency, endpoints, "", 0, Node.ONLINE)
node.refresh_state()
return node return node
def jsonify(self): def jsonify(self):
data = {'pubkey': self._pubkey} data = {'pubkey': self._pubkey,
'currency': self._currency}
endpoints = [] endpoints = []
for e in self._endpoints: for e in self._endpoints:
endpoints.append(e.inline()) endpoints.append(e.inline())
...@@ -76,17 +101,21 @@ class Node(QObject): ...@@ -76,17 +101,21 @@ class Node(QObject):
def state(self): def state(self):
return self._state return self._state
@property
def currency(self):
return self._currency
@property @property
def neighbours(self): def neighbours(self):
return self._neighbours return self._neighbours
def check_sync(self, currency, block): def check_sync(self, block):
if self._block < block: if self._block < block:
self._state = Node.DESYNCED self._state = Node.DESYNCED
else: else:
self._state = Node.ONLINE self._state = Node.ONLINE
def refresh_state(self, currency): def refresh_state(self):
emit_change = False emit_change = False
try: try:
informations = bma.network.Peering(self.endpoint.conn_handler()).get() informations = bma.network.Peering(self.endpoint.conn_handler()).get()
...@@ -108,7 +137,7 @@ class Node(QObject): ...@@ -108,7 +137,7 @@ class Node(QObject):
self._state = Node.OFFLINE self._state = Node.OFFLINE
emit_change = True emit_change = True
if node_currency != currency: if node_currency != self._currency:
self.state = Node.CORRUPTED self.state = Node.CORRUPTED
emit_change = True emit_change = True
...@@ -133,26 +162,27 @@ class Node(QObject): ...@@ -133,26 +162,27 @@ class Node(QObject):
if emit_change: if emit_change:
self.changed.emit() self.changed.emit()
def peering_traversal(self, currency, found_nodes, def peering_traversal(self, found_nodes,
traversed_pubkeys, interval): traversed_pubkeys, interval):
logging.debug("Read {0} peering".format(self.pubkey)) logging.debug("Read {0} peering".format(self.pubkey))
traversed_pubkeys.append(self.pubkey) traversed_pubkeys.append(self.pubkey)
self.refresh_state(currency) self.refresh_state()
if self.pubkey not in [n.pubkey for n in found_nodes]: if self.pubkey not in [n.pubkey for n in found_nodes]:
found_nodes.append(self) found_nodes.append(self)
try: try:
logging.debug(self.neighbours)
for n in self.neighbours: for n in self.neighbours:
e = next((e for e in self._endpoints if type(e) is BMAEndpoint)) e = next(e for e in n if type(e) is BMAEndpoint)
peering = bma.network.Peering(self.endpoint.conn_handler()).get() peering = bma.network.Peering(e.conn_handler()).get()
peer = Peer.from_signed_raw("{0}{1}\n".format(peering['raw'], peer = Peer.from_signed_raw("{0}{1}\n".format(peering['raw'],
peering['signature'])) peering['signature']))
node = Node.from_peer(currency, peer) node = Node.from_peer(self._currency, peer)
logging.debug(traversed_pubkeys) logging.debug(traversed_pubkeys)
logging.debug("Traversing : next to read : {0} : {1}".format(node.pubkey, logging.debug("Traversing : next to read : {0} : {1}".format(node.pubkey,
(node.pubkey not in traversed_pubkeys))) (node.pubkey not in traversed_pubkeys)))
if node.pubkey not in traversed_pubkeys: if node.pubkey not in traversed_pubkeys:
node.peering_traversal(currency, found_nodes, node.peering_traversal(found_nodes,
traversed_pubkeys, interval) traversed_pubkeys, interval)
time.sleep(interval) time.sleep(interval)
except RequestException as e: except RequestException as e:
......
...@@ -57,7 +57,7 @@ class CommunityTabWidget(QWidget, Ui_CommunityTabWidget): ...@@ -57,7 +57,7 @@ class CommunityTabWidget(QWidget, Ui_CommunityTabWidget):
model = self.table_community_members.model() model = self.table_community_members.model()
if index.row() < model.rowCount(): if index.row() < model.rowCount():
source_index = model.mapToSource(index) source_index = model.mapToSource(index)
pubkey_col = model.sourceModel().columns.index('Pubkey') pubkey_col = model.sourceModel().columns_ids.index('pubkey')
pubkey_index = model.sourceModel().index(source_index.row(), pubkey_index = model.sourceModel().index(source_index.row(),
pubkey_col) pubkey_col)
pubkey = model.sourceModel().data(pubkey_index, Qt.DisplayRole) pubkey = model.sourceModel().data(pubkey_index, Qt.DisplayRole)
......
...@@ -179,7 +179,9 @@ class MainWindow(QMainWindow, Ui_MainWindow): ...@@ -179,7 +179,9 @@ class MainWindow(QMainWindow, Ui_MainWindow):
def open_configure_account_dialog(self): def open_configure_account_dialog(self):
dialog = ProcessConfigureAccount(self.app, self.app.current_account) dialog = ProcessConfigureAccount(self.app, self.app.current_account)
dialog.accepted.connect(self.refresh) dialog.accepted.connect(self.refresh)
dialog.exec_() result = dialog.exec_()
if result == QDialog.Accepted:
self.action_change_account(self.app.current_account.name)
def open_about_popup(self): def open_about_popup(self):
""" """
......
...@@ -121,16 +121,11 @@ class StepPageCommunities(Step): ...@@ -121,16 +121,11 @@ class StepPageCommunities(Step):
nb_wallets = self.config_dialog.spinbox_wallets.value() nb_wallets = self.config_dialog.spinbox_wallets.value()
self.config_dialog.account.set_walletpool_size(nb_wallets, password) self.config_dialog.account.set_walletpool_size(nb_wallets, password)
self.config_dialog.app.add_account(self.config_dialog.account)
if len(self.config_dialog.app.accounts) == 1: if len(self.config_dialog.app.accounts) == 1:
self.config_dialog.app.default_account = self.config_dialog.account.name self.config_dialog.app.default_account = self.config_dialog.account.name
try:
self.config_dialog.app.add_account(self.config_dialog.account)
except KeyAlreadyUsed as e:
QMessageBox.critical(self, "Error",
str(e), QMessageBox.Ok)
return
self.config_dialog.app.save(self.config_dialog.account) self.config_dialog.app.save(self.config_dialog.account)
self.config_dialog.app.current_account = self.config_dialog.account
def display_page(self): def display_page(self):
logging.debug("Communities DISPLAY") logging.debug("Communities DISPLAY")
......
...@@ -17,6 +17,7 @@ from ..gen_resources.community_cfg_uic import Ui_CommunityConfigurationDialog ...@@ -17,6 +17,7 @@ from ..gen_resources.community_cfg_uic import Ui_CommunityConfigurationDialog
from ..models.peering import PeeringTreeModel from ..models.peering import PeeringTreeModel
from ..core.community import Community from ..core.community import Community
from ..core.person import Person from ..core.person import Person
from ..core.net.node import Node
from ..tools.exceptions import PersonNotFoundError, NoPeerAvailable from ..tools.exceptions import PersonNotFoundError, NoPeerAvailable
...@@ -33,6 +34,7 @@ class StepPageInit(Step): ...@@ -33,6 +34,7 @@ class StepPageInit(Step):
''' '''
def __init__(self, config_dialog): def __init__(self, config_dialog):
super().__init__(config_dialog) super().__init__(config_dialog)
self.node = None
logging.debug("Init") logging.debug("Init")
def is_valid(self): def is_valid(self):
...@@ -40,38 +42,21 @@ class StepPageInit(Step): ...@@ -40,38 +42,21 @@ class StepPageInit(Step):
port = self.config_dialog.spinbox_port.value() port = self.config_dialog.spinbox_port.value()
logging.debug("Is valid ? ") logging.debug("Is valid ? ")
try: try:
peer_data = bma.network.Peering(ConnectionHandler(server, port)) self.node = Node.from_address(None, server, port)
peer_data.get()['raw'] except Exception as e:
except: QMessageBox.critical(self.config_dialog, ":(",
QMessageBox.critical(self.config_dialog, "Server error", str(e),
"Cannot get node peering") QMessageBox.Ok)
return False
return True return True
def process_next(self): def process_next(self):
''' '''
We create the community We create the community
''' '''
server = self.config_dialog.lineedit_server.text()
port = self.config_dialog.spinbox_port.value()
account = self.config_dialog.account account = self.config_dialog.account
logging.debug("Account : {0}".format(account)) logging.debug("Account : {0}".format(account))
try: self.config_dialog.community = Community.create(self.node)
peering = bma.network.Peering(ConnectionHandler(server, port))
peer_data = peering.get()
peer = Peer.from_signed_raw("{0}{1}\n".format(peer_data['raw'],
peer_data['signature']))
currency = peer.currency
self.config_dialog.community = Community.create(currency, peer)
except NoPeerAvailable:
QMessageBox.critical(self.config_dialog, "Server Error",
"Cannot join any peer in this community.")
raise
except requests.exceptions.RequestException as e:
QMessageBox.critical(self.config_dialog, ":(",
str(e),
QMessageBox.Ok)
raise
def display_page(self): def display_page(self):
self.config_dialog.button_previous.setEnabled(False) self.config_dialog.button_previous.setEnabled(False)
...@@ -168,19 +153,13 @@ class ProcessConfigureCommunity(QDialog, Ui_CommunityConfigurationDialog): ...@@ -168,19 +153,13 @@ class ProcessConfigureCommunity(QDialog, Ui_CommunityConfigurationDialog):
''' '''
server = self.lineedit_server.text() server = self.lineedit_server.text()
port = self.spinbox_port.value() port = self.spinbox_port.value()
try:
peer_data = bma.network.Peering(ConnectionHandler(server, port)).get()
peer = Peer.from_signed_raw("{0}{1}\n".format(peer_data['raw'], try:
peer_data['signature'])) node = Node.from_address(self.community.currency, server, port)
if peer.currency == self.community.currency: self.community.add_node(node)
self.community.add_peer(peer) except Exception as e:
else: QMessageBox.critical(self, "Error",
QMessageBox.critical(self, "Error", str(e))
"This peer doesn't use this community currency.")
except requests.exceptions.RequestException as e:
QMessageBox.critical(self, "Server error",
"Cannot get node peering")
self.tree_peers.setModel(PeeringTreeModel(self.community)) self.tree_peers.setModel(PeeringTreeModel(self.community))
def showContextMenu(self, point): def showContextMenu(self, point):
......
...@@ -163,6 +163,19 @@ class NoPeerAvailable(Error): ...@@ -163,6 +163,19 @@ class NoPeerAvailable(Error):
.format(currency, peers)) .format(currency, peers))
class InvalidNodeCurrency(Error):
'''
Exception raised when a node doesn't use the intended currency
'''
def __init__(self, currency, node_currency):
'''
Constructor
'''
super() .__init__(
"Node is working for {0} currency, but should be {1}"
.format(node_currency, currency))
class ContactAlreadyExists(Error): class ContactAlreadyExists(Error):
''' '''
Exception raised when a community doesn't have any Exception raised when a community doesn't have any
......
0% Loading or .
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!
Please register or to comment