Browse Source

Got rid of custom exceptions.

pull/2/head
Richard Neumann 4 years ago
parent
commit
ade08be6a5
  1. 22
      docs/source/rcon.rst
  2. 11
      rcon/__init__.py
  3. 9
      rcon/config.py
  4. 7
      rcon/console.py
  5. 27
      rcon/errorhandler.py
  6. 22
      rcon/exceptions.py
  7. 9
      rcon/gui.py
  8. 38
      rcon/proto.py
  9. 13
      rcon/rconclt.py
  10. 10
      rcon/rconshell.py

22
docs/source/rcon.rst

@ -20,10 +20,18 @@ rcon.console module
:undoc-members: :undoc-members:
:show-inheritance: :show-inheritance:
rcon.exceptions module rcon.errorhandler module
---------------------- ------------------------
.. automodule:: rcon.exceptions .. automodule:: rcon.errorhandler
:members:
:undoc-members:
:show-inheritance:
rcon.gui module
---------------
.. automodule:: rcon.gui
:members: :members:
:undoc-members: :undoc-members:
:show-inheritance: :show-inheritance:
@ -52,6 +60,14 @@ rcon.rconshell module
:undoc-members: :undoc-members:
:show-inheritance: :show-inheritance:
rcon.readline module
--------------------
.. automodule:: rcon.readline
:members:
:undoc-members:
:show-inheritance:
Module contents Module contents
--------------- ---------------

11
rcon/__init__.py

@ -1,16 +1,7 @@
"""RCON client library.""" """RCON client library."""
from rcon.console import rconcmd from rcon.console import rconcmd
from rcon.exceptions import InvalidConfig
from rcon.exceptions import RequestIdMismatch
from rcon.exceptions import WrongPassword
from rcon.proto import Client from rcon.proto import Client
__all__ = [ __all__ = ['Client', 'rconcmd']
'InvalidConfig',
'RequestIdMismatch',
'WrongPassword',
'Client',
'rconcmd'
]

9
rcon/config.py

@ -7,8 +7,6 @@ from os import getenv, name
from pathlib import Path from pathlib import Path
from typing import Dict, Iterator, NamedTuple, Tuple from typing import Dict, Iterator, NamedTuple, Tuple
from rcon.exceptions import InvalidConfig
__all__ = ['CONFIG_FILE', 'LOG_FORMAT', 'Config', 'servers'] __all__ = ['CONFIG_FILE', 'LOG_FORMAT', 'Config', 'servers']
@ -39,12 +37,9 @@ class Config(NamedTuple):
try: try:
host, port = string.split(':') host, port = string.split(':')
except ValueError: except ValueError:
raise InvalidConfig(f'Invalid socket: {string}.') from None raise ValueError(f'Invalid socket: {string}.') from None
try: port = int(port)
port = int(port)
except ValueError:
raise InvalidConfig(f'Not an integer: {port}.') from None
try: try:
passwd, host = host.rsplit('@', maxsplit=1) passwd, host = host.rsplit('@', maxsplit=1)

7
rcon/console.py

@ -3,7 +3,6 @@
from getpass import getpass from getpass import getpass
from rcon.config import Config from rcon.config import Config
from rcon.exceptions import RequestIdMismatch, WrongPassword
from rcon.proto import Client from rcon.proto import Client
@ -83,8 +82,8 @@ def login(client: Client, passwd: str) -> str:
while True: while True:
try: try:
client.login(passwd) client.login(passwd)
except WrongPassword: except RuntimeError as error:
print('Invalid password.') print(error)
passwd = read_passwd() passwd = read_passwd()
continue continue
@ -113,7 +112,7 @@ def process_input(client: Client, passwd: str, prompt: str) -> bool:
try: try:
result = client.run(command, *args) result = client.run(command, *args)
except RequestIdMismatch: except RuntimeError:
print(MSG_SESSION_TIMEOUT) print(MSG_SESSION_TIMEOUT)
try: try:

27
rcon/errorhandler.py

@ -1,32 +1,35 @@
"""Common errors handler.""" """Common errors handler."""
from logging import Logger from logging import Logger
from socket import timeout
from sys import exit # pylint: disable=W0622 from sys import exit # pylint: disable=W0622
from typing import Iterable, Tuple
__all__ = ['ErrorHandler'] __all__ = ['ErrorHandler']
ErrorMap = Iterable[Tuple[Exception, str, int]]
class ErrorHandler: class ErrorHandler:
"""Handles common errors and exits.""" """Handles common errors and exits."""
__slots__ = ('errors', 'logger') __slots__ = ('logger',)
def __init__(self, errors: ErrorMap, logger: Logger): def __init__(self, logger: Logger):
"""Sets the logger.""" """Sets the logger."""
self.errors = errors
self.logger = logger self.logger = logger
def __enter__(self): def __enter__(self):
return self return self
def __exit__(self, typ, value, _): def __exit__(self, _, value, __):
"""Checks for connection errors and exits respectively.""" """Checks for connection errors and exits respectively."""
for exception, message, returncode in self.errors: if isinstance(value, ConnectionRefusedError):
if typ is exception or isinstance(value, exception): self.logger.error('Connection refused.')
self.logger.error(message) exit(3)
exit(returncode)
if isinstance(value, (TimeoutError, timeout)):
self.logger.error('Connection timed out.')
exit(4)
if isinstance(value, RuntimeError):
self.logger.error(str(value))
exit(5)

22
rcon/exceptions.py

@ -1,22 +0,0 @@
"""RCON exceptions."""
__all__ = ['InvalidConfig', 'RequestIdMismatch', 'WrongPassword']
class InvalidConfig(ValueError):
"""Indicates invalid credentials."""
class RequestIdMismatch(Exception):
"""Indicates that the sent and received request IDs do not match."""
def __init__(self, sent: int, received: int):
"""Sets the sent and received request IDs."""
super().__init__(sent, received)
self.sent = sent
self.received = received
class WrongPassword(Exception):
"""Indicates a wrong RCON password."""

9
rcon/gui.py

@ -14,7 +14,6 @@ require_version('Gtk', '3.0')
from gi.repository import Gtk from gi.repository import Gtk
from rcon.config import LOG_FORMAT from rcon.config import LOG_FORMAT
from rcon.exceptions import RequestIdMismatch, WrongPassword
from rcon.proto import Client from rcon.proto import Client
@ -203,15 +202,13 @@ class GUI(Gtk.Window): # pylint: disable=R0902
try: try:
result = self.run_rcon() result = self.run_rcon()
except ValueError as error: except ValueError as error:
self.show_error(' '.join(error.args)) self.show_error(str(error))
except ConnectionRefusedError: except ConnectionRefusedError:
self.show_error('Connection refused.') self.show_error('Connection refused.')
except (TimeoutError, timeout): except (TimeoutError, timeout):
self.show_error('Connection timed out.') self.show_error('Connection timed out.')
except RequestIdMismatch: except RuntimeError as error:
self.show_error('Request ID mismatch.') self.show_error(str(error))
except WrongPassword:
self.show_error('Invalid password.')
else: else:
self.result_text = result self.result_text = result

38
rcon/proto.py

@ -7,9 +7,6 @@ from random import randint
from socket import SOCK_STREAM, socket from socket import SOCK_STREAM, socket
from typing import IO, NamedTuple, Optional from typing import IO, NamedTuple, Optional
from rcon.exceptions import RequestIdMismatch
from rcon.exceptions import WrongPassword
__all__ = [ __all__ = [
'LittleEndianSignedInt32', 'LittleEndianSignedInt32',
@ -172,36 +169,27 @@ class Client:
file.write(bytes(packet)) file.write(bytes(packet))
with self._socket.makefile('rb') as file: with self._socket.makefile('rb') as file:
response = Packet.read(file) return Packet.read(file)
if response.id == packet.id:
return response
raise RequestIdMismatch(packet.id, response.id)
def login(self, passwd: str) -> Packet: def login(self, passwd: str) -> bool:
"""Performs a login.""" """Performs a login."""
packet = Packet.make_login(passwd) response = self.communicate(Packet.make_login(passwd))
try: if response.id == -1:
return self.communicate(packet) raise RuntimeError('Wrong password.')
except RequestIdMismatch as mismatch:
if mismatch.received == -1:
raise WrongPassword() from None
raise return True
def run(self, command: str, *arguments: str, raw: bool = False) -> str: def run(self, command: str, *arguments: str, raw: bool = False) -> str:
"""Runs a command.""" """Runs a command."""
packet = Packet.make_command(command, *arguments) request = Packet.make_command(command, *arguments)
response = self.communicate(request)
try: if response.id != request.id:
response = self.communicate(packet) if self.passwd is not None:
except RequestIdMismatch: if self.login(self.passwd):
if self.passwd is not None: # Re-authenticate and retry command. return self.run(command, *arguments)
self.login(self.passwd)
return self.run(command, *arguments)
raise raise RuntimeError('Request ID mismatch.')
return response if raw else response.payload return response if raw else response.payload

13
rcon/rconclt.py

@ -4,26 +4,17 @@ from argparse import ArgumentParser, Namespace
from getpass import getpass from getpass import getpass
from logging import DEBUG, INFO, basicConfig, getLogger from logging import DEBUG, INFO, basicConfig, getLogger
from pathlib import Path from pathlib import Path
from socket import timeout
from sys import exit # pylint: disable=W0622 from sys import exit # pylint: disable=W0622
from typing import Tuple from typing import Tuple
from rcon.errorhandler import ErrorHandler from rcon.errorhandler import ErrorHandler
from rcon.exceptions import InvalidConfig
from rcon.config import CONFIG_FILE, LOG_FORMAT, Config, servers from rcon.config import CONFIG_FILE, LOG_FORMAT, Config, servers
from rcon.exceptions import RequestIdMismatch, WrongPassword
from rcon.proto import Client from rcon.proto import Client
__all__ = ['get_credentials', 'main'] __all__ = ['get_credentials', 'main']
ERRORS = (
(ConnectionRefusedError, 'Connection refused.', 3),
((TimeoutError, timeout), 'Connection timeout.', 4),
(RequestIdMismatch, 'Unexpected request ID mismatch.', 5),
(WrongPassword, 'Wrong password.', 6)
)
LOGGER = getLogger('rconclt') LOGGER = getLogger('rconclt')
@ -49,7 +40,7 @@ def get_credentials(args: Namespace) -> Tuple[str, int, str]:
try: try:
host, port, passwd = Config.from_string(args.server) host, port, passwd = Config.from_string(args.server)
except InvalidConfig: except ValueError:
try: try:
host, port, passwd = servers(args.config)[args.server] host, port, passwd = servers(args.config)[args.server]
except KeyError: except KeyError:
@ -74,7 +65,7 @@ def main() -> None:
basicConfig(format=LOG_FORMAT, level=DEBUG if args.debug else INFO) basicConfig(format=LOG_FORMAT, level=DEBUG if args.debug else INFO)
host, port, passwd = get_credentials(args) host, port, passwd = get_credentials(args)
with ErrorHandler(ERRORS, LOGGER): with ErrorHandler(LOGGER):
with Client(host, port, timeout=args.timeout) as client: with Client(host, port, timeout=args.timeout) as client:
client.login(passwd) client.login(passwd)
text = client.run(args.command, *args.argument) text = client.run(args.command, *args.argument)

10
rcon/rconshell.py

@ -3,10 +3,8 @@
from argparse import ArgumentParser, Namespace from argparse import ArgumentParser, Namespace
from logging import INFO, basicConfig, getLogger from logging import INFO, basicConfig, getLogger
from pathlib import Path from pathlib import Path
from socket import timeout
from rcon.errorhandler import ErrorHandler from rcon.errorhandler import ErrorHandler
from rcon.exceptions import RequestIdMismatch
from rcon.rconclt import get_credentials from rcon.rconclt import get_credentials
from rcon.readline import CommandHistory from rcon.readline import CommandHistory
from rcon.config import CONFIG_FILE, LOG_FORMAT from rcon.config import CONFIG_FILE, LOG_FORMAT
@ -15,11 +13,7 @@ from rcon.console import PROMPT, rconcmd
__all__ = ['get_args', 'main'] __all__ = ['get_args', 'main']
ERRORS = (
(ConnectionRefusedError, 'Connection refused.', 3),
((TimeoutError, timeout), 'Connection timeout.', 4),
(RequestIdMismatch, 'Unexpected request ID mismatch.', 5)
)
LOGGER = getLogger('rconshell') LOGGER = getLogger('rconshell')
@ -46,6 +40,6 @@ def main() -> None:
else: else:
host = port = passwd = None host = port = passwd = None
with ErrorHandler(ERRORS, LOGGER): with ErrorHandler(LOGGER):
with CommandHistory(LOGGER): with CommandHistory(LOGGER):
rconcmd(host, port, passwd, prompt=args.prompt) rconcmd(host, port, passwd, prompt=args.prompt)

Loading…
Cancel
Save