# pylint: skip-file import json import os import sys import colorama from docopt import docopt from collections import OrderedDict from lbrynet import conf from lbrynet.core import utils from lbrynet.daemon.auth.client import JSONRPCException, LBRYAPIClient, AuthAPIClient from lbrynet.daemon.Daemon import Daemon from lbrynet.core.system_info import get_platform from jsonrpc.common import RPCError from requests.exceptions import ConnectionError from urllib2 import URLError, HTTPError from httplib import UNAUTHORIZED def remove_brackets(key): if key.startswith("<") and key.endswith(">"): return str(key[1:-1]) return key def set_kwargs(parsed_args): kwargs = OrderedDict() for key, arg in parsed_args.iteritems(): if arg is None: continue elif key.startswith("--") and remove_brackets(key[2:]) not in kwargs: k = remove_brackets(key[2:]) elif remove_brackets(key) not in kwargs: k = remove_brackets(key) kwargs[k] = guess_type(arg, k) return kwargs def main(): argv = sys.argv[1:] # check if a config file has been specified. If so, shift # all the arguments so that the parsing can continue without # noticing if len(argv) and argv[0] == "--conf": if len(argv) < 2: print_error("No config file specified for --conf option") print_help() return conf.conf_file = argv[1] argv = argv[2:] if len(argv): method, args = argv[0], argv[1:] else: print_help() return if method in ['help', '--help', '-h']: if len(args) == 1: print_help_for_command(args[0]) else: print_help() return elif method in ['version', '--version']: print(utils.json_dumps_pretty(get_platform(get_ip=False))) return if method not in Daemon.callable_methods: if method not in Daemon.deprecated_methods: print_error("\"%s\" is not a valid command." % method) return new_method = Daemon.deprecated_methods[method].new_command print_error("\"%s\" is deprecated, using \"%s\"." % (method, new_method)) method = new_method fn = Daemon.callable_methods[method] parsed = docopt(fn.__doc__, args) kwargs = set_kwargs(parsed) colorama.init() conf.initialize_settings() try: api = LBRYAPIClient.get_client() api.status() except (URLError, ConnectionError) as err: if isinstance(err, HTTPError) and err.code == UNAUTHORIZED: api = AuthAPIClient.config() # this can happen if the daemon is using auth with the --http-auth flag # when the config setting is to not use it try: api.status() except: print_error("Daemon requires authentication, but none was provided.", suggest_help=False) return 1 else: print_error("Could not connect to daemon. Are you sure it's running?", suggest_help=False) return 1 # TODO: check if port is bound. Error if its not try: result = api.call(method, kwargs) if isinstance(result, basestring): # printing the undumped string is prettier print(result) else: print(utils.json_dumps_pretty(result)) except (RPCError, KeyError, JSONRPCException, HTTPError) as err: if isinstance(err, HTTPError): error_body = err.read() try: error_data = json.loads(error_body) except ValueError: print( "There was an error, and the response was not valid JSON.\n" + "Raw JSONRPC response:\n" + error_body ) return 1 print_error(error_data['error']['message'] + "\n", suggest_help=False) if 'data' in error_data['error'] and 'traceback' in error_data['error']['data']: print("Here's the traceback for the error you encountered:") print("\n".join(error_data['error']['data']['traceback'])) print_help_for_command(method) elif isinstance(err, RPCError): print_error(err.msg, suggest_help=False) # print_help_for_command(method) else: print_error("Something went wrong\n", suggest_help=False) print(str(err)) return 1 def guess_type(x, key=None): if not isinstance(x, (unicode, str)): return x if key in ('uri', 'channel_name', 'name', 'file_name', 'download_directory'): return x if x in ('true', 'True', 'TRUE'): return True if x in ('false', 'False', 'FALSE'): return False if '.' in x: try: return float(x) except ValueError: # not a float pass try: return int(x) except ValueError: return x def print_help_suggestion(): print("See `{} help` for more information.".format(os.path.basename(sys.argv[0]))) def print_error(message, suggest_help=True): error_style = colorama.Style.BRIGHT + colorama.Fore.RED print(error_style + "ERROR: " + message + colorama.Style.RESET_ALL) if suggest_help: print_help_suggestion() def print_help(): print("\n".join([ "NAME", " lbrynet-cli - LBRY command line client.", "", "USAGE", " lbrynet-cli [--conf ] []", "", "EXAMPLES", " lbrynet-cli commands # list available commands", " lbrynet-cli status # get daemon status", " lbrynet-cli --conf ~/l1.conf status # like above but using ~/l1.conf as config file", " lbrynet-cli resolve_name what # resolve a name", " lbrynet-cli help resolve_name # get help for a command", ])) def print_help_for_command(command): fn = Daemon.callable_methods.get(command) if fn: print("Help for %s method:\n%s" % (command, fn.__doc__)) def wrap_list_to_term_width(l, width=None, separator=', ', prefix=''): if width is None: try: _, width = os.popen('stty size', 'r').read().split() width = int(width) except: pass if not width: width = 80 lines = [] curr_line = '' for item in l: new_line = curr_line + item + separator if len(new_line) + len(prefix) > width: lines.append(curr_line) curr_line = item + separator else: curr_line = new_line lines.append(curr_line) ret = prefix + ("\n" + prefix).join(lines) if ret.endswith(separator): ret = ret[:-len(separator)] return ret if __name__ == '__main__': sys.exit(main())