Compare commits
	
		
			10 Commits
		
	
	
		
			382c521e77
			...
			84f1314eaf
		
	
	| Author | SHA1 | Date | |
|---|---|---|---|
| 84f1314eaf | |||
| d2d599318f | |||
| 2718e223c6 | |||
| 932e39ac0a | |||
| d43b3f9979 | |||
| 19269a1ade | |||
| 6d15940943 | |||
| 23c8abfae2 | |||
| 804438f045 | |||
| ab1550c09c | 
							
								
								
									
										32
									
								
								bundle.py
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										32
									
								
								bundle.py
									
									
									
									
									
										Normal file
									
								
							| @ -0,0 +1,32 @@ | |||||||
|  | import zipfile | ||||||
|  | import glob | ||||||
|  | import os | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | # TODO: should we include .pyc files? | ||||||
|  | # TODO: add urwid source into the repo somewhere | ||||||
|  | 
 | ||||||
|  | files = { | ||||||
|  |     '__main__.py': 'clients/urwid/main.py', | ||||||
|  |     'nntp_client.py': 'clients/nntp_client.py', | ||||||
|  |     'urwid': 'env/lib/python3.8/site-packages/urwid/*.py', | ||||||
|  | } | ||||||
|  | 
 | ||||||
|  | with open('bbj_demo', 'wb') as f: | ||||||
|  |     f.write(b"#!/usr/bin/env python3\n") | ||||||
|  |     with zipfile.ZipFile(f, 'w', compression=zipfile.ZIP_DEFLATED) as z: | ||||||
|  |         z.comment = b'BBJ' | ||||||
|  |         for name, source in files.items(): | ||||||
|  |             if '*' in source: | ||||||
|  |                 dirname = name | ||||||
|  |                 for path in sorted(glob.glob(source)): | ||||||
|  |                     name = dirname + '/' + os.path.basename(path) | ||||||
|  |                     z.write(path, name) | ||||||
|  |             else: | ||||||
|  |                 z.write(source, name) | ||||||
|  | try: | ||||||
|  |     mask = os.umask(0) | ||||||
|  |     os.umask(mask) | ||||||
|  | except OSError: | ||||||
|  |     mask = 0 | ||||||
|  | os.chmod(z.filename, 0o777&~mask) | ||||||
							
								
								
									
										862
									
								
								clients/nntp_client.py
									
									
									
									
									
										Normal file
									
								
							
							
						
						
									
										862
									
								
								clients/nntp_client.py
									
									
									
									
									
										Normal file
									
								
							| @ -0,0 +1,862 @@ | |||||||
|  | from collections import namedtuple | ||||||
|  | from urllib.error import URLError | ||||||
|  | import urllib.request as url | ||||||
|  | from hashlib import sha256 | ||||||
|  | import email.utils | ||||||
|  | import nntplib | ||||||
|  | import time | ||||||
|  | import json | ||||||
|  | import ssl | ||||||
|  | import re | ||||||
|  | 
 | ||||||
|  | import os | ||||||
|  | 
 | ||||||
|  | __all__ = ('BBJNews','URLError') | ||||||
|  | 
 | ||||||
|  | class BBJNews(object): | ||||||
|  |     # this module isnt exactly complete. The below description claims | ||||||
|  |     # `all of its endpoints are mapped to native methods` though this | ||||||
|  |     # is not yet true. The documentation for the API is not yet | ||||||
|  |     # complete, and neither is this client. Currently this module is | ||||||
|  |     # being adapted to fit the needs of the urwid client. As it evolves, | ||||||
|  |     # and the rest of the project evolves, this client will be completed | ||||||
|  |     # and well documented. | ||||||
|  |     """ | ||||||
|  |     A python implementation to the BBJ api: all of its endpoints are | ||||||
|  |     mapped to native methods, it maps error responses to exceptions, and | ||||||
|  |     it includes helper functions for several common patterns. | ||||||
|  | 
 | ||||||
|  |     It should be noted that endpoints utilizing usermaps are returned as | ||||||
|  |     tuples, where [0] is the value and [1] is the usermap dictionary. | ||||||
|  |     Methods who do this will mention it in their documentation. | ||||||
|  |     You can call them like `threads, usermap = bbj.thread_index()` | ||||||
|  | 
 | ||||||
|  |     __init__ can take a host string and a port value (which can be | ||||||
|  |     either int or str). It defaults to "127.0.0.1" and 7099, expanding | ||||||
|  |     out to http://127.0.0.1:7099/. | ||||||
|  | 
 | ||||||
|  |     Standard library exceptions are used, but several new attributes are | ||||||
|  |     attached to them before raising: .code, .description, and .body. | ||||||
|  |     code and description map the same values returned by the api. body | ||||||
|  |     is the raw error object. Classes are mapped as follows: | ||||||
|  | 
 | ||||||
|  |       0, 1, 2: ChildProcessError | ||||||
|  |       3: ValueError | ||||||
|  |       4: UserWarning | ||||||
|  |       5: ConnectionRefusedError | ||||||
|  | 
 | ||||||
|  |     attributes can be accessed as follows: | ||||||
|  | 
 | ||||||
|  |     try: | ||||||
|  |         response = bbj.endpoint(): | ||||||
|  |     except UserWarning as e: | ||||||
|  |         assert e.code == 4 | ||||||
|  |         print(e.description) | ||||||
|  |         # want the raw error object? thats weird, but whatever. | ||||||
|  |         return e.body | ||||||
|  | 
 | ||||||
|  |     See the offical API error documentation for more details. | ||||||
|  |     """ | ||||||
|  |     def __init__(self, host="127.0.0.1", port=119, https=False): | ||||||
|  |         """ | ||||||
|  |         Optionally takes port and host as kwargs. It will immediately | ||||||
|  |         try to resolve a connection to the server, if its down, it | ||||||
|  |         raises a URLError. | ||||||
|  | 
 | ||||||
|  |         Important attributes: | ||||||
|  |           .base is a string url for which all requests go to. It is | ||||||
|  |           constructed on instantiation and the standalone host/port | ||||||
|  |           are not stored. | ||||||
|  | 
 | ||||||
|  |           .user_{name,auth} can be None, or strings of the username | ||||||
|  |           and the authorization hash, respectively. When both values | ||||||
|  |           are present (ie both resolve to True in a boolean context), | ||||||
|  |           the request method sends this info with all its requests | ||||||
|  |           and the user is effectively "logged in". | ||||||
|  | 
 | ||||||
|  |           .send_auth, defaulting to True, determines whether to send | ||||||
|  |           authorization information when it is available (see above). | ||||||
|  |           If you set this to False, anonymous network usage is | ||||||
|  |           guaranteed. | ||||||
|  |         """ | ||||||
|  |         host = "news.tildeverse.org" | ||||||
|  |         self.host = host | ||||||
|  |         self.port = port | ||||||
|  |         self.tls = https | ||||||
|  |         self.group = "local.test" | ||||||
|  | 
 | ||||||
|  |         self.user_name = None | ||||||
|  |         self.user_auth = None | ||||||
|  |         self.send_auth = True | ||||||
|  |         self.user = { | ||||||
|  |             "user_id": "", | ||||||
|  |             "user_name": "anonymous", | ||||||
|  |             "is_admin": False, | ||||||
|  |             "color": 0, | ||||||
|  |         } | ||||||
|  |         self.instance_info = { | ||||||
|  |             "instance_name": "TEST nntp TEST", | ||||||
|  |             "allow_anon": True, | ||||||
|  |             "admins": [], | ||||||
|  |         } | ||||||
|  | 
 | ||||||
|  |         #self.connect() | ||||||
|  | 
 | ||||||
|  |         #try: | ||||||
|  |         #    self.user = self("get_me")["data"] | ||||||
|  |         #    self.update_instance_info() | ||||||
|  |         #except URLError: | ||||||
|  |         #    raise URLError("Cannot connect to %s (is the server down?)" % self.base[0:-2]) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     def __call__(self, *args, **kwargs): | ||||||
|  |         """ | ||||||
|  |         Calling the network object itself is exactly the same as calling | ||||||
|  |         it's .request() method. | ||||||
|  |         """ | ||||||
|  |         return self.request(*args, **kwargs) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     def _hash(self, string): | ||||||
|  |         """ | ||||||
|  |         Handy function to hash a password and return it. | ||||||
|  |         """ | ||||||
|  |         return sha256(bytes(string, "utf8")).hexdigest() | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     def connect(self): | ||||||
|  |         self.conn = nntplib.NNTP(self.host, self.port, usenetrc=False) | ||||||
|  |         if self.tls: | ||||||
|  |             context = ssl.create_default_context() | ||||||
|  |             self.conn.starttls(context) | ||||||
|  | 
 | ||||||
|  |         # TODO: reconnect automatically | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     def request(self, endpoint, **params): | ||||||
|  |         """ | ||||||
|  |         Takes the string endpoint, and a variable number of kwargs | ||||||
|  |         to pass into the request body. The parameters required will | ||||||
|  |         vary by endpoint, and if they are wrong, ValueError will be | ||||||
|  |         raised. | ||||||
|  | 
 | ||||||
|  |         However, one kwarg is magical here: no_auth. If you include | ||||||
|  |         this, its not sent with the request, it just disables the | ||||||
|  |         sending of auth info when it is available (for more info, | ||||||
|  |         read __init__'s documentation). | ||||||
|  | 
 | ||||||
|  |         You don't have to use this method yourself, the other methods | ||||||
|  |         must use this as a base though. | ||||||
|  | 
 | ||||||
|  |         See raise_exception() for details on how this function reacts | ||||||
|  |         to various failure conditions. | ||||||
|  |         """ | ||||||
|  | 
 | ||||||
|  |         if endpoint == "get_me": | ||||||
|  |             return {"error": False, "data": self.user.copy(), "usermap": {}} | ||||||
|  | 
 | ||||||
|  |         return { | ||||||
|  |             "error": { | ||||||
|  |                 "code": 0, | ||||||
|  |                 "description": "unsupported endpoint", | ||||||
|  |             }, | ||||||
|  |             "data": None, | ||||||
|  |             "usermap": {}, | ||||||
|  |         } | ||||||
|  | 
 | ||||||
|  |         headers = {"Content-Type": "application/json"} | ||||||
|  |         if params.get("no_auth"): | ||||||
|  |             params.pop("no_auth") | ||||||
|  | 
 | ||||||
|  |         elif all([self.send_auth, self.user_name, self.user_auth]): | ||||||
|  |             headers.update({"User": self.user_name, "Auth": self.user_auth}) | ||||||
|  | 
 | ||||||
|  |         data = bytes(json.dumps(params), "utf8") | ||||||
|  |         request = url.Request( | ||||||
|  |             self.base % endpoint, | ||||||
|  |             data=data, | ||||||
|  |             headers=headers) | ||||||
|  | 
 | ||||||
|  |         try: | ||||||
|  |             with url.urlopen(request) as _r: | ||||||
|  |                 response = _r.read() | ||||||
|  |         except url.HTTPError as e: | ||||||
|  |             response = e.file.read() | ||||||
|  |         value = json.loads(str(response, "utf8")) | ||||||
|  | 
 | ||||||
|  |         if value and value.get("error"): | ||||||
|  |             self.raise_exception(value["error"]) | ||||||
|  | 
 | ||||||
|  |         return value | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     def raise_exception(self, error_object): | ||||||
|  |         """ | ||||||
|  |         Takes an API error object and raises the appropriate exception, | ||||||
|  |         attaching the code and description to the object. The classes | ||||||
|  |         are mapped to the codes as follows: | ||||||
|  | 
 | ||||||
|  |         0, 1, 2: ChildProcessError (internal server, http, and json errors) | ||||||
|  |         3: ValueError (invalid endpoint arguments) | ||||||
|  |         4: UserWarning (illegal values provided by user, not a real "error") | ||||||
|  |         5: ConnectionRefusedError (authorizations declined) | ||||||
|  | 
 | ||||||
|  |         To capture a code and description in your client: | ||||||
|  | 
 | ||||||
|  |         try: | ||||||
|  |             response = bbj.endpoint(): | ||||||
|  |         except UserWarning as e: | ||||||
|  |             assert e.code == 4 | ||||||
|  |             print(e.description) | ||||||
|  |             # want the raw error object? thats weird, but whatever. | ||||||
|  |             return e.body | ||||||
|  |         """ | ||||||
|  |         description = error_object["description"] | ||||||
|  |         code = error_object["code"] | ||||||
|  |         if code in [0, 1, 2]: | ||||||
|  |             e = ChildProcessError(description) | ||||||
|  | 
 | ||||||
|  |         elif code == 3: | ||||||
|  |             e = ValueError(description) | ||||||
|  | 
 | ||||||
|  |         elif code == 4: | ||||||
|  |             e = UserWarning(description) | ||||||
|  | 
 | ||||||
|  |         elif code == 5: | ||||||
|  |             e = ConnectionRefusedError(description) | ||||||
|  | 
 | ||||||
|  |         e.code, e.description, e.body = code, description, error_object | ||||||
|  |         raise e | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     def update_instance_info(self): | ||||||
|  |         """ | ||||||
|  |         Stores configuration info for the connected BBJ server. | ||||||
|  | 
 | ||||||
|  |         { | ||||||
|  |             "instance_name": (string), // a title set by the server owner | ||||||
|  |             "allow_anon": (bool), // whether anonymous participation is allowed | ||||||
|  |             "admins": (list) // usernames of those who have admin rights on the server | ||||||
|  |         } | ||||||
|  |         """ | ||||||
|  |         # TODO | ||||||
|  |         #response = self("instance_info") | ||||||
|  |         #self.instance_info = response["data"] | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     # unsupported | ||||||
|  |     def validate(self, key, value, exception=AssertionError): | ||||||
|  |         """ | ||||||
|  |         Uses the server's db_validate method to verify the validty | ||||||
|  |         of `value` by `key`. If it is invalid, kwarg exception (default | ||||||
|  |         AssertionError) is raised with the exception containing the | ||||||
|  |         attribute .description as the server's reason. Exception can | ||||||
|  |         be a False value to just return boolean False. | ||||||
|  | 
 | ||||||
|  |         Examples: | ||||||
|  | 
 | ||||||
|  |         # this will fail bacause the server wont allow newlines in usernames. | ||||||
|  |           try: | ||||||
|  |               bbj.validate("user_name", "des\nvox") | ||||||
|  |           except AssertionError as e: | ||||||
|  |               print(e.description) | ||||||
|  | 
 | ||||||
|  |         # or you can handle it as a boolean like this: | ||||||
|  |         is_okay = bbj.validate("title", "teacups and roses <3", exception=None) | ||||||
|  |         """ | ||||||
|  |         return True | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     def validate_all(self, keys_and_values, exception=AssertionError): | ||||||
|  |         """ | ||||||
|  |         Takes a single iterable object as its argument, containing | ||||||
|  |         assertions to make, and applies `validate` to each pair. | ||||||
|  |         See `validate` for full details. This method also takes | ||||||
|  |         the kwarg `exception`, and passes it to validate. | ||||||
|  | 
 | ||||||
|  |         Returns a list containing each response from validate. Under | ||||||
|  |         successful circumstances, each element will be True. If you | ||||||
|  |         specify exception=None, then the elements can contain false | ||||||
|  |         as well. | ||||||
|  | 
 | ||||||
|  |         Example: | ||||||
|  |           values = [ | ||||||
|  |             ("title", "the wea\nther sucks"), | ||||||
|  |             ("body", "rain is gross lmao") | ||||||
|  |           ] | ||||||
|  | 
 | ||||||
|  |           try: | ||||||
|  |               bbj.validate_all(values) | ||||||
|  |           except AssertionError as e: | ||||||
|  |               print(e.description) | ||||||
|  | 
 | ||||||
|  |           # as booleans: | ||||||
|  |           validated = bbj.validate_all(values, exception=None) | ||||||
|  |           # => [False, True] | ||||||
|  |           assert all(validated) | ||||||
|  | 
 | ||||||
|  |         """ | ||||||
|  |         return [ | ||||||
|  |             self.validate(key, value, exception) for key, value in keys_and_values | ||||||
|  |         ] | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     # AUTHINFO? | ||||||
|  |     def set_credentials(self, user_name, user_auth, hash_auth=True, check_validity=True): | ||||||
|  |         """ | ||||||
|  |         Internalizes user_name and user_auth. Unless hash_auth=False is | ||||||
|  |         specified, user_auth is assumed to be an unhashed password | ||||||
|  |         string and it gets hashed with sha256. If you want to handle | ||||||
|  |         hashing yourself, make sure to disable that. | ||||||
|  | 
 | ||||||
|  |         Unless check_validity is set to false, the new credentials are | ||||||
|  |         sent to the server and a ConnectionRefusedError is raised if | ||||||
|  |         they do not match server authentication data. ValueError is | ||||||
|  |         raised if the credentials contain illegal values, or the | ||||||
|  |         specified user is not registered. If you need to differentiate | ||||||
|  |         the two, using the method `user_is_registered` might be more | ||||||
|  |         your speed. | ||||||
|  | 
 | ||||||
|  |         On success, True is returned and the values are set. Subsequent | ||||||
|  |         requests will now be authorized for the user (see request()'s | ||||||
|  |         documentation for details on how to override this behavior | ||||||
|  |         when necessary) | ||||||
|  | 
 | ||||||
|  |         Examples: | ||||||
|  |           try: | ||||||
|  |               bbj.set_credentials("desvox", "i am sandvich") | ||||||
|  |           except ConnectionRefusedError: | ||||||
|  |               # bad auth info | ||||||
|  |           except ValueError: | ||||||
|  |               # paramter validation failed or the user is not registered | ||||||
|  | 
 | ||||||
|  |           # you can handle hashing yourself if you want | ||||||
|  |           password = input("Enter your password:") | ||||||
|  |           bbj.set_credentials( | ||||||
|  |               "desvox", | ||||||
|  |               sha256(bytes(password, "utf8")).hexdigest(), | ||||||
|  |               hash_auth=False | ||||||
|  |           ) | ||||||
|  |         """ | ||||||
|  |         self.conn.login(user_name, user_auth, usernetrc=False) | ||||||
|  |         # TODO: catch | ||||||
|  | 
 | ||||||
|  |         self.user_auth = user_auth | ||||||
|  |         self.user_name = user_name | ||||||
|  |         #self.user = self("get_me")["data"] | ||||||
|  |         self.user['user_name'] = user_name | ||||||
|  |         return True | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     # unused | ||||||
|  |     def validate_credentials(self, user_name, user_auth, exception=True): | ||||||
|  |         """ | ||||||
|  |         Pings the server to check that user_name can be authenticated with | ||||||
|  |         user_auth. Raises ConnectionRefusedError if they cannot. Raises | ||||||
|  |         ValueError if the credentials contain illegal values. | ||||||
|  | 
 | ||||||
|  |         Alternatively, you can specify exception=False to just return a | ||||||
|  |         boolean False if the credentials are incorrect. Will still raise | ||||||
|  |         a ValueError if the parameters are illegal. | ||||||
|  | 
 | ||||||
|  |         Example: | ||||||
|  |           # this method DOES NOT take a password string. it must be hashed. | ||||||
|  |           try: validate_credentials("desvox", hashed_password) | ||||||
|  |           except ConnectionRefusedError: | ||||||
|  |               ... | ||||||
|  |           except ValueError: | ||||||
|  |               ... | ||||||
|  | 
 | ||||||
|  |           # as a boolean: | ||||||
|  |           is_okay = bbj.validate_credentials("desvox", hashed_password, exception=False) | ||||||
|  |         """ | ||||||
|  |         self.validate_all([ | ||||||
|  |                 ("user_name", user_name), | ||||||
|  |                 ("auth_hash", user_auth) | ||||||
|  |             ], ValueError) | ||||||
|  |         try: | ||||||
|  |             response = self("check_auth", | ||||||
|  |                 no_auth=True, | ||||||
|  |                 target_user=user_name, | ||||||
|  |                 target_hash=user_auth | ||||||
|  |             ) | ||||||
|  |             return response["data"] | ||||||
|  | 
 | ||||||
|  |         except ConnectionRefusedError as e: | ||||||
|  |             if exception: | ||||||
|  |                 raise e | ||||||
|  |             return False | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     # unsupported | ||||||
|  |     def user_is_registered(self, user_name): | ||||||
|  |         """ | ||||||
|  |         Returns True or False whether user_name is registered | ||||||
|  |         into the system. | ||||||
|  |         """ | ||||||
|  |         response = self( | ||||||
|  |             "user_is_registered", | ||||||
|  |             no_auth=True, | ||||||
|  |             target_user=user_name | ||||||
|  |         ) | ||||||
|  | 
 | ||||||
|  |         return response["data"] | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     # unsupported | ||||||
|  |     def user_register(self, user_name, user_auth, hash_auth=True, set_as_user=True): | ||||||
|  |         """ | ||||||
|  |         Register user_name into the system with user_auth. Unless hash_auth | ||||||
|  |         is set to false, user_auth should be a password string. | ||||||
|  | 
 | ||||||
|  |         When set_as_user is True, the newly registered user is internalized | ||||||
|  |         and subsequent uses of the object will be authorized for them. | ||||||
|  | 
 | ||||||
|  |         Example: | ||||||
|  | 
 | ||||||
|  |           try: | ||||||
|  |               bbj.user_register("desvox", "sandvich") | ||||||
|  |           except UserWarning as e: | ||||||
|  |               # show this to users. always. | ||||||
|  |               print(e.description) | ||||||
|  | 
 | ||||||
|  |           # the object is now also set for this user... | ||||||
|  |           assert bbj.get_me()["user_name"] == "desvox" | ||||||
|  |           # ...unless you call it like this: | ||||||
|  |           # bbj.user_register("desvox", "sandvich", set_as_user=False) | ||||||
|  |         """ | ||||||
|  |         if hash_auth: | ||||||
|  |             user_auth = sha256(bytes(user_auth, "utf8")).hexdigest() | ||||||
|  | 
 | ||||||
|  |         response = self("user_register", | ||||||
|  |             no_auth=True, | ||||||
|  |             user_name=user_name, | ||||||
|  |             auth_hash=user_auth | ||||||
|  |         )["data"] | ||||||
|  | 
 | ||||||
|  |         assert all([ | ||||||
|  |             user_auth == response["auth_hash"], | ||||||
|  |             user_name == response["user_name"] | ||||||
|  |         ]) | ||||||
|  | 
 | ||||||
|  |         if set_as_user: | ||||||
|  |             self.set_credentials(user_name, user_auth, False) | ||||||
|  | 
 | ||||||
|  |         return response | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     def user_update(self, **params): | ||||||
|  |         """ | ||||||
|  |         Update the user's data on the server. The new parameters | ||||||
|  |         may be any of `user_name`, `auth_hash`, `quip`, `bio`, | ||||||
|  |         `color`. On success, the newly updated user object is | ||||||
|  |         returned and is also internalized as self.user. | ||||||
|  |         """ | ||||||
|  |         if params.get("user_name"): | ||||||
|  |             self.user_name = params["user_name"] | ||||||
|  |         if params.get("auth_hash"): | ||||||
|  |             self.user_auth = params["auth_hash"] | ||||||
|  |         self.user.update(**params) | ||||||
|  |         return self.user | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     # unused | ||||||
|  |     def user_get(self, user_id_or_name): | ||||||
|  |         """ | ||||||
|  |         Return a full user object by their id or username. | ||||||
|  |         Note that this isn't required when using thread_load | ||||||
|  |         or thread_index, because they return a usermap which | ||||||
|  |         is a dictionary with keys of the ids connected to these | ||||||
|  |         same objects. You shouldn't use this method when a usermap | ||||||
|  |         is provided. | ||||||
|  | 
 | ||||||
|  |         If the user element isnt found, ValueError is raised. | ||||||
|  |         See also `user_is_registered` | ||||||
|  |         """ | ||||||
|  |         response = self("user_get", target_user=user_id_or_name) | ||||||
|  |         return response["data"] | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     def thread_index(self, include_op=False): | ||||||
|  |         """ | ||||||
|  |         Returns a tuple where [0] is a list of all threads ordered by | ||||||
|  |         most recently interacted, and [1] is a usermap object. | ||||||
|  | 
 | ||||||
|  |         Example: | ||||||
|  |           threads, usermap = bbj.thread_index() | ||||||
|  |           for thread in threads: | ||||||
|  |               author_id = thread["author"] | ||||||
|  |               print(usermap[author_id]["user_name"]) | ||||||
|  |         """ | ||||||
|  |         if os.path.exists("overview_cache.bbj.json"): | ||||||
|  |             with open("overview_cache.bbj.json", "rt") as f: | ||||||
|  |                 overviews = json.load(f) | ||||||
|  |         else: | ||||||
|  |             response, count, first, last, name = self.conn.group(self.group) | ||||||
|  | 
 | ||||||
|  |             response, overviews = self.conn.over((first, None)) | ||||||
|  |             with open("overview_cache.bbj.json", "wt") as f: | ||||||
|  |                 json.dump(overviews, f) | ||||||
|  | 
 | ||||||
|  |         # overviews is a list of (article_number, overview) tuples, | ||||||
|  |         # one for each article. | ||||||
|  |         # | ||||||
|  |         # Each overview is a dictionary containing at least: | ||||||
|  |         # | ||||||
|  |         #       subject, from, date, | ||||||
|  |         #          message-id, references - article headers | ||||||
|  |         #       :bytes - the number of bytes in the article | ||||||
|  |         #       :lines - the number of lines in the body (deprecated) | ||||||
|  | 
 | ||||||
|  |         # see also: https://www.jwz.org/doc/threading.html | ||||||
|  |         threads = _overviews_to_threads_fancy(overviews) | ||||||
|  | 
 | ||||||
|  |         # make usermap | ||||||
|  |         usermap = {} | ||||||
|  |         for num, ov in overviews: | ||||||
|  |             userid = nntplib.decode_header(ov['from']) | ||||||
|  |             if userid in usermap: | ||||||
|  |                 continue | ||||||
|  |             addr = _parse_single_address(userid) | ||||||
|  |             usermap[userid] = { | ||||||
|  |                 'user_id': userid, | ||||||
|  |                 'user_name': addr.name or addr.user, | ||||||
|  |                 'address': addr.address, | ||||||
|  |                 'color': colorhash(userid), | ||||||
|  |                 'is_admin': False, # TODO: LIST MODERATORS? | ||||||
|  |             } | ||||||
|  | 
 | ||||||
|  |         threads.sort(key=lambda x: x['last_mod'], reverse=True) | ||||||
|  |         return threads, usermap | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     def thread_load(self, thread_id, format=None, op_only=False): | ||||||
|  |         """ | ||||||
|  |         Returns a tuple where [0] is a thread object and [1] is a usermap object. | ||||||
|  | 
 | ||||||
|  |         Example: | ||||||
|  |           thread, usermap = bbj.thread_load(some_id) | ||||||
|  |           for message in thread["messages"]: | ||||||
|  |               author_id = message["author"] | ||||||
|  |               print(usermap[author_id]["user_name"]) | ||||||
|  |               print(message["body"]) | ||||||
|  |         """ | ||||||
|  |         m = self.fake_message('oops...') | ||||||
|  |         return {"title":"", "messages":[m], "author":m['author']}, {m['author']: self.user} | ||||||
|  | 
 | ||||||
|  |         response = self("thread_load", | ||||||
|  |             format=format, thread_id=thread_id, op_only=op_only) | ||||||
|  |         return response["data"], response["usermap"] | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     # POST | ||||||
|  |     def thread_create(self, title, body): | ||||||
|  |         """ | ||||||
|  |         Submit a new thread, and return its new object. Requires the | ||||||
|  |         string arguments `title` and `body`. Title must be under | ||||||
|  |         120 chars in length, else UserWarning is raised. Body must | ||||||
|  |         also not be empty. | ||||||
|  |         """ | ||||||
|  |         raise NotImplementedError | ||||||
|  | 
 | ||||||
|  |         response = self("thread_create", title=title, body=body) | ||||||
|  |         return response["data"] | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     # POST | ||||||
|  |     def thread_reply(self, thread_id, body): | ||||||
|  |         """ | ||||||
|  |         Submits a new reply to a thread and returns the new object. | ||||||
|  |         Requires the thread's id and a non-empty body string. | ||||||
|  |         """ | ||||||
|  |         raise NotImplementedError | ||||||
|  | 
 | ||||||
|  |         response = self("thread_reply", thread_id=thread_id, body=body) | ||||||
|  |         return response["data"] | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     def fake_message(self, body="!!", format="sequential", author=None, post_id=0): | ||||||
|  |         """ | ||||||
|  |         Produce a a valid message object with `body`. Useful for | ||||||
|  |         testing and can also be used mimic server messages in a | ||||||
|  |         client. | ||||||
|  |         """ | ||||||
|  |         return { | ||||||
|  |             "body": self.format_message(body, format), | ||||||
|  |             "author": author or self.user["user_id"], | ||||||
|  |             "post_id": post_id, | ||||||
|  |             "created": time.time(), | ||||||
|  |             "edited": False, | ||||||
|  |             "send_raw": False, | ||||||
|  |             "thread_id": "gibberish" | ||||||
|  |         } | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     def format_message(self, body, format="sequential"): | ||||||
|  |         """ | ||||||
|  |         Send `body` to the server to be formatted according to `format`, | ||||||
|  |         defaulting to the sequential parser. Returns the body object. | ||||||
|  |         """ | ||||||
|  |         return [[(None, body)]] | ||||||
|  |         #response = self("format_message", body=body, format=format) | ||||||
|  |         #return response["data"] | ||||||
|  | 
 | ||||||
|  |     # unsupported | ||||||
|  |     def message_delete(self, thread_id, post_id): | ||||||
|  |         """ | ||||||
|  |         Delete message `post_id` from `thread_id`. The same rules apply | ||||||
|  |         to deletions as they do for edits. The same exceptions are raised | ||||||
|  |         with the same descriptions. If post_id is 0, this will also delete | ||||||
|  |         the entire thread. Returns True on success. | ||||||
|  |         """ | ||||||
|  |         response = self("delete_post", thread_id=thread_id, post_id=post_id) | ||||||
|  |         return response["data"] | ||||||
|  | 
 | ||||||
|  |     # done | ||||||
|  |     def edit_query(self, thread_id, post_id): | ||||||
|  |         """ | ||||||
|  |         Queries ther server database to see if a post can | ||||||
|  |         be edited by the logged in user. thread_id and | ||||||
|  |         post_id are required. | ||||||
|  | 
 | ||||||
|  |         Returns a message object on success, or raises | ||||||
|  |         a UserWarning describing why it failed. | ||||||
|  |         """ | ||||||
|  |         raise UserWarning("NNTP posts cannot be edited") | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     # done | ||||||
|  |     def can_edit(self, thread_id, post_id): | ||||||
|  |         """ | ||||||
|  |         Return bool True/False that the post at thread_id | post_id | ||||||
|  |         can be edited by the logged in user. Will not raise UserWarning. | ||||||
|  |         """ | ||||||
|  |         return False | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     # done | ||||||
|  |     def edit_message(self, thread_id, post_id, new_body): | ||||||
|  |         """ | ||||||
|  |         Requires the thread_id and post_id. The edit flag is then | ||||||
|  |         set on the message, new_body is set on the server, and the | ||||||
|  |         newly edited message object is returned on success. | ||||||
|  | 
 | ||||||
|  |         Will raise UserWarning if server editing rules are violated. | ||||||
|  |         See also `can_edit` and `edit_query` | ||||||
|  |         """ | ||||||
|  |         raise UserWarning("NNTP posts cannot be edited") | ||||||
|  | 
 | ||||||
|  |     # unused | ||||||
|  |     def set_post_raw(self, thread_id, post_id, value): | ||||||
|  |         """ | ||||||
|  |         This is a subset of `edit_message` that retains the old | ||||||
|  |         body and just sets its `send_raw` to your supplied `value`. | ||||||
|  |         The `edited` parameter of the message on the server is not | ||||||
|  |         modified. | ||||||
|  |         """ | ||||||
|  |         response = self( | ||||||
|  |             "set_post_raw", | ||||||
|  |             thread_id=thread_id, | ||||||
|  |             post_id=post_id, | ||||||
|  |             value=bool(value)) | ||||||
|  |         return response["data"] | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     # done | ||||||
|  |     def user_is_admin(self, user_name_or_id): | ||||||
|  |         """ | ||||||
|  |         Return boolean True or False whether the given user identifier | ||||||
|  |         is an admin on the server. Will raise ValueError if this user | ||||||
|  |         is not registered. | ||||||
|  |         """ | ||||||
|  |         return False | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     # unsupported | ||||||
|  |     def thread_set_pin(self, thread_id, new_status): | ||||||
|  |         """ | ||||||
|  |         Set whether a thread should be pinned or not. new_status | ||||||
|  |         is evaluated as a boolean, and given that the logged in | ||||||
|  |         user is an admin, the thread is set to this status on | ||||||
|  |         the server, and the boolean is returned. | ||||||
|  |         """ | ||||||
|  |         return None | ||||||
|  |         #raise NotImplementedError | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     # unused | ||||||
|  |     def message_feed(self, time, format=None): | ||||||
|  |         """ | ||||||
|  |         Returns a special object representing all activity on the board since | ||||||
|  |         the argument `time`, a unix/epoch timestamp. | ||||||
|  | 
 | ||||||
|  |         { | ||||||
|  |             "threads": { | ||||||
|  |                 "thread_id": { | ||||||
|  |                     ...thread object | ||||||
|  |                 }, | ||||||
|  |                 ...more thread_id/object pairs | ||||||
|  |             }, | ||||||
|  |             "messages": [...standard message object array sorted by date], | ||||||
|  |             "usermap": { | ||||||
|  |                 ...standard user_id mapping object | ||||||
|  |             } | ||||||
|  |         } | ||||||
|  | 
 | ||||||
|  |         The message objects in "messages" are the same objects returned | ||||||
|  |         in threads normally. They each have a thread_id parameter, and | ||||||
|  |         you can access metadata for these threads by the "threads" object | ||||||
|  |         which is also provided. All user_ids can be resolved into full user | ||||||
|  |         objects from the usermap object. | ||||||
|  | 
 | ||||||
|  |         The "messages" array is already sorted by submission time, newest | ||||||
|  |         first. The order in the threads object is undefined and you should | ||||||
|  |         instead use their `last_mod` attribute if you intend to list them | ||||||
|  |         out visually. | ||||||
|  | 
 | ||||||
|  |         the optional argument `format` can be given and bahaves the same | ||||||
|  |         as `thread_load`. | ||||||
|  |         """ | ||||||
|  |         response = self("message_feed", time=time, format=format) | ||||||
|  |         return { | ||||||
|  |             "usermap": response["usermap"], | ||||||
|  |             "threads": response["data"]["threads"], | ||||||
|  |             "messages": response["data"]["messages"] | ||||||
|  |         } | ||||||
|  | 
 | ||||||
|  | def _overviews_to_threads_fancy(overviews): | ||||||
|  |     # build up a map of message references | ||||||
|  |     # we use a disjoint-set data structure | ||||||
|  |     # to find the root of each message | ||||||
|  |     threadmap = {} | ||||||
|  |     def find(id): | ||||||
|  |         parent = threadmap.setdefault(id, id) | ||||||
|  |         if parent == id: | ||||||
|  |             return id | ||||||
|  |         root = find(parent) | ||||||
|  |         if root != parent: | ||||||
|  |             threadmap[id] = root | ||||||
|  |         return root | ||||||
|  | 
 | ||||||
|  |     messages = {} | ||||||
|  |     for num, ov in overviews: | ||||||
|  |         try: | ||||||
|  |             msgid = nntplib.decode_header(ov['message-id']).strip() | ||||||
|  |             refs = _parse_message_ids(nntplib.decode_header(ov['references'])) | ||||||
|  |         except ValueError: | ||||||
|  |             continue | ||||||
|  | 
 | ||||||
|  |         messages[msgid] = (num, msgid, ov) | ||||||
|  |         for r in refs: | ||||||
|  |             threadmap[find(msgid)] = find(r) | ||||||
|  | 
 | ||||||
|  |     thread_messages = {} | ||||||
|  |     for id in messages: | ||||||
|  |         root = find(id) | ||||||
|  |         l = thread_messages.setdefault(root, []) | ||||||
|  |         l.append(messages[id]) | ||||||
|  | 
 | ||||||
|  |     threads = [] | ||||||
|  |     for id, messages in thread_messages.items(): | ||||||
|  |         messages.sort(key=lambda x: x[0]) | ||||||
|  |         first = messages[0][2] | ||||||
|  |         last = messages[-1][2] | ||||||
|  |         try: | ||||||
|  |             d = nntplib.decode_header(first['date']) | ||||||
|  |             d = email.utils.mktime_tz(email.utils.parsedate_tz(d)) | ||||||
|  |             d2 = nntplib.decode_header(last['date']) | ||||||
|  |             d2 = email.utils.mktime_tz(email.utils.parsedate_tz(d2)) | ||||||
|  |             t = { | ||||||
|  |                 'pinned': False, | ||||||
|  |                 'title': nntplib.decode_header(first['subject']), | ||||||
|  |                 'reply_count': len(messages), | ||||||
|  |                 'thread_id': nntplib.decode_header(first['message-id']), | ||||||
|  |                 'author': nntplib.decode_header(first['from']), | ||||||
|  |                 'created': d, | ||||||
|  |                 'last_author': nntplib.decode_header(last['from']), | ||||||
|  |                 'last_mod': d2, | ||||||
|  |             } | ||||||
|  |         except (ValueError, KeyError, IndexError): | ||||||
|  |             continue | ||||||
|  |         else: | ||||||
|  |             threads.append(t) | ||||||
|  | 
 | ||||||
|  |     return threads | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | def _overview_to_threads(overviews): | ||||||
|  |     # make every message its own thread, for prototyping purposes | ||||||
|  |     #t = { | ||||||
|  |     #    'title': str, | ||||||
|  |     #    'reply_count': int, # does this include the OP? | ||||||
|  |     #    'pinned': bool, | ||||||
|  |     #    'thread_id': uuid | ||||||
|  |     #    'author': user_uuid, | ||||||
|  |     #    'created': time, | ||||||
|  |     #    'last_mod': time, | ||||||
|  |     #    'last_author': user_uuid, | ||||||
|  |     #} | ||||||
|  |     threads = [] | ||||||
|  |     for num, ov in overviews: | ||||||
|  |         try: | ||||||
|  |             d = nntplib.decode_header(ov['date']) | ||||||
|  |             d = email.utils.mktime_tz(email.utils.parsedate_tz(d)) | ||||||
|  |             t = { | ||||||
|  |                 'pinned': False, | ||||||
|  |                 'title': nntplib.decode_header(ov['subject']), | ||||||
|  |                 'reply_count': 1, | ||||||
|  |                 'thread_id': nntplib.decode_header(ov['message-id']), | ||||||
|  |                 'author': nntplib.decode_header(ov['from']), | ||||||
|  |                 'created': d, | ||||||
|  |                 'last_mod': d, | ||||||
|  |                 'last_author': nntplib.decode_header(ov['from']), | ||||||
|  |                 # nntp-specific fields | ||||||
|  |                 'news_id': num, | ||||||
|  |             } | ||||||
|  |         except ValueError: | ||||||
|  |             continue | ||||||
|  |         else: | ||||||
|  |             threads.append(t) | ||||||
|  |     return threads | ||||||
|  | 
 | ||||||
|  | def _test_overview_to_threads(): | ||||||
|  |     with open("overview.txt") as f: | ||||||
|  |         lines = f.readlines() | ||||||
|  |     fmt = ['subject', 'from', 'date', 'message-id', 'references', ':bytes', ':lines', 'xref'] | ||||||
|  |     overviews = nntplib._parse_overview(lines, fmt) | ||||||
|  |     threads = _overview_to_threads(overviews) | ||||||
|  |     for t in threads: | ||||||
|  |         print(t) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  | _atext = r"[a-zA-Z0-9!#$%&'\*\+\-/=?^_`{|}~]" # RFC 5322 §3.2.3 | ||||||
|  | _dotatext = r"%s+(?:\.%s+)*" % (_atext, _atext) | ||||||
|  | _mdtext = r"\[[!-=\?-Z^-~]\]" | ||||||
|  | _msg_id_re = re.compile(r'<%s@(?:%s|%s)>' % (_dotatext, _dotatext, _mdtext)) # RFC 5536 §3.1.3 | ||||||
|  | 
 | ||||||
|  | def _parse_message_ids(s): | ||||||
|  |     """parses a list of message ids separated by junk""" | ||||||
|  |     return _msg_id_re.findall(s) | ||||||
|  | 
 | ||||||
|  | class Address(namedtuple('Address', 'name, address')): | ||||||
|  |     @property | ||||||
|  |     def user(self): | ||||||
|  |         user, _, _ = self.address.partition("@") | ||||||
|  |         return user | ||||||
|  | 
 | ||||||
|  | def _parse_single_address(value): | ||||||
|  |     # the email.headerregistry api is truly bizarre | ||||||
|  |     # and involves *constructing a class on the fly* | ||||||
|  |     # to parse a simple value. | ||||||
|  |     # there's a get_mailbox function that does exactly | ||||||
|  |     # what we want but it's in the internal _header_value_parser | ||||||
|  |     # module so we probably shoudn't use it. | ||||||
|  |     name, addr = email.utils.parseaddr(value) | ||||||
|  |     if name == '' and addr == '': | ||||||
|  |         raise ValueError(value) | ||||||
|  |     return Address(name, addr) | ||||||
|  | 
 | ||||||
|  | def colorhash(s): | ||||||
|  |     h = hash(s) | ||||||
|  |     return h % 7 | ||||||
| @ -20,7 +20,10 @@ Please mail me (~desvox) for feedback and for any of your | |||||||
| "OH MY GOD WHY WOULD YOU DO THIS"'s or "PEP8 IS A THING"'s. | "OH MY GOD WHY WOULD YOU DO THIS"'s or "PEP8 IS A THING"'s. | ||||||
| """ | """ | ||||||
| 
 | 
 | ||||||
| from network import BBJ, URLError | import sys, os; sys.path.append(os.path.dirname(os.path.dirname(__file__))) | ||||||
|  | 
 | ||||||
|  | #from network import BBJ, URLError | ||||||
|  | from nntp_client import BBJNews as BBJ, URLError | ||||||
| from string import punctuation | from string import punctuation | ||||||
| from datetime import datetime | from datetime import datetime | ||||||
| from sys import argv, version | from sys import argv, version | ||||||
| @ -793,7 +796,7 @@ class App(object): | |||||||
|         """ |         """ | ||||||
|         if self.mode == "thread": |         if self.mode == "thread": | ||||||
|             # mark the current position in this thread before going back to the index |             # mark the current position in this thread before going back to the index | ||||||
|             mark() |             self.mark() | ||||||
| 
 | 
 | ||||||
|         self.body.attr_map = {None: "default"} |         self.body.attr_map = {None: "default"} | ||||||
|         self.mode = "index" |         self.mode = "index" | ||||||
| @ -859,7 +862,7 @@ class App(object): | |||||||
|             self.walker += self.make_message_body(message) |             self.walker += self.make_message_body(message) | ||||||
|         self.set_default_header() |         self.set_default_header() | ||||||
|         self.set_default_footer() |         self.set_default_footer() | ||||||
|         self.goto_post(mark(thread_id)) |         self.goto_mark(thread_id) | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|     def toggle_client_pin(self): |     def toggle_client_pin(self): | ||||||
| @ -983,10 +986,10 @@ class App(object): | |||||||
|                 self.last_index_pos = self.get_focus_post(True).thread["thread_id"] |                 self.last_index_pos = self.get_focus_post(True).thread["thread_id"] | ||||||
|             self.index() |             self.index() | ||||||
|         else: |         else: | ||||||
|             mark() |             self.mark() | ||||||
|             thread = self.thread["thread_id"] |             thread = self.thread["thread_id"] | ||||||
|             self.thread_load(None, thread) |             self.thread_load(None, thread) | ||||||
|             self.goto_post(mark(thread)) |             self.goto_mark(thread) | ||||||
|         self.temp_footer_message("Refreshed content!", 1) |         self.temp_footer_message("Refreshed content!", 1) | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
| @ -1021,10 +1024,31 @@ class App(object): | |||||||
|                 width=30, height=6) |                 width=30, height=6) | ||||||
| 
 | 
 | ||||||
|         else: |         else: | ||||||
|             mark() |             self.mark() | ||||||
|             self.index() |             self.index() | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
|  |     def mark(self, thread_id=None): | ||||||
|  |         if self.mode != "thread": | ||||||
|  |             return | ||||||
|  | 
 | ||||||
|  |         if thread_id is None: | ||||||
|  |             thread_id = self.thread['thread_id'] | ||||||
|  |         pos = self.get_focus_post() | ||||||
|  |         mark(thread_id, pos, default=0) | ||||||
|  |         return pos | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|  |     def goto_mark(self, thread_id=None): | ||||||
|  |         if self.mode != "thread": | ||||||
|  |             return | ||||||
|  | 
 | ||||||
|  |         if thread_id is None: | ||||||
|  |             thread_id = self.thread['thread_id'] | ||||||
|  |         pos = mark(thread_id, default=0) | ||||||
|  |         self.goto_post(pos) | ||||||
|  | 
 | ||||||
|  | 
 | ||||||
|     def get_focus_post(self, return_widget=False): |     def get_focus_post(self, return_widget=False): | ||||||
|         pos = self.box.get_focus_path()[0] |         pos = self.box.get_focus_path()[0] | ||||||
|         if self.mode == "thread": |         if self.mode == "thread": | ||||||
| @ -2501,11 +2525,16 @@ def bbjrc(mode, **params): | |||||||
|     return values |     return values | ||||||
| 
 | 
 | ||||||
| 
 | 
 | ||||||
| def mark(directive=True): | def mark(key, value=None, default=None): | ||||||
|     """ |     """ | ||||||
|     Set and retrieve positional marks for threads. |     Sets a value in the markfile and returns the old value (or default). | ||||||
|     This uses a seperate file from the preferences |     This uses a seperate file from the preferences | ||||||
|     to keep it free from clutter. |     to keep it free from clutter. | ||||||
|  | 
 | ||||||
|  |     The key must be a string, and the value must be | ||||||
|  |     json-encodable. If value isn't provided (or is None) | ||||||
|  |     then this doesn't set anything and it is only a | ||||||
|  |     read operation. | ||||||
|     """ |     """ | ||||||
|     try: |     try: | ||||||
|         with open(markpath, "r") as _in: |         with open(markpath, "r") as _in: | ||||||
| @ -2513,19 +2542,14 @@ def mark(directive=True): | |||||||
|     except FileNotFoundError: |     except FileNotFoundError: | ||||||
|         values = {} |         values = {} | ||||||
| 
 | 
 | ||||||
|     if directive == True and app.mode == "thread": |     old = values.get(key, default) | ||||||
|         pos = app.get_focus_post() | 
 | ||||||
|         values[app.thread["thread_id"]] = pos |     if value is not None and value != old: | ||||||
|  |         values[key] = value | ||||||
|         with open(markpath, "w") as _out: |         with open(markpath, "w") as _out: | ||||||
|             json.dump(values, _out) |             json.dump(values, _out) | ||||||
|         return pos |  | ||||||
| 
 |  | ||||||
|     elif isinstance(directive, str): |  | ||||||
|         try: |  | ||||||
|             return values[directive] |  | ||||||
|         except KeyError: |  | ||||||
|             return 0 |  | ||||||
| 
 | 
 | ||||||
|  |     return old | ||||||
| 
 | 
 | ||||||
| def load_client_pins(): | def load_client_pins(): | ||||||
|     """ |     """ | ||||||
| @ -2578,9 +2602,10 @@ def main(): | |||||||
|         exit() |         exit() | ||||||
| 
 | 
 | ||||||
|     try: |     try: | ||||||
|         network = BBJ(get_arg("host", "127.0.0.1"), |         #network = BBJ(get_arg("host", "127.0.0.1"), | ||||||
|                       get_arg("port", 7099), |         #              get_arg("port", 7099), | ||||||
|                       get_arg("https", False, False)) |         #              get_arg("https", False, False)) | ||||||
|  |         network = BBJ(https=get_arg("https", False, False)) | ||||||
|     except URLError as e: |     except URLError as e: | ||||||
|         # print the connection error in red |         # print the connection error in red | ||||||
|         exit("\033[0;31m%s\033[0m" % repr(e)) |         exit("\033[0;31m%s\033[0m" % repr(e)) | ||||||
|  | |||||||
		Loading…
	
	
			
			x
			
			
		
	
		Reference in New Issue
	
	Block a user