partition
stringclasses
3 values
func_name
stringlengths
1
134
docstring
stringlengths
1
46.9k
path
stringlengths
4
223
original_string
stringlengths
75
104k
code
stringlengths
75
104k
docstring_tokens
listlengths
1
1.97k
repo
stringlengths
7
55
language
stringclasses
1 value
url
stringlengths
87
315
code_tokens
listlengths
19
28.4k
sha
stringlengths
40
40
test
Result.asdict
r"""Convert Result to dict. Parameters: rawkey(bool): * True: dict key is Descriptor instance * False: dict key is str Returns: dict
mordred/_base/result.py
def asdict(self, rawkey=False): r"""Convert Result to dict. Parameters: rawkey(bool): * True: dict key is Descriptor instance * False: dict key is str Returns: dict """ if rawkey: return dict(self.items()) ...
def asdict(self, rawkey=False): r"""Convert Result to dict. Parameters: rawkey(bool): * True: dict key is Descriptor instance * False: dict key is str Returns: dict """ if rawkey: return dict(self.items()) ...
[ "r", "Convert", "Result", "to", "dict", "." ]
mordred-descriptor/mordred
python
https://github.com/mordred-descriptor/mordred/blob/2848b088fd7b6735590242b5e22573babc724f10/mordred/_base/result.py#L97-L115
[ "def", "asdict", "(", "self", ",", "rawkey", "=", "False", ")", ":", "if", "rawkey", ":", "return", "dict", "(", "self", ".", "items", "(", ")", ")", "else", ":", "return", "{", "str", "(", "k", ")", ":", "v", "for", "k", ",", "v", "in", "sel...
2848b088fd7b6735590242b5e22573babc724f10
test
Result.name
r"""Access descriptor value by descriptor name or instance. >>> from mordred import Calculator, descriptors >>> from rdkit import Chem >>> result = Calculator(descriptors)(Chem.MolFromSmiles("C1CCCCC1")) >>> result.name["C2SP3"] 6
mordred/_base/result.py
def name(self): r"""Access descriptor value by descriptor name or instance. >>> from mordred import Calculator, descriptors >>> from rdkit import Chem >>> result = Calculator(descriptors)(Chem.MolFromSmiles("C1CCCCC1")) >>> result.name["C2SP3"] 6 """ if ...
def name(self): r"""Access descriptor value by descriptor name or instance. >>> from mordred import Calculator, descriptors >>> from rdkit import Chem >>> result = Calculator(descriptors)(Chem.MolFromSmiles("C1CCCCC1")) >>> result.name["C2SP3"] 6 """ if ...
[ "r", "Access", "descriptor", "value", "by", "descriptor", "name", "or", "instance", "." ]
mordred-descriptor/mordred
python
https://github.com/mordred-descriptor/mordred/blob/2848b088fd7b6735590242b5e22573babc724f10/mordred/_base/result.py#L130-L143
[ "def", "name", "(", "self", ")", ":", "if", "self", ".", "_name_to_value", "is", "None", ":", "self", ".", "_name_to_value", "=", "{", "str", "(", "d", ")", ":", "v", "for", "d", ",", "v", "in", "zip", "(", "self", ".", "_descriptors", ",", "self...
2848b088fd7b6735590242b5e22573babc724f10
test
log_calls
Decorator to log function calls.
s4cmd.py
def log_calls(func): '''Decorator to log function calls.''' def wrapper(*args, **kargs): callStr = "%s(%s)" % (func.__name__, ", ".join([repr(p) for p in args] + ["%s=%s" % (k, repr(v)) for (k, v) in list(kargs.items())])) debug(">> %s", callStr) ret = func(*args, **kargs) debug("<< %s: %s", callStr...
def log_calls(func): '''Decorator to log function calls.''' def wrapper(*args, **kargs): callStr = "%s(%s)" % (func.__name__, ", ".join([repr(p) for p in args] + ["%s=%s" % (k, repr(v)) for (k, v) in list(kargs.items())])) debug(">> %s", callStr) ret = func(*args, **kargs) debug("<< %s: %s", callStr...
[ "Decorator", "to", "log", "function", "calls", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L124-L132
[ "def", "log_calls", "(", "func", ")", ":", "def", "wrapper", "(", "*", "args", ",", "*", "*", "kargs", ")", ":", "callStr", "=", "\"%s(%s)\"", "%", "(", "func", ".", "__name__", ",", "\", \"", ".", "join", "(", "[", "repr", "(", "p", ")", "for", ...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
synchronized
Decorator to synchronize function.
s4cmd.py
def synchronized(func): '''Decorator to synchronize function.''' func.__lock__ = threading.Lock() def synced_func(*args, **kargs): with func.__lock__: return func(*args, **kargs) return synced_func
def synchronized(func): '''Decorator to synchronize function.''' func.__lock__ = threading.Lock() def synced_func(*args, **kargs): with func.__lock__: return func(*args, **kargs) return synced_func
[ "Decorator", "to", "synchronize", "function", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L138-L144
[ "def", "synchronized", "(", "func", ")", ":", "func", ".", "__lock__", "=", "threading", ".", "Lock", "(", ")", "def", "synced_func", "(", "*", "args", ",", "*", "*", "kargs", ")", ":", "with", "func", ".", "__lock__", ":", "return", "func", "(", "...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
progress
Show current progress message to stderr. This function will remember the previous message so that next time, it will clear the previous message before showing next one.
s4cmd.py
def progress(msg, *args): '''Show current progress message to stderr. This function will remember the previous message so that next time, it will clear the previous message before showing next one. ''' # Don't show any progress if the output is directed to a file. if not (sys.stdout.isatty() and sys.s...
def progress(msg, *args): '''Show current progress message to stderr. This function will remember the previous message so that next time, it will clear the previous message before showing next one. ''' # Don't show any progress if the output is directed to a file. if not (sys.stdout.isatty() and sys.s...
[ "Show", "current", "progress", "message", "to", "stderr", ".", "This", "function", "will", "remember", "the", "previous", "message", "so", "that", "next", "time", "it", "will", "clear", "the", "previous", "message", "before", "showing", "next", "one", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L151-L164
[ "def", "progress", "(", "msg", ",", "*", "args", ")", ":", "# Don't show any progress if the output is directed to a file.", "if", "not", "(", "sys", ".", "stdout", ".", "isatty", "(", ")", "and", "sys", ".", "stderr", ".", "isatty", "(", ")", ")", ":", "r...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
message
Program message output.
s4cmd.py
def message(msg, *args): '''Program message output.''' clear_progress() text = (msg % args) sys.stdout.write(text + '\n')
def message(msg, *args): '''Program message output.''' clear_progress() text = (msg % args) sys.stdout.write(text + '\n')
[ "Program", "message", "output", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L169-L173
[ "def", "message", "(", "msg", ",", "*", "args", ")", ":", "clear_progress", "(", ")", "text", "=", "(", "msg", "%", "args", ")", "sys", ".", "stdout", ".", "write", "(", "text", "+", "'\\n'", ")" ]
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
fail
Utility function to handle runtime failures gracefully. Show concise information if possible, then terminate program.
s4cmd.py
def fail(message, exc_info=None, status=1, stacktrace=False): '''Utility function to handle runtime failures gracefully. Show concise information if possible, then terminate program. ''' text = message if exc_info: text += str(exc_info) error(text) if stacktrace: error(traceback.format_exc()) ...
def fail(message, exc_info=None, status=1, stacktrace=False): '''Utility function to handle runtime failures gracefully. Show concise information if possible, then terminate program. ''' text = message if exc_info: text += str(exc_info) error(text) if stacktrace: error(traceback.format_exc()) ...
[ "Utility", "function", "to", "handle", "runtime", "failures", "gracefully", ".", "Show", "concise", "information", "if", "possible", "then", "terminate", "program", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L175-L189
[ "def", "fail", "(", "message", ",", "exc_info", "=", "None", ",", "status", "=", "1", ",", "stacktrace", "=", "False", ")", ":", "text", "=", "message", "if", "exc_info", ":", "text", "+=", "str", "(", "exc_info", ")", "error", "(", "text", ")", "i...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
tempfile_get
Get a temp filename for atomic download.
s4cmd.py
def tempfile_get(target): '''Get a temp filename for atomic download.''' fn = '%s-%s.tmp' % (target, ''.join(random.Random().sample("0123456789abcdefghijklmnopqrstuvwxyz", 15))) TEMP_FILES.add(fn) return fn
def tempfile_get(target): '''Get a temp filename for atomic download.''' fn = '%s-%s.tmp' % (target, ''.join(random.Random().sample("0123456789abcdefghijklmnopqrstuvwxyz", 15))) TEMP_FILES.add(fn) return fn
[ "Get", "a", "temp", "filename", "for", "atomic", "download", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L192-L196
[ "def", "tempfile_get", "(", "target", ")", ":", "fn", "=", "'%s-%s.tmp'", "%", "(", "target", ",", "''", ".", "join", "(", "random", ".", "Random", "(", ")", ".", "sample", "(", "\"0123456789abcdefghijklmnopqrstuvwxyz\"", ",", "15", ")", ")", ")", "TEMP_...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
tempfile_set
Atomically rename and clean tempfile
s4cmd.py
def tempfile_set(tempfile, target): '''Atomically rename and clean tempfile''' if target: os.rename(tempfile, target) else: os.unlink(tempfile) if target in TEMP_FILES: TEMP_FILES.remove(tempfile)
def tempfile_set(tempfile, target): '''Atomically rename and clean tempfile''' if target: os.rename(tempfile, target) else: os.unlink(tempfile) if target in TEMP_FILES: TEMP_FILES.remove(tempfile)
[ "Atomically", "rename", "and", "clean", "tempfile" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L199-L207
[ "def", "tempfile_set", "(", "tempfile", ",", "target", ")", ":", "if", "target", ":", "os", ".", "rename", "(", "tempfile", ",", "target", ")", "else", ":", "os", ".", "unlink", "(", "tempfile", ")", "if", "target", "in", "TEMP_FILES", ":", "TEMP_FILES...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
clean_tempfiles
Clean up temp files
s4cmd.py
def clean_tempfiles(): '''Clean up temp files''' for fn in TEMP_FILES: if os.path.exists(fn): os.unlink(fn)
def clean_tempfiles(): '''Clean up temp files''' for fn in TEMP_FILES: if os.path.exists(fn): os.unlink(fn)
[ "Clean", "up", "temp", "files" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L209-L213
[ "def", "clean_tempfiles", "(", ")", ":", "for", "fn", "in", "TEMP_FILES", ":", "if", "os", ".", "path", ".", "exists", "(", "fn", ")", ":", "os", ".", "unlink", "(", "fn", ")" ]
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
S4cmdLoggingClass.get_loggers
Return a list of the logger methods: (debug, info, warn, error)
s4cmd.py
def get_loggers(self): '''Return a list of the logger methods: (debug, info, warn, error)''' return self.log.debug, self.log.info, self.log.warn, self.log.error
def get_loggers(self): '''Return a list of the logger methods: (debug, info, warn, error)''' return self.log.debug, self.log.info, self.log.warn, self.log.error
[ "Return", "a", "list", "of", "the", "logger", "methods", ":", "(", "debug", "info", "warn", "error", ")" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L111-L114
[ "def", "get_loggers", "(", "self", ")", ":", "return", "self", ".", "log", ".", "debug", ",", "self", ".", "log", ".", "info", ",", "self", ".", "log", ".", "warn", ",", "self", ".", "log", ".", "error" ]
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
S3URL.get_fixed_path
Get the fixed part of the path without wildcard
s4cmd.py
def get_fixed_path(self): '''Get the fixed part of the path without wildcard''' pi = self.path.split(PATH_SEP) fi = [] for p in pi: if '*' in p or '?' in p: break fi.append(p) return PATH_SEP.join(fi)
def get_fixed_path(self): '''Get the fixed part of the path without wildcard''' pi = self.path.split(PATH_SEP) fi = [] for p in pi: if '*' in p or '?' in p: break fi.append(p) return PATH_SEP.join(fi)
[ "Get", "the", "fixed", "part", "of", "the", "path", "without", "wildcard" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L233-L241
[ "def", "get_fixed_path", "(", "self", ")", ":", "pi", "=", "self", ".", "path", ".", "split", "(", "PATH_SEP", ")", "fi", "=", "[", "]", "for", "p", "in", "pi", ":", "if", "'*'", "in", "p", "or", "'?'", "in", "p", ":", "break", "fi", ".", "ap...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
BotoClient.get_legal_params
Given a API name, list all legal parameters using boto3 service model.
s4cmd.py
def get_legal_params(self, method): '''Given a API name, list all legal parameters using boto3 service model.''' if method not in self.client.meta.method_to_api_mapping: # Injected methods. Ignore. return [] api = self.client.meta.method_to_api_mapping[method] shape = self.client.meta.servic...
def get_legal_params(self, method): '''Given a API name, list all legal parameters using boto3 service model.''' if method not in self.client.meta.method_to_api_mapping: # Injected methods. Ignore. return [] api = self.client.meta.method_to_api_mapping[method] shape = self.client.meta.servic...
[ "Given", "a", "API", "name", "list", "all", "legal", "parameters", "using", "boto3", "service", "model", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L410-L420
[ "def", "get_legal_params", "(", "self", ",", "method", ")", ":", "if", "method", "not", "in", "self", ".", "client", ".", "meta", ".", "method_to_api_mapping", ":", "# Injected methods. Ignore.", "return", "[", "]", "api", "=", "self", ".", "client", ".", ...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
BotoClient.merge_opt_params
Combine existing parameters with extra options supplied from command line options. Carefully merge special type of parameter if needed.
s4cmd.py
def merge_opt_params(self, method, kargs): '''Combine existing parameters with extra options supplied from command line options. Carefully merge special type of parameter if needed. ''' for key in self.legal_params[method]: if not hasattr(self.opt, key) or getattr(self.opt, key) is None: ...
def merge_opt_params(self, method, kargs): '''Combine existing parameters with extra options supplied from command line options. Carefully merge special type of parameter if needed. ''' for key in self.legal_params[method]: if not hasattr(self.opt, key) or getattr(self.opt, key) is None: ...
[ "Combine", "existing", "parameters", "with", "extra", "options", "supplied", "from", "command", "line", "options", ".", "Carefully", "merge", "special", "type", "of", "parameter", "if", "needed", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L422-L438
[ "def", "merge_opt_params", "(", "self", ",", "method", ",", "kargs", ")", ":", "for", "key", "in", "self", ".", "legal_params", "[", "method", "]", ":", "if", "not", "hasattr", "(", "self", ".", "opt", ",", "key", ")", "or", "getattr", "(", "self", ...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
BotoClient.add_options
Add the whole list of API parameters into optparse.
s4cmd.py
def add_options(parser): '''Add the whole list of API parameters into optparse.''' for param, param_type, param_doc in BotoClient.EXTRA_CLIENT_PARAMS: parser.add_option('--API-' + param, help=param_doc, type=param_type, dest=param)
def add_options(parser): '''Add the whole list of API parameters into optparse.''' for param, param_type, param_doc in BotoClient.EXTRA_CLIENT_PARAMS: parser.add_option('--API-' + param, help=param_doc, type=param_type, dest=param)
[ "Add", "the", "whole", "list", "of", "API", "parameters", "into", "optparse", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L441-L444
[ "def", "add_options", "(", "parser", ")", ":", "for", "param", ",", "param_type", ",", "param_doc", "in", "BotoClient", ".", "EXTRA_CLIENT_PARAMS", ":", "parser", ".", "add_option", "(", "'--API-'", "+", "param", ",", "help", "=", "param_doc", ",", "type", ...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
TaskQueue.join
Override original join() with a timeout and handle keyboard interrupt.
s4cmd.py
def join(self): '''Override original join() with a timeout and handle keyboard interrupt.''' self.all_tasks_done.acquire() try: while self.unfinished_tasks: self.all_tasks_done.wait(1000) # Child thread has exceptions, fail main thread too. if self.exc_info: fail('[T...
def join(self): '''Override original join() with a timeout and handle keyboard interrupt.''' self.all_tasks_done.acquire() try: while self.unfinished_tasks: self.all_tasks_done.wait(1000) # Child thread has exceptions, fail main thread too. if self.exc_info: fail('[T...
[ "Override", "original", "join", "()", "with", "a", "timeout", "and", "handle", "keyboard", "interrupt", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L460-L473
[ "def", "join", "(", "self", ")", ":", "self", ".", "all_tasks_done", ".", "acquire", "(", ")", "try", ":", "while", "self", ".", "unfinished_tasks", ":", "self", ".", "all_tasks_done", ".", "wait", "(", "1000", ")", "# Child thread has exceptions, fail main th...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
TaskQueue.terminate
Terminate all threads by deleting the queue and forcing the child threads to quit.
s4cmd.py
def terminate(self, exc_info=None): '''Terminate all threads by deleting the queue and forcing the child threads to quit. ''' if exc_info: self.exc_info = exc_info try: while self.get_nowait(): self.task_done() except Queue.Empty: pass
def terminate(self, exc_info=None): '''Terminate all threads by deleting the queue and forcing the child threads to quit. ''' if exc_info: self.exc_info = exc_info try: while self.get_nowait(): self.task_done() except Queue.Empty: pass
[ "Terminate", "all", "threads", "by", "deleting", "the", "queue", "and", "forcing", "the", "child", "threads", "to", "quit", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L475-L485
[ "def", "terminate", "(", "self", ",", "exc_info", "=", "None", ")", ":", "if", "exc_info", ":", "self", ".", "exc_info", "=", "exc_info", "try", ":", "while", "self", ".", "get_nowait", "(", ")", ":", "self", ".", "task_done", "(", ")", "except", "Qu...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
ThreadPool.add_task
Utility function to add a single task into task queue
s4cmd.py
def add_task(self, func_name, *args, **kargs): '''Utility function to add a single task into task queue''' self.tasks.put((func_name, 0, args, kargs))
def add_task(self, func_name, *args, **kargs): '''Utility function to add a single task into task queue''' self.tasks.put((func_name, 0, args, kargs))
[ "Utility", "function", "to", "add", "a", "single", "task", "into", "task", "queue" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L588-L590
[ "def", "add_task", "(", "self", ",", "func_name", ",", "*", "args", ",", "*", "*", "kargs", ")", ":", "self", ".", "tasks", ".", "put", "(", "(", "func_name", ",", "0", ",", "args", ",", "kargs", ")", ")" ]
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
ThreadPool.join
Utility function to wait all tasks to complete
s4cmd.py
def join(self): '''Utility function to wait all tasks to complete''' self.tasks.join() # Force each thread to break loop. for worker in self.workers: self.tasks.put(None) # Wait for all thread to terminate. for worker in self.workers: worker.join() worker.s3 = None
def join(self): '''Utility function to wait all tasks to complete''' self.tasks.join() # Force each thread to break loop. for worker in self.workers: self.tasks.put(None) # Wait for all thread to terminate. for worker in self.workers: worker.join() worker.s3 = None
[ "Utility", "function", "to", "wait", "all", "tasks", "to", "complete" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L592-L603
[ "def", "join", "(", "self", ")", ":", "self", ".", "tasks", ".", "join", "(", ")", "# Force each thread to break loop.", "for", "worker", "in", "self", ".", "workers", ":", "self", ".", "tasks", ".", "put", "(", "None", ")", "# Wait for all thread to termina...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
ThreadPool.processed
Increase the processed task counter and show progress message
s4cmd.py
def processed(self): '''Increase the processed task counter and show progress message''' self.processed_tasks += 1 qsize = self.tasks.qsize() if qsize > 0: progress('[%d task(s) completed, %d remaining, %d thread(s)]', self.processed_tasks, qsize, len(self.workers)) else: progress('[%d t...
def processed(self): '''Increase the processed task counter and show progress message''' self.processed_tasks += 1 qsize = self.tasks.qsize() if qsize > 0: progress('[%d task(s) completed, %d remaining, %d thread(s)]', self.processed_tasks, qsize, len(self.workers)) else: progress('[%d t...
[ "Increase", "the", "processed", "task", "counter", "and", "show", "progress", "message" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L606-L613
[ "def", "processed", "(", "self", ")", ":", "self", ".", "processed_tasks", "+=", "1", "qsize", "=", "self", ".", "tasks", ".", "qsize", "(", ")", "if", "qsize", ">", "0", ":", "progress", "(", "'[%d task(s) completed, %d remaining, %d thread(s)]'", ",", "sel...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
S3Handler.s3_keys_from_env
Retrieve S3 access keys from the environment, or None if not present.
s4cmd.py
def s3_keys_from_env(): '''Retrieve S3 access keys from the environment, or None if not present.''' env = os.environ if S3_ACCESS_KEY_NAME in env and S3_SECRET_KEY_NAME in env: keys = (env[S3_ACCESS_KEY_NAME], env[S3_SECRET_KEY_NAME]) debug("read S3 keys from environment") return keys ...
def s3_keys_from_env(): '''Retrieve S3 access keys from the environment, or None if not present.''' env = os.environ if S3_ACCESS_KEY_NAME in env and S3_SECRET_KEY_NAME in env: keys = (env[S3_ACCESS_KEY_NAME], env[S3_SECRET_KEY_NAME]) debug("read S3 keys from environment") return keys ...
[ "Retrieve", "S3", "access", "keys", "from", "the", "environment", "or", "None", "if", "not", "present", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L625-L633
[ "def", "s3_keys_from_env", "(", ")", ":", "env", "=", "os", ".", "environ", "if", "S3_ACCESS_KEY_NAME", "in", "env", "and", "S3_SECRET_KEY_NAME", "in", "env", ":", "keys", "=", "(", "env", "[", "S3_ACCESS_KEY_NAME", "]", ",", "env", "[", "S3_SECRET_KEY_NAME"...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
S3Handler.s3_keys_from_cmdline
Retrieve S3 access keys from the command line, or None if not present.
s4cmd.py
def s3_keys_from_cmdline(opt): '''Retrieve S3 access keys from the command line, or None if not present.''' if opt.access_key != None and opt.secret_key != None: keys = (opt.access_key, opt.secret_key) debug("read S3 keys from commandline") return keys else: return None
def s3_keys_from_cmdline(opt): '''Retrieve S3 access keys from the command line, or None if not present.''' if opt.access_key != None and opt.secret_key != None: keys = (opt.access_key, opt.secret_key) debug("read S3 keys from commandline") return keys else: return None
[ "Retrieve", "S3", "access", "keys", "from", "the", "command", "line", "or", "None", "if", "not", "present", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L636-L643
[ "def", "s3_keys_from_cmdline", "(", "opt", ")", ":", "if", "opt", ".", "access_key", "!=", "None", "and", "opt", ".", "secret_key", "!=", "None", ":", "keys", "=", "(", "opt", ".", "access_key", ",", "opt", ".", "secret_key", ")", "debug", "(", "\"read...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
S3Handler.s3_keys_from_s3cfg
Retrieve S3 access key settings from s3cmd's config file, if present; otherwise return None.
s4cmd.py
def s3_keys_from_s3cfg(opt): '''Retrieve S3 access key settings from s3cmd's config file, if present; otherwise return None.''' try: if opt.s3cfg != None: s3cfg_path = "%s" % opt.s3cfg else: s3cfg_path = "%s/.s3cfg" % os.environ["HOME"] if not os.path.exists(s3cfg_path): ...
def s3_keys_from_s3cfg(opt): '''Retrieve S3 access key settings from s3cmd's config file, if present; otherwise return None.''' try: if opt.s3cfg != None: s3cfg_path = "%s" % opt.s3cfg else: s3cfg_path = "%s/.s3cfg" % os.environ["HOME"] if not os.path.exists(s3cfg_path): ...
[ "Retrieve", "S3", "access", "key", "settings", "from", "s3cmd", "s", "config", "file", "if", "present", ";", "otherwise", "return", "None", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L646-L662
[ "def", "s3_keys_from_s3cfg", "(", "opt", ")", ":", "try", ":", "if", "opt", ".", "s3cfg", "!=", "None", ":", "s3cfg_path", "=", "\"%s\"", "%", "opt", ".", "s3cfg", "else", ":", "s3cfg_path", "=", "\"%s/.s3cfg\"", "%", "os", ".", "environ", "[", "\"HOME...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
S3Handler.init_s3_keys
Initialize s3 access keys from environment variable or s3cfg config file.
s4cmd.py
def init_s3_keys(opt): '''Initialize s3 access keys from environment variable or s3cfg config file.''' S3Handler.S3_KEYS = S3Handler.s3_keys_from_cmdline(opt) or S3Handler.s3_keys_from_env() \ or S3Handler.s3_keys_from_s3cfg(opt)
def init_s3_keys(opt): '''Initialize s3 access keys from environment variable or s3cfg config file.''' S3Handler.S3_KEYS = S3Handler.s3_keys_from_cmdline(opt) or S3Handler.s3_keys_from_env() \ or S3Handler.s3_keys_from_s3cfg(opt)
[ "Initialize", "s3", "access", "keys", "from", "environment", "variable", "or", "s3cfg", "config", "file", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L665-L668
[ "def", "init_s3_keys", "(", "opt", ")", ":", "S3Handler", ".", "S3_KEYS", "=", "S3Handler", ".", "s3_keys_from_cmdline", "(", "opt", ")", "or", "S3Handler", ".", "s3_keys_from_env", "(", ")", "or", "S3Handler", ".", "s3_keys_from_s3cfg", "(", "opt", ")" ]
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
S3Handler.connect
Connect to S3 storage
s4cmd.py
def connect(self): '''Connect to S3 storage''' try: if S3Handler.S3_KEYS: self.s3 = BotoClient(self.opt, S3Handler.S3_KEYS[0], S3Handler.S3_KEYS[1]) else: self.s3 = BotoClient(self.opt) except Exception as e: raise RetryFailure('Unable to connect to s3: %s' % e)
def connect(self): '''Connect to S3 storage''' try: if S3Handler.S3_KEYS: self.s3 = BotoClient(self.opt, S3Handler.S3_KEYS[0], S3Handler.S3_KEYS[1]) else: self.s3 = BotoClient(self.opt) except Exception as e: raise RetryFailure('Unable to connect to s3: %s' % e)
[ "Connect", "to", "S3", "storage" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L680-L688
[ "def", "connect", "(", "self", ")", ":", "try", ":", "if", "S3Handler", ".", "S3_KEYS", ":", "self", ".", "s3", "=", "BotoClient", "(", "self", ".", "opt", ",", "S3Handler", ".", "S3_KEYS", "[", "0", "]", ",", "S3Handler", ".", "S3_KEYS", "[", "1",...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
S3Handler.list_buckets
List all buckets
s4cmd.py
def list_buckets(self): '''List all buckets''' result = [] for bucket in self.s3.list_buckets().get('Buckets') or []: result.append({ 'name': S3URL.combine('s3', bucket['Name'], ''), 'is_dir': True, 'size': 0, 'last_modified': bucket['CreationDate'] }) ...
def list_buckets(self): '''List all buckets''' result = [] for bucket in self.s3.list_buckets().get('Buckets') or []: result.append({ 'name': S3URL.combine('s3', bucket['Name'], ''), 'is_dir': True, 'size': 0, 'last_modified': bucket['CreationDate'] }) ...
[ "List", "all", "buckets" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L691-L701
[ "def", "list_buckets", "(", "self", ")", ":", "result", "=", "[", "]", "for", "bucket", "in", "self", ".", "s3", ".", "list_buckets", "(", ")", ".", "get", "(", "'Buckets'", ")", "or", "[", "]", ":", "result", ".", "append", "(", "{", "'name'", "...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
S3Handler.s3walk
Walk through a S3 directory. This function initiate a walk with a basedir. It also supports multiple wildcards.
s4cmd.py
def s3walk(self, basedir, show_dir=None): '''Walk through a S3 directory. This function initiate a walk with a basedir. It also supports multiple wildcards. ''' # Provide the default value from command line if no override. if not show_dir: show_dir = self.opt.show_dir # trailing slash ...
def s3walk(self, basedir, show_dir=None): '''Walk through a S3 directory. This function initiate a walk with a basedir. It also supports multiple wildcards. ''' # Provide the default value from command line if no override. if not show_dir: show_dir = self.opt.show_dir # trailing slash ...
[ "Walk", "through", "a", "S3", "directory", ".", "This", "function", "initiate", "a", "walk", "with", "a", "basedir", ".", "It", "also", "supports", "multiple", "wildcards", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L704-L741
[ "def", "s3walk", "(", "self", ",", "basedir", ",", "show_dir", "=", "None", ")", ":", "# Provide the default value from command line if no override.", "if", "not", "show_dir", ":", "show_dir", "=", "self", ".", "opt", ".", "show_dir", "# trailing slash normalization, ...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
S3Handler.local_walk
Walk through local directories from root basedir
s4cmd.py
def local_walk(self, basedir): '''Walk through local directories from root basedir''' result = [] for root, dirs, files in os.walk(basedir): for f in files: result.append(os.path.join(root, f)) return result
def local_walk(self, basedir): '''Walk through local directories from root basedir''' result = [] for root, dirs, files in os.walk(basedir): for f in files: result.append(os.path.join(root, f)) return result
[ "Walk", "through", "local", "directories", "from", "root", "basedir" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L744-L751
[ "def", "local_walk", "(", "self", ",", "basedir", ")", ":", "result", "=", "[", "]", "for", "root", ",", "dirs", ",", "files", "in", "os", ".", "walk", "(", "basedir", ")", ":", "for", "f", "in", "files", ":", "result", ".", "append", "(", "os", ...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
S3Handler.get_basename
Unix style basename. This fuction will return 'bar' for '/foo/bar/' instead of empty string. It is used to normalize the input trailing slash.
s4cmd.py
def get_basename(self, path): '''Unix style basename. This fuction will return 'bar' for '/foo/bar/' instead of empty string. It is used to normalize the input trailing slash. ''' if path[-1] == PATH_SEP: path = path[0:-1] return os.path.basename(path)
def get_basename(self, path): '''Unix style basename. This fuction will return 'bar' for '/foo/bar/' instead of empty string. It is used to normalize the input trailing slash. ''' if path[-1] == PATH_SEP: path = path[0:-1] return os.path.basename(path)
[ "Unix", "style", "basename", ".", "This", "fuction", "will", "return", "bar", "for", "/", "foo", "/", "bar", "/", "instead", "of", "empty", "string", ".", "It", "is", "used", "to", "normalize", "the", "input", "trailing", "slash", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L754-L761
[ "def", "get_basename", "(", "self", ",", "path", ")", ":", "if", "path", "[", "-", "1", "]", "==", "PATH_SEP", ":", "path", "=", "path", "[", "0", ":", "-", "1", "]", "return", "os", ".", "path", ".", "basename", "(", "path", ")" ]
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
S3Handler.source_expand
Expand the wildcards for an S3 path. This emulates the shall expansion for wildcards if the input is local path.
s4cmd.py
def source_expand(self, source): '''Expand the wildcards for an S3 path. This emulates the shall expansion for wildcards if the input is local path. ''' result = [] if not isinstance(source, list): source = [source] for src in source: # XXX Hacky: We need to disable recursive wh...
def source_expand(self, source): '''Expand the wildcards for an S3 path. This emulates the shall expansion for wildcards if the input is local path. ''' result = [] if not isinstance(source, list): source = [source] for src in source: # XXX Hacky: We need to disable recursive wh...
[ "Expand", "the", "wildcards", "for", "an", "S3", "path", ".", "This", "emulates", "the", "shall", "expansion", "for", "wildcards", "if", "the", "input", "is", "local", "path", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L763-L784
[ "def", "source_expand", "(", "self", ",", "source", ")", ":", "result", "=", "[", "]", "if", "not", "isinstance", "(", "source", ",", "list", ")", ":", "source", "=", "[", "source", "]", "for", "src", "in", "source", ":", "# XXX Hacky: We need to disable...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
S3Handler.put_single_file
Upload a single file or a directory by adding a task into queue
s4cmd.py
def put_single_file(self, pool, source, target): '''Upload a single file or a directory by adding a task into queue''' if os.path.isdir(source): if self.opt.recursive: for f in (f for f in self.local_walk(source) if not os.path.isdir(f)): target_url = S3URL(target) # deal with ...
def put_single_file(self, pool, source, target): '''Upload a single file or a directory by adding a task into queue''' if os.path.isdir(source): if self.opt.recursive: for f in (f for f in self.local_walk(source) if not os.path.isdir(f)): target_url = S3URL(target) # deal with ...
[ "Upload", "a", "single", "file", "or", "a", "directory", "by", "adding", "a", "task", "into", "queue" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L787-L799
[ "def", "put_single_file", "(", "self", ",", "pool", ",", "source", ",", "target", ")", ":", "if", "os", ".", "path", ".", "isdir", "(", "source", ")", ":", "if", "self", ".", "opt", ".", "recursive", ":", "for", "f", "in", "(", "f", "for", "f", ...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
S3Handler.put_files
Upload files to S3. This function can handle multiple file upload if source is a list. Also, it works for recursive mode which copy all files and keep the directory structure under the given source directory.
s4cmd.py
def put_files(self, source, target): '''Upload files to S3. This function can handle multiple file upload if source is a list. Also, it works for recursive mode which copy all files and keep the directory structure under the given source directory. ''' pool = ThreadPool(ThreadUtil, self...
def put_files(self, source, target): '''Upload files to S3. This function can handle multiple file upload if source is a list. Also, it works for recursive mode which copy all files and keep the directory structure under the given source directory. ''' pool = ThreadPool(ThreadUtil, self...
[ "Upload", "files", "to", "S3", ".", "This", "function", "can", "handle", "multiple", "file", "upload", "if", "source", "is", "a", "list", ".", "Also", "it", "works", "for", "recursive", "mode", "which", "copy", "all", "files", "and", "keep", "the", "dire...
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L802-L821
[ "def", "put_files", "(", "self", ",", "source", ",", "target", ")", ":", "pool", "=", "ThreadPool", "(", "ThreadUtil", ",", "self", ".", "opt", ")", "if", "not", "isinstance", "(", "source", ",", "list", ")", ":", "source", "=", "[", "source", "]", ...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
S3Handler.create_bucket
Use the create_bucket API to create a new bucket
s4cmd.py
def create_bucket(self, source): '''Use the create_bucket API to create a new bucket''' s3url = S3URL(source) message('Creating %s', source) if not self.opt.dry_run: resp = self.s3.create_bucket(Bucket=s3url.bucket) if resp['ResponseMetadata']["HTTPStatusCode"] == 200: message('Done...
def create_bucket(self, source): '''Use the create_bucket API to create a new bucket''' s3url = S3URL(source) message('Creating %s', source) if not self.opt.dry_run: resp = self.s3.create_bucket(Bucket=s3url.bucket) if resp['ResponseMetadata']["HTTPStatusCode"] == 200: message('Done...
[ "Use", "the", "create_bucket", "API", "to", "create", "a", "new", "bucket" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L824-L834
[ "def", "create_bucket", "(", "self", ",", "source", ")", ":", "s3url", "=", "S3URL", "(", "source", ")", "message", "(", "'Creating %s'", ",", "source", ")", "if", "not", "self", ".", "opt", ".", "dry_run", ":", "resp", "=", "self", ".", "s3", ".", ...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
S3Handler.update_privilege
Get privileges from metadata of the source in s3, and apply them to target
s4cmd.py
def update_privilege(self, obj, target): '''Get privileges from metadata of the source in s3, and apply them to target''' if 'privilege' in obj['Metadata']: os.chmod(target, int(obj['Metadata']['privilege'], 8))
def update_privilege(self, obj, target): '''Get privileges from metadata of the source in s3, and apply them to target''' if 'privilege' in obj['Metadata']: os.chmod(target, int(obj['Metadata']['privilege'], 8))
[ "Get", "privileges", "from", "metadata", "of", "the", "source", "in", "s3", "and", "apply", "them", "to", "target" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L838-L841
[ "def", "update_privilege", "(", "self", ",", "obj", ",", "target", ")", ":", "if", "'privilege'", "in", "obj", "[", "'Metadata'", "]", ":", "os", ".", "chmod", "(", "target", ",", "int", "(", "obj", "[", "'Metadata'", "]", "[", "'privilege'", "]", ",...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
S3Handler.print_files
Print out a series of files
s4cmd.py
def print_files(self, source): '''Print out a series of files''' sources = self.source_expand(source) for source in sources: s3url = S3URL(source) response = self.s3.get_object(Bucket=s3url.bucket, Key=s3url.path) message('%s', response['Body'].read())
def print_files(self, source): '''Print out a series of files''' sources = self.source_expand(source) for source in sources: s3url = S3URL(source) response = self.s3.get_object(Bucket=s3url.bucket, Key=s3url.path) message('%s', response['Body'].read())
[ "Print", "out", "a", "series", "of", "files" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L844-L851
[ "def", "print_files", "(", "self", ",", "source", ")", ":", "sources", "=", "self", ".", "source_expand", "(", "source", ")", "for", "source", "in", "sources", ":", "s3url", "=", "S3URL", "(", "source", ")", "response", "=", "self", ".", "s3", ".", "...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
S3Handler.get_single_file
Download a single file or a directory by adding a task into queue
s4cmd.py
def get_single_file(self, pool, source, target): '''Download a single file or a directory by adding a task into queue''' if source[-1] == PATH_SEP: if self.opt.recursive: basepath = S3URL(source).path for f in (f for f in self.s3walk(source) if not f['is_dir']): pool.download(f['...
def get_single_file(self, pool, source, target): '''Download a single file or a directory by adding a task into queue''' if source[-1] == PATH_SEP: if self.opt.recursive: basepath = S3URL(source).path for f in (f for f in self.s3walk(source) if not f['is_dir']): pool.download(f['...
[ "Download", "a", "single", "file", "or", "a", "directory", "by", "adding", "a", "task", "into", "queue" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L854-L864
[ "def", "get_single_file", "(", "self", ",", "pool", ",", "source", ",", "target", ")", ":", "if", "source", "[", "-", "1", "]", "==", "PATH_SEP", ":", "if", "self", ".", "opt", ".", "recursive", ":", "basepath", "=", "S3URL", "(", "source", ")", "....
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
S3Handler.get_files
Download files. This function can handle multiple files if source S3 URL has wildcard characters. It also handles recursive mode by download all files and keep the directory structure.
s4cmd.py
def get_files(self, source, target): '''Download files. This function can handle multiple files if source S3 URL has wildcard characters. It also handles recursive mode by download all files and keep the directory structure. ''' pool = ThreadPool(ThreadUtil, self.opt) source = self....
def get_files(self, source, target): '''Download files. This function can handle multiple files if source S3 URL has wildcard characters. It also handles recursive mode by download all files and keep the directory structure. ''' pool = ThreadPool(ThreadUtil, self.opt) source = self....
[ "Download", "files", ".", "This", "function", "can", "handle", "multiple", "files", "if", "source", "S3", "URL", "has", "wildcard", "characters", ".", "It", "also", "handles", "recursive", "mode", "by", "download", "all", "files", "and", "keep", "the", "dire...
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L867-L889
[ "def", "get_files", "(", "self", ",", "source", ",", "target", ")", ":", "pool", "=", "ThreadPool", "(", "ThreadUtil", ",", "self", ".", "opt", ")", "source", "=", "self", ".", "source_expand", "(", "source", ")", "if", "os", ".", "path", ".", "isdir...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
S3Handler.delete_removed_files
Remove remote files that are not present in the local source. (Obsolete) It is used for old sync command now.
s4cmd.py
def delete_removed_files(self, source, target): '''Remove remote files that are not present in the local source. (Obsolete) It is used for old sync command now. ''' message("Deleting files found in %s and not in %s", source, target) if os.path.isdir(source): unecessary = [] basepath =...
def delete_removed_files(self, source, target): '''Remove remote files that are not present in the local source. (Obsolete) It is used for old sync command now. ''' message("Deleting files found in %s and not in %s", source, target) if os.path.isdir(source): unecessary = [] basepath =...
[ "Remove", "remote", "files", "that", "are", "not", "present", "in", "the", "local", "source", ".", "(", "Obsolete", ")", "It", "is", "used", "for", "old", "sync", "command", "now", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L892-L911
[ "def", "delete_removed_files", "(", "self", ",", "source", ",", "target", ")", ":", "message", "(", "\"Deleting files found in %s and not in %s\"", ",", "source", ",", "target", ")", "if", "os", ".", "path", ".", "isdir", "(", "source", ")", ":", "unecessary",...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
S3Handler.cp_single_file
Copy a single file or a directory by adding a task into queue
s4cmd.py
def cp_single_file(self, pool, source, target, delete_source): '''Copy a single file or a directory by adding a task into queue''' if source[-1] == PATH_SEP: if self.opt.recursive: basepath = S3URL(source).path for f in (f for f in self.s3walk(source) if not f['is_dir']): pool.co...
def cp_single_file(self, pool, source, target, delete_source): '''Copy a single file or a directory by adding a task into queue''' if source[-1] == PATH_SEP: if self.opt.recursive: basepath = S3URL(source).path for f in (f for f in self.s3walk(source) if not f['is_dir']): pool.co...
[ "Copy", "a", "single", "file", "or", "a", "directory", "by", "adding", "a", "task", "into", "queue" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L914-L924
[ "def", "cp_single_file", "(", "self", ",", "pool", ",", "source", ",", "target", ",", "delete_source", ")", ":", "if", "source", "[", "-", "1", "]", "==", "PATH_SEP", ":", "if", "self", ".", "opt", ".", "recursive", ":", "basepath", "=", "S3URL", "("...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
S3Handler.cp_files
Copy files This function can handle multiple files if source S3 URL has wildcard characters. It also handles recursive mode by copying all files and keep the directory structure.
s4cmd.py
def cp_files(self, source, target, delete_source=False): '''Copy files This function can handle multiple files if source S3 URL has wildcard characters. It also handles recursive mode by copying all files and keep the directory structure. ''' pool = ThreadPool(ThreadUtil, self.opt) ...
def cp_files(self, source, target, delete_source=False): '''Copy files This function can handle multiple files if source S3 URL has wildcard characters. It also handles recursive mode by copying all files and keep the directory structure. ''' pool = ThreadPool(ThreadUtil, self.opt) ...
[ "Copy", "files", "This", "function", "can", "handle", "multiple", "files", "if", "source", "S3", "URL", "has", "wildcard", "characters", ".", "It", "also", "handles", "recursive", "mode", "by", "copying", "all", "files", "and", "keep", "the", "directory", "s...
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L927-L949
[ "def", "cp_files", "(", "self", ",", "source", ",", "target", ",", "delete_source", "=", "False", ")", ":", "pool", "=", "ThreadPool", "(", "ThreadUtil", ",", "self", ".", "opt", ")", "source", "=", "self", ".", "source_expand", "(", "source", ")", "if...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
S3Handler.del_files
Delete files on S3
s4cmd.py
def del_files(self, source): '''Delete files on S3''' src_files = [] for obj in self.s3walk(source): if not obj['is_dir']: # ignore directories src_files.append(obj['name']) pool = ThreadPool(ThreadUtil, self.opt) pool.batch_delete(src_files) pool.join()
def del_files(self, source): '''Delete files on S3''' src_files = [] for obj in self.s3walk(source): if not obj['is_dir']: # ignore directories src_files.append(obj['name']) pool = ThreadPool(ThreadUtil, self.opt) pool.batch_delete(src_files) pool.join()
[ "Delete", "files", "on", "S3" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L952-L961
[ "def", "del_files", "(", "self", ",", "source", ")", ":", "src_files", "=", "[", "]", "for", "obj", "in", "self", ".", "s3walk", "(", "source", ")", ":", "if", "not", "obj", "[", "'is_dir'", "]", ":", "# ignore directories", "src_files", ".", "append",...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
S3Handler.relative_dir_walk
Generic version of directory walk. Return file list without base path for comparison.
s4cmd.py
def relative_dir_walk(self, dir): '''Generic version of directory walk. Return file list without base path for comparison. ''' result = [] if S3URL.is_valid(dir): basepath = S3URL(dir).path for f in (f for f in self.s3walk(dir) if not f['is_dir']): result.append(os.path.relpa...
def relative_dir_walk(self, dir): '''Generic version of directory walk. Return file list without base path for comparison. ''' result = [] if S3URL.is_valid(dir): basepath = S3URL(dir).path for f in (f for f in self.s3walk(dir) if not f['is_dir']): result.append(os.path.relpa...
[ "Generic", "version", "of", "directory", "walk", ".", "Return", "file", "list", "without", "base", "path", "for", "comparison", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L964-L978
[ "def", "relative_dir_walk", "(", "self", ",", "dir", ")", ":", "result", "=", "[", "]", "if", "S3URL", ".", "is_valid", "(", "dir", ")", ":", "basepath", "=", "S3URL", "(", "dir", ")", ".", "path", "for", "f", "in", "(", "f", "for", "f", "in", ...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
S3Handler.dsync_files
Sync directory to directory.
s4cmd.py
def dsync_files(self, source, target): '''Sync directory to directory.''' src_s3_url = S3URL.is_valid(source) dst_s3_url = S3URL.is_valid(target) source_list = self.relative_dir_walk(source) if len(source_list) == 0 or '.' in source_list: raise Failure('Sync command need to sync directory to ...
def dsync_files(self, source, target): '''Sync directory to directory.''' src_s3_url = S3URL.is_valid(source) dst_s3_url = S3URL.is_valid(target) source_list = self.relative_dir_walk(source) if len(source_list) == 0 or '.' in source_list: raise Failure('Sync command need to sync directory to ...
[ "Sync", "directory", "to", "directory", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L981-L1020
[ "def", "dsync_files", "(", "self", ",", "source", ",", "target", ")", ":", "src_s3_url", "=", "S3URL", ".", "is_valid", "(", "source", ")", "dst_s3_url", "=", "S3URL", ".", "is_valid", "(", "target", ")", "source_list", "=", "self", ".", "relative_dir_walk...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
S3Handler.sync_files
Sync files to S3. Does implement deletions if syncing TO s3. Currently identical to get/put -r -f --sync-check with exception of deletions.
s4cmd.py
def sync_files(self, source, target): '''Sync files to S3. Does implement deletions if syncing TO s3. Currently identical to get/put -r -f --sync-check with exception of deletions. ''' src_s3_url = S3URL.is_valid(source) dst_s3_url = S3URL.is_valid(target) if src_s3_url and not dst_s3_url: ...
def sync_files(self, source, target): '''Sync files to S3. Does implement deletions if syncing TO s3. Currently identical to get/put -r -f --sync-check with exception of deletions. ''' src_s3_url = S3URL.is_valid(source) dst_s3_url = S3URL.is_valid(target) if src_s3_url and not dst_s3_url: ...
[ "Sync", "files", "to", "S3", ".", "Does", "implement", "deletions", "if", "syncing", "TO", "s3", ".", "Currently", "identical", "to", "get", "/", "put", "-", "r", "-", "f", "--", "sync", "-", "check", "with", "exception", "of", "deletions", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1023-L1039
[ "def", "sync_files", "(", "self", ",", "source", ",", "target", ")", ":", "src_s3_url", "=", "S3URL", ".", "is_valid", "(", "source", ")", "dst_s3_url", "=", "S3URL", ".", "is_valid", "(", "target", ")", "if", "src_s3_url", "and", "not", "dst_s3_url", ":...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
S3Handler.size
Get the size component of the given s3url. If it is a directory, combine the sizes of all the files under that directory. Subdirectories will not be counted unless --recursive option is set.
s4cmd.py
def size(self, source): '''Get the size component of the given s3url. If it is a directory, combine the sizes of all the files under that directory. Subdirectories will not be counted unless --recursive option is set. ''' result = [] for src in self.source_expand(source): size...
def size(self, source): '''Get the size component of the given s3url. If it is a directory, combine the sizes of all the files under that directory. Subdirectories will not be counted unless --recursive option is set. ''' result = [] for src in self.source_expand(source): size...
[ "Get", "the", "size", "component", "of", "the", "given", "s3url", ".", "If", "it", "is", "a", "directory", "combine", "the", "sizes", "of", "all", "the", "files", "under", "that", "directory", ".", "Subdirectories", "will", "not", "be", "counted", "unless"...
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1042-L1055
[ "def", "size", "(", "self", ",", "source", ")", ":", "result", "=", "[", "]", "for", "src", "in", "self", ".", "source_expand", "(", "source", ")", ":", "size", "=", "0", "for", "f", "in", "self", ".", "s3walk", "(", "src", ")", ":", "size", "+...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
LocalMD5Cache.file_hash
Calculate MD5 hash code for a local file
s4cmd.py
def file_hash(self, filename, block_size=2**20): '''Calculate MD5 hash code for a local file''' m = hashlib.md5() with open(filename, 'rb') as f: while True: data = f.read(block_size) if not data: break m.update(data) return m.hexdigest()
def file_hash(self, filename, block_size=2**20): '''Calculate MD5 hash code for a local file''' m = hashlib.md5() with open(filename, 'rb') as f: while True: data = f.read(block_size) if not data: break m.update(data) return m.hexdigest()
[ "Calculate", "MD5", "hash", "code", "for", "a", "local", "file" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1065-L1074
[ "def", "file_hash", "(", "self", ",", "filename", ",", "block_size", "=", "2", "**", "20", ")", ":", "m", "=", "hashlib", ".", "md5", "(", ")", "with", "open", "(", "filename", ",", "'rb'", ")", "as", "f", ":", "while", "True", ":", "data", "=", ...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
LocalMD5Cache.get_md5
Get or calculate MD5 value of the local file.
s4cmd.py
def get_md5(self): '''Get or calculate MD5 value of the local file.''' if self.md5 is None: self.md5 = self.file_hash(self.filename) return self.md5
def get_md5(self): '''Get or calculate MD5 value of the local file.''' if self.md5 is None: self.md5 = self.file_hash(self.filename) return self.md5
[ "Get", "or", "calculate", "MD5", "value", "of", "the", "local", "file", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1076-L1080
[ "def", "get_md5", "(", "self", ")", ":", "if", "self", ".", "md5", "is", "None", ":", "self", ".", "md5", "=", "self", ".", "file_hash", "(", "self", ".", "filename", ")", "return", "self", ".", "md5" ]
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
ThreadUtil.mkdirs
Ensure all directories are created for a given target file.
s4cmd.py
def mkdirs(self, target): '''Ensure all directories are created for a given target file.''' path = os.path.dirname(target) if path and path != PATH_SEP and not os.path.isdir(path): # Multi-threading means there will be intervleaved execution # between the check and creation of the directory. ...
def mkdirs(self, target): '''Ensure all directories are created for a given target file.''' path = os.path.dirname(target) if path and path != PATH_SEP and not os.path.isdir(path): # Multi-threading means there will be intervleaved execution # between the check and creation of the directory. ...
[ "Ensure", "all", "directories", "are", "created", "for", "a", "given", "target", "file", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1114-L1124
[ "def", "mkdirs", "(", "self", ",", "target", ")", ":", "path", "=", "os", ".", "path", ".", "dirname", "(", "target", ")", "if", "path", "and", "path", "!=", "PATH_SEP", "and", "not", "os", ".", "path", ".", "isdir", "(", "path", ")", ":", "# Mul...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
ThreadUtil.sync_check
Check MD5 for a local file and a remote file. Return True if they have the same md5 hash, otherwise False.
s4cmd.py
def sync_check(self, md5cache, remoteKey): '''Check MD5 for a local file and a remote file. Return True if they have the same md5 hash, otherwise False. ''' if not remoteKey: return False if not os.path.exists(md5cache.filename): return False localmd5 = md5cache.get_md5() # c...
def sync_check(self, md5cache, remoteKey): '''Check MD5 for a local file and a remote file. Return True if they have the same md5 hash, otherwise False. ''' if not remoteKey: return False if not os.path.exists(md5cache.filename): return False localmd5 = md5cache.get_md5() # c...
[ "Check", "MD5", "for", "a", "local", "file", "and", "a", "remote", "file", ".", "Return", "True", "if", "they", "have", "the", "same", "md5", "hash", "otherwise", "False", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1127-L1140
[ "def", "sync_check", "(", "self", ",", "md5cache", ",", "remoteKey", ")", ":", "if", "not", "remoteKey", ":", "return", "False", "if", "not", "os", ".", "path", ".", "exists", "(", "md5cache", ".", "filename", ")", ":", "return", "False", "localmd5", "...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
ThreadUtil.partial_match
Partially match a path and a filter_path with wildcards. This function will return True if this path partially match a filter path. This is used for walking through directories with multiple level wildcard.
s4cmd.py
def partial_match(self, path, filter_path): '''Partially match a path and a filter_path with wildcards. This function will return True if this path partially match a filter path. This is used for walking through directories with multiple level wildcard. ''' if not path or not filter_path: ...
def partial_match(self, path, filter_path): '''Partially match a path and a filter_path with wildcards. This function will return True if this path partially match a filter path. This is used for walking through directories with multiple level wildcard. ''' if not path or not filter_path: ...
[ "Partially", "match", "a", "path", "and", "a", "filter_path", "with", "wildcards", ".", "This", "function", "will", "return", "True", "if", "this", "path", "partially", "match", "a", "filter", "path", ".", "This", "is", "used", "for", "walking", "through", ...
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1143-L1164
[ "def", "partial_match", "(", "self", ",", "path", ",", "filter_path", ")", ":", "if", "not", "path", "or", "not", "filter_path", ":", "return", "True", "# trailing slash normalization", "if", "path", "[", "-", "1", "]", "==", "PATH_SEP", ":", "path", "=", ...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
ThreadUtil.s3walk
Thread worker for s3walk. Recursively walk into all subdirectories if they still match the filter path partially.
s4cmd.py
def s3walk(self, s3url, s3dir, filter_path, result): '''Thread worker for s3walk. Recursively walk into all subdirectories if they still match the filter path partially. ''' paginator = self.s3.get_paginator('list_objects') filter_path_level = filter_path.count(PATH_SEP) for page in ...
def s3walk(self, s3url, s3dir, filter_path, result): '''Thread worker for s3walk. Recursively walk into all subdirectories if they still match the filter path partially. ''' paginator = self.s3.get_paginator('list_objects') filter_path_level = filter_path.count(PATH_SEP) for page in ...
[ "Thread", "worker", "for", "s3walk", ".", "Recursively", "walk", "into", "all", "subdirectories", "if", "they", "still", "match", "the", "filter", "path", "partially", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1167-L1206
[ "def", "s3walk", "(", "self", ",", "s3url", ",", "s3dir", ",", "filter_path", ",", "result", ")", ":", "paginator", "=", "self", ".", "s3", ".", "get_paginator", "(", "'list_objects'", ")", "filter_path_level", "=", "filter_path", ".", "count", "(", "PATH_...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
ThreadUtil.conditional
Check all file item with given conditions.
s4cmd.py
def conditional(self, result, obj): '''Check all file item with given conditions.''' fileonly = (self.opt.last_modified_before is not None) or (self.opt.last_modified_after is not None) if obj['is_dir']: if not fileonly: result.append(obj) return if (self.opt.last_modified_before i...
def conditional(self, result, obj): '''Check all file item with given conditions.''' fileonly = (self.opt.last_modified_before is not None) or (self.opt.last_modified_after is not None) if obj['is_dir']: if not fileonly: result.append(obj) return if (self.opt.last_modified_before i...
[ "Check", "all", "file", "item", "with", "given", "conditions", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1208-L1223
[ "def", "conditional", "(", "self", ",", "result", ",", "obj", ")", ":", "fileonly", "=", "(", "self", ".", "opt", ".", "last_modified_before", "is", "not", "None", ")", "or", "(", "self", ".", "opt", ".", "last_modified_after", "is", "not", "None", ")"...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
ThreadUtil.get_file_splits
Get file splits for upload/download/copy operation.
s4cmd.py
def get_file_splits(self, id, source, target, fsize, splitsize): '''Get file splits for upload/download/copy operation.''' pos = 0 part = 1 # S3 part id starts from 1 mpi = ThreadUtil.MultipartItem(id) splits = [] while pos < fsize: chunk = min(splitsize, fsize - pos) assert(chunk >...
def get_file_splits(self, id, source, target, fsize, splitsize): '''Get file splits for upload/download/copy operation.''' pos = 0 part = 1 # S3 part id starts from 1 mpi = ThreadUtil.MultipartItem(id) splits = [] while pos < fsize: chunk = min(splitsize, fsize - pos) assert(chunk >...
[ "Get", "file", "splits", "for", "upload", "/", "download", "/", "copy", "operation", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1260-L1275
[ "def", "get_file_splits", "(", "self", ",", "id", ",", "source", ",", "target", ",", "fsize", ",", "splitsize", ")", ":", "pos", "=", "0", "part", "=", "1", "# S3 part id starts from 1", "mpi", "=", "ThreadUtil", ".", "MultipartItem", "(", "id", ")", "sp...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
ThreadUtil.get_file_privilege
Get privileges of a local file
s4cmd.py
def get_file_privilege(self, source): '''Get privileges of a local file''' try: return str(oct(os.stat(source).st_mode)[-3:]) except Exception as e: raise Failure('Could not get stat for %s, error_message = %s', source, e)
def get_file_privilege(self, source): '''Get privileges of a local file''' try: return str(oct(os.stat(source).st_mode)[-3:]) except Exception as e: raise Failure('Could not get stat for %s, error_message = %s', source, e)
[ "Get", "privileges", "of", "a", "local", "file" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1278-L1283
[ "def", "get_file_privilege", "(", "self", ",", "source", ")", ":", "try", ":", "return", "str", "(", "oct", "(", "os", ".", "stat", "(", "source", ")", ".", "st_mode", ")", "[", "-", "3", ":", "]", ")", "except", "Exception", "as", "e", ":", "rai...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
ThreadUtil.lookup
Get the s3 object with the S3 URL. Return None if not exist.
s4cmd.py
def lookup(self, s3url): '''Get the s3 object with the S3 URL. Return None if not exist.''' try: return self.s3.head_object(Bucket=s3url.bucket, Key=s3url.path) except BotoClient.ClientError as e: if e.response['ResponseMetadata']['HTTPStatusCode'] == 404: return None else: ...
def lookup(self, s3url): '''Get the s3 object with the S3 URL. Return None if not exist.''' try: return self.s3.head_object(Bucket=s3url.bucket, Key=s3url.path) except BotoClient.ClientError as e: if e.response['ResponseMetadata']['HTTPStatusCode'] == 404: return None else: ...
[ "Get", "the", "s3", "object", "with", "the", "S3", "URL", ".", "Return", "None", "if", "not", "exist", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1286-L1294
[ "def", "lookup", "(", "self", ",", "s3url", ")", ":", "try", ":", "return", "self", ".", "s3", ".", "head_object", "(", "Bucket", "=", "s3url", ".", "bucket", ",", "Key", "=", "s3url", ".", "path", ")", "except", "BotoClient", ".", "ClientError", "as...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
ThreadUtil.read_file_chunk
Read local file chunk
s4cmd.py
def read_file_chunk(self, source, pos, chunk): '''Read local file chunk''' if chunk==0: return StringIO() data = None with open(source, 'rb') as f: f.seek(pos) data = f.read(chunk) if not data: raise Failure('Unable to read data from source: %s' % source) return StringI...
def read_file_chunk(self, source, pos, chunk): '''Read local file chunk''' if chunk==0: return StringIO() data = None with open(source, 'rb') as f: f.seek(pos) data = f.read(chunk) if not data: raise Failure('Unable to read data from source: %s' % source) return StringI...
[ "Read", "local", "file", "chunk" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1297-L1307
[ "def", "read_file_chunk", "(", "self", ",", "source", ",", "pos", ",", "chunk", ")", ":", "if", "chunk", "==", "0", ":", "return", "StringIO", "(", ")", "data", "=", "None", "with", "open", "(", "source", ",", "'rb'", ")", "as", "f", ":", "f", "....
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
ThreadUtil.upload
Thread worker for upload operation.
s4cmd.py
def upload(self, source, target, mpi=None, pos=0, chunk=0, part=0): '''Thread worker for upload operation.''' s3url = S3URL(target) obj = self.lookup(s3url) # Initialization: Set up multithreaded uploads. if not mpi: fsize = os.path.getsize(source) md5cache = LocalMD5Cache(source) ...
def upload(self, source, target, mpi=None, pos=0, chunk=0, part=0): '''Thread worker for upload operation.''' s3url = S3URL(target) obj = self.lookup(s3url) # Initialization: Set up multithreaded uploads. if not mpi: fsize = os.path.getsize(source) md5cache = LocalMD5Cache(source) ...
[ "Thread", "worker", "for", "upload", "operation", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1310-L1363
[ "def", "upload", "(", "self", ",", "source", ",", "target", ",", "mpi", "=", "None", ",", "pos", "=", "0", ",", "chunk", "=", "0", ",", "part", "=", "0", ")", ":", "s3url", "=", "S3URL", "(", "target", ")", "obj", "=", "self", ".", "lookup", ...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
ThreadUtil._verify_file_size
Verify the file size of the downloaded file.
s4cmd.py
def _verify_file_size(self, obj, downloaded_file): '''Verify the file size of the downloaded file.''' file_size = os.path.getsize(downloaded_file) if int(obj['ContentLength']) != file_size: raise RetryFailure('Downloaded file size inconsistent: %s' % (repr(obj)))
def _verify_file_size(self, obj, downloaded_file): '''Verify the file size of the downloaded file.''' file_size = os.path.getsize(downloaded_file) if int(obj['ContentLength']) != file_size: raise RetryFailure('Downloaded file size inconsistent: %s' % (repr(obj)))
[ "Verify", "the", "file", "size", "of", "the", "downloaded", "file", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1366-L1370
[ "def", "_verify_file_size", "(", "self", ",", "obj", ",", "downloaded_file", ")", ":", "file_size", "=", "os", ".", "path", ".", "getsize", "(", "downloaded_file", ")", "if", "int", "(", "obj", "[", "'ContentLength'", "]", ")", "!=", "file_size", ":", "r...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
ThreadUtil.write_file_chunk
Write local file chunk
s4cmd.py
def write_file_chunk(self, target, pos, chunk, body): '''Write local file chunk''' fd = os.open(target, os.O_CREAT | os.O_WRONLY) try: os.lseek(fd, pos, os.SEEK_SET) data = body.read(chunk) num_bytes_written = os.write(fd, data) if(num_bytes_written != len(data)): raise Retry...
def write_file_chunk(self, target, pos, chunk, body): '''Write local file chunk''' fd = os.open(target, os.O_CREAT | os.O_WRONLY) try: os.lseek(fd, pos, os.SEEK_SET) data = body.read(chunk) num_bytes_written = os.write(fd, data) if(num_bytes_written != len(data)): raise Retry...
[ "Write", "local", "file", "chunk" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1373-L1383
[ "def", "write_file_chunk", "(", "self", ",", "target", ",", "pos", ",", "chunk", ",", "body", ")", ":", "fd", "=", "os", ".", "open", "(", "target", ",", "os", ".", "O_CREAT", "|", "os", ".", "O_WRONLY", ")", "try", ":", "os", ".", "lseek", "(", ...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
ThreadUtil.download
Thread worker for download operation.
s4cmd.py
def download(self, source, target, mpi=None, pos=0, chunk=0, part=0): '''Thread worker for download operation.''' s3url = S3URL(source) obj = self.lookup(s3url) if obj is None: raise Failure('The obj "%s" does not exists.' % (s3url.path,)) # Initialization: Set up multithreaded downloads. ...
def download(self, source, target, mpi=None, pos=0, chunk=0, part=0): '''Thread worker for download operation.''' s3url = S3URL(source) obj = self.lookup(s3url) if obj is None: raise Failure('The obj "%s" does not exists.' % (s3url.path,)) # Initialization: Set up multithreaded downloads. ...
[ "Thread", "worker", "for", "download", "operation", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1386-L1442
[ "def", "download", "(", "self", ",", "source", ",", "target", ",", "mpi", "=", "None", ",", "pos", "=", "0", ",", "chunk", "=", "0", ",", "part", "=", "0", ")", ":", "s3url", "=", "S3URL", "(", "source", ")", "obj", "=", "self", ".", "lookup", ...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
ThreadUtil.copy
Copy a single file from source to target using boto S3 library.
s4cmd.py
def copy(self, source, target, mpi=None, pos=0, chunk=0, part=0, delete_source=False): '''Copy a single file from source to target using boto S3 library.''' if self.opt.dry_run: message('%s => %s' % (source, target)) return source_url = S3URL(source) target_url = S3URL(target) if not ...
def copy(self, source, target, mpi=None, pos=0, chunk=0, part=0, delete_source=False): '''Copy a single file from source to target using boto S3 library.''' if self.opt.dry_run: message('%s => %s' % (source, target)) return source_url = S3URL(source) target_url = S3URL(target) if not ...
[ "Copy", "a", "single", "file", "from", "source", "to", "target", "using", "boto", "S3", "library", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1445-L1497
[ "def", "copy", "(", "self", ",", "source", ",", "target", ",", "mpi", "=", "None", ",", "pos", "=", "0", ",", "chunk", "=", "0", ",", "part", "=", "0", ",", "delete_source", "=", "False", ")", ":", "if", "self", ".", "opt", ".", "dry_run", ":",...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
ThreadUtil.delete
Thread worker for download operation.
s4cmd.py
def delete(self, source): '''Thread worker for download operation.''' s3url = S3URL(source) message('Delete %s', source) if not self.opt.dry_run: self.s3.delete_object(Bucket=s3url.bucket, Key=s3url.path)
def delete(self, source): '''Thread worker for download operation.''' s3url = S3URL(source) message('Delete %s', source) if not self.opt.dry_run: self.s3.delete_object(Bucket=s3url.bucket, Key=s3url.path)
[ "Thread", "worker", "for", "download", "operation", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1500-L1506
[ "def", "delete", "(", "self", ",", "source", ")", ":", "s3url", "=", "S3URL", "(", "source", ")", "message", "(", "'Delete %s'", ",", "source", ")", "if", "not", "self", ".", "opt", ".", "dry_run", ":", "self", ".", "s3", ".", "delete_object", "(", ...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
ThreadUtil.batch_delete
Delete a list of files in batch of batch_delete_size (default=1000).
s4cmd.py
def batch_delete(self, sources): '''Delete a list of files in batch of batch_delete_size (default=1000).''' assert(type(sources) == list) if len(sources) == 0: return elif len(sources) == 1: self.delete(sources[0]) elif len(sources) > self.opt.batch_delete_size: for i in range(0, ...
def batch_delete(self, sources): '''Delete a list of files in batch of batch_delete_size (default=1000).''' assert(type(sources) == list) if len(sources) == 0: return elif len(sources) == 1: self.delete(sources[0]) elif len(sources) > self.opt.batch_delete_size: for i in range(0, ...
[ "Delete", "a", "list", "of", "files", "in", "batch", "of", "batch_delete_size", "(", "default", "=", "1000", ")", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1509-L1539
[ "def", "batch_delete", "(", "self", ",", "sources", ")", ":", "assert", "(", "type", "(", "sources", ")", "==", "list", ")", "if", "len", "(", "sources", ")", "==", "0", ":", "return", "elif", "len", "(", "sources", ")", "==", "1", ":", "self", "...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
CommandHandler.run
Main entry to handle commands. Dispatch to individual command handler.
s4cmd.py
def run(self, args): '''Main entry to handle commands. Dispatch to individual command handler.''' if len(args) == 0: raise InvalidArgument('No command provided') cmd = args[0] if cmd + '_handler' in CommandHandler.__dict__: CommandHandler.__dict__[cmd + '_handler'](self, args) else: ...
def run(self, args): '''Main entry to handle commands. Dispatch to individual command handler.''' if len(args) == 0: raise InvalidArgument('No command provided') cmd = args[0] if cmd + '_handler' in CommandHandler.__dict__: CommandHandler.__dict__[cmd + '_handler'](self, args) else: ...
[ "Main", "entry", "to", "handle", "commands", ".", "Dispatch", "to", "individual", "command", "handler", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1551-L1559
[ "def", "run", "(", "self", ",", "args", ")", ":", "if", "len", "(", "args", ")", "==", "0", ":", "raise", "InvalidArgument", "(", "'No command provided'", ")", "cmd", "=", "args", "[", "0", "]", "if", "cmd", "+", "'_handler'", "in", "CommandHandler", ...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
CommandHandler.validate
Validate input parameters with given format. This function also checks for wildcards for recursive mode.
s4cmd.py
def validate(self, format, args): '''Validate input parameters with given format. This function also checks for wildcards for recursive mode. ''' fmtMap = { 'cmd': 'Command', 's3': 's3 path', 'local': 'local path' } fmts = format.split('|') if len(fmts) != len(args): ...
def validate(self, format, args): '''Validate input parameters with given format. This function also checks for wildcards for recursive mode. ''' fmtMap = { 'cmd': 'Command', 's3': 's3 path', 'local': 'local path' } fmts = format.split('|') if len(fmts) != len(args): ...
[ "Validate", "input", "parameters", "with", "given", "format", ".", "This", "function", "also", "checks", "for", "wildcards", "for", "recursive", "mode", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1566-L1589
[ "def", "validate", "(", "self", ",", "format", ",", "args", ")", ":", "fmtMap", "=", "{", "'cmd'", ":", "'Command'", ",", "'s3'", ":", "'s3 path'", ",", "'local'", ":", "'local path'", "}", "fmts", "=", "format", ".", "split", "(", "'|'", ")", "if", ...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
CommandHandler.pretty_print
Pretty print the result of s3walk. Here we calculate the maximum width of each column and align them.
s4cmd.py
def pretty_print(self, objlist): '''Pretty print the result of s3walk. Here we calculate the maximum width of each column and align them. ''' def normalize_time(timestamp): '''Normalize the timestamp format for pretty print.''' if timestamp is None: return ' ' * 16 return ...
def pretty_print(self, objlist): '''Pretty print the result of s3walk. Here we calculate the maximum width of each column and align them. ''' def normalize_time(timestamp): '''Normalize the timestamp format for pretty print.''' if timestamp is None: return ' ' * 16 return ...
[ "Pretty", "print", "the", "result", "of", "s3walk", ".", "Here", "we", "calculate", "the", "maximum", "width", "of", "each", "column", "and", "align", "them", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1592-L1622
[ "def", "pretty_print", "(", "self", ",", "objlist", ")", ":", "def", "normalize_time", "(", "timestamp", ")", ":", "'''Normalize the timestamp format for pretty print.'''", "if", "timestamp", "is", "None", ":", "return", "' '", "*", "16", "return", "TIMESTAMP_FORMAT...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
CommandHandler.ls_handler
Handler for ls command
s4cmd.py
def ls_handler(self, args): '''Handler for ls command''' if len(args) == 1: self.pretty_print(self.s3handler().list_buckets()) return self.validate('cmd|s3', args) self.pretty_print(self.s3handler().s3walk(args[1]))
def ls_handler(self, args): '''Handler for ls command''' if len(args) == 1: self.pretty_print(self.s3handler().list_buckets()) return self.validate('cmd|s3', args) self.pretty_print(self.s3handler().s3walk(args[1]))
[ "Handler", "for", "ls", "command" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1625-L1632
[ "def", "ls_handler", "(", "self", ",", "args", ")", ":", "if", "len", "(", "args", ")", "==", "1", ":", "self", ".", "pretty_print", "(", "self", ".", "s3handler", "(", ")", ".", "list_buckets", "(", ")", ")", "return", "self", ".", "validate", "("...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
CommandHandler.mb_handler
Handler for mb command
s4cmd.py
def mb_handler(self, args): '''Handler for mb command''' if len(args) == 1: raise InvalidArgument('No s3 bucketname provided') self.validate('cmd|s3', args) self.s3handler().create_bucket(args[1])
def mb_handler(self, args): '''Handler for mb command''' if len(args) == 1: raise InvalidArgument('No s3 bucketname provided') self.validate('cmd|s3', args) self.s3handler().create_bucket(args[1])
[ "Handler", "for", "mb", "command" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1635-L1641
[ "def", "mb_handler", "(", "self", ",", "args", ")", ":", "if", "len", "(", "args", ")", "==", "1", ":", "raise", "InvalidArgument", "(", "'No s3 bucketname provided'", ")", "self", ".", "validate", "(", "'cmd|s3'", ",", "args", ")", "self", ".", "s3handl...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
CommandHandler.put_handler
Handler for put command
s4cmd.py
def put_handler(self, args): '''Handler for put command''' # Special check for shell expansion if len(args) < 3: raise InvalidArgument('Invalid number of parameters') self.validate('|'.join(['cmd'] + ['local'] * (len(args) - 2) + ['s3']), args) source = args[1:-1] # shell expansion targe...
def put_handler(self, args): '''Handler for put command''' # Special check for shell expansion if len(args) < 3: raise InvalidArgument('Invalid number of parameters') self.validate('|'.join(['cmd'] + ['local'] * (len(args) - 2) + ['s3']), args) source = args[1:-1] # shell expansion targe...
[ "Handler", "for", "put", "command" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1644-L1655
[ "def", "put_handler", "(", "self", ",", "args", ")", ":", "# Special check for shell expansion", "if", "len", "(", "args", ")", "<", "3", ":", "raise", "InvalidArgument", "(", "'Invalid number of parameters'", ")", "self", ".", "validate", "(", "'|'", ".", "jo...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
CommandHandler.get_handler
Handler for get command
s4cmd.py
def get_handler(self, args): '''Handler for get command''' # Special case when we don't have target directory. if len(args) == 2: args += ['.'] self.validate('cmd|s3|local', args) source = args[1] target = args[2] self.s3handler().get_files(source, target)
def get_handler(self, args): '''Handler for get command''' # Special case when we don't have target directory. if len(args) == 2: args += ['.'] self.validate('cmd|s3|local', args) source = args[1] target = args[2] self.s3handler().get_files(source, target)
[ "Handler", "for", "get", "command" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1658-L1668
[ "def", "get_handler", "(", "self", ",", "args", ")", ":", "# Special case when we don't have target directory.", "if", "len", "(", "args", ")", "==", "2", ":", "args", "+=", "[", "'.'", "]", "self", ".", "validate", "(", "'cmd|s3|local'", ",", "args", ")", ...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
CommandHandler.cat_handler
Handler for cat command
s4cmd.py
def cat_handler(self, args): '''Handler for cat command''' self.validate('cmd|s3', args) source = args[1] self.s3handler().print_files(source)
def cat_handler(self, args): '''Handler for cat command''' self.validate('cmd|s3', args) source = args[1] self.s3handler().print_files(source)
[ "Handler", "for", "cat", "command" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1671-L1677
[ "def", "cat_handler", "(", "self", ",", "args", ")", ":", "self", ".", "validate", "(", "'cmd|s3'", ",", "args", ")", "source", "=", "args", "[", "1", "]", "self", ".", "s3handler", "(", ")", ".", "print_files", "(", "source", ")" ]
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
CommandHandler.dsync_handler
Handler for dsync command.
s4cmd.py
def dsync_handler(self, args): '''Handler for dsync command.''' self.opt.recursive = True self.opt.sync_check = True self.opt.force = True self.validate('cmd|s3,local|s3,local', args) source = args[1] target = args[2] self.s3handler().dsync_files(source, target)
def dsync_handler(self, args): '''Handler for dsync command.''' self.opt.recursive = True self.opt.sync_check = True self.opt.force = True self.validate('cmd|s3,local|s3,local', args) source = args[1] target = args[2] self.s3handler().dsync_files(source, target)
[ "Handler", "for", "dsync", "command", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1680-L1690
[ "def", "dsync_handler", "(", "self", ",", "args", ")", ":", "self", ".", "opt", ".", "recursive", "=", "True", "self", ".", "opt", ".", "sync_check", "=", "True", "self", ".", "opt", ".", "force", "=", "True", "self", ".", "validate", "(", "'cmd|s3,l...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
CommandHandler.sync_handler
Handler for sync command. XXX Here we emulate sync command with get/put -r -f --sync-check. So it doesn't provide delete operation.
s4cmd.py
def sync_handler(self, args): '''Handler for sync command. XXX Here we emulate sync command with get/put -r -f --sync-check. So it doesn't provide delete operation. ''' self.opt.recursive = True self.opt.sync_check = True self.opt.force = True self.validate('cmd|s3,local|s3,lo...
def sync_handler(self, args): '''Handler for sync command. XXX Here we emulate sync command with get/put -r -f --sync-check. So it doesn't provide delete operation. ''' self.opt.recursive = True self.opt.sync_check = True self.opt.force = True self.validate('cmd|s3,local|s3,lo...
[ "Handler", "for", "sync", "command", ".", "XXX", "Here", "we", "emulate", "sync", "command", "with", "get", "/", "put", "-", "r", "-", "f", "--", "sync", "-", "check", ".", "So", "it", "doesn", "t", "provide", "delete", "operation", "." ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1693-L1706
[ "def", "sync_handler", "(", "self", ",", "args", ")", ":", "self", ".", "opt", ".", "recursive", "=", "True", "self", ".", "opt", ".", "sync_check", "=", "True", "self", ".", "opt", ".", "force", "=", "True", "self", ".", "validate", "(", "'cmd|s3,lo...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
CommandHandler.cp_handler
Handler for cp command
s4cmd.py
def cp_handler(self, args): '''Handler for cp command''' self.validate('cmd|s3|s3', args) source = args[1] target = args[2] self.s3handler().cp_files(source, target)
def cp_handler(self, args): '''Handler for cp command''' self.validate('cmd|s3|s3', args) source = args[1] target = args[2] self.s3handler().cp_files(source, target)
[ "Handler", "for", "cp", "command" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1709-L1715
[ "def", "cp_handler", "(", "self", ",", "args", ")", ":", "self", ".", "validate", "(", "'cmd|s3|s3'", ",", "args", ")", "source", "=", "args", "[", "1", "]", "target", "=", "args", "[", "2", "]", "self", ".", "s3handler", "(", ")", ".", "cp_files",...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
CommandHandler.mv_handler
Handler for mv command
s4cmd.py
def mv_handler(self, args): '''Handler for mv command''' self.validate('cmd|s3|s3', args) source = args[1] target = args[2] self.s3handler().cp_files(source, target, delete_source=True)
def mv_handler(self, args): '''Handler for mv command''' self.validate('cmd|s3|s3', args) source = args[1] target = args[2] self.s3handler().cp_files(source, target, delete_source=True)
[ "Handler", "for", "mv", "command" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1718-L1724
[ "def", "mv_handler", "(", "self", ",", "args", ")", ":", "self", ".", "validate", "(", "'cmd|s3|s3'", ",", "args", ")", "source", "=", "args", "[", "1", "]", "target", "=", "args", "[", "2", "]", "self", ".", "s3handler", "(", ")", ".", "cp_files",...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
CommandHandler.del_handler
Handler for del command
s4cmd.py
def del_handler(self, args): '''Handler for del command''' self.validate('cmd|s3', args) source = args[1] self.s3handler().del_files(source)
def del_handler(self, args): '''Handler for del command''' self.validate('cmd|s3', args) source = args[1] self.s3handler().del_files(source)
[ "Handler", "for", "del", "command" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1727-L1731
[ "def", "del_handler", "(", "self", ",", "args", ")", ":", "self", ".", "validate", "(", "'cmd|s3'", ",", "args", ")", "source", "=", "args", "[", "1", "]", "self", ".", "s3handler", "(", ")", ".", "del_files", "(", "source", ")" ]
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
CommandHandler.du_handler
Handler for size command
s4cmd.py
def du_handler(self, args): '''Handler for size command''' for src, size in self.s3handler().size(args[1:]): message('%s\t%s' % (size, src))
def du_handler(self, args): '''Handler for size command''' for src, size in self.s3handler().size(args[1:]): message('%s\t%s' % (size, src))
[ "Handler", "for", "size", "command" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1734-L1737
[ "def", "du_handler", "(", "self", ",", "args", ")", ":", "for", "src", ",", "size", "in", "self", ".", "s3handler", "(", ")", ".", "size", "(", "args", "[", "1", ":", "]", ")", ":", "message", "(", "'%s\\t%s'", "%", "(", "size", ",", "src", ")"...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
CommandHandler._totalsize_handler
Handler of total_size command
s4cmd.py
def _totalsize_handler(self, args): '''Handler of total_size command''' total_size = 0 for src, size in self.s3handler().size(args[1:]): total_size += size message(str(total_size))
def _totalsize_handler(self, args): '''Handler of total_size command''' total_size = 0 for src, size in self.s3handler().size(args[1:]): total_size += size message(str(total_size))
[ "Handler", "of", "total_size", "command" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1740-L1745
[ "def", "_totalsize_handler", "(", "self", ",", "args", ")", ":", "total_size", "=", "0", "for", "src", ",", "size", "in", "self", ".", "s3handler", "(", ")", ".", "size", "(", "args", "[", "1", ":", "]", ")", ":", "total_size", "+=", "size", "messa...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
ExtendedOptParser.match_date
Search for date information in the string
s4cmd.py
def match_date(self, value): '''Search for date information in the string''' m = self.REGEX_DATE.search(value) date = datetime.datetime.utcnow().date() if m: date = datetime.date(int(m.group(1)), int(m.group(2)), int(m.group(3))) value = self.REGEX_DATE.sub('', value) return (date, value...
def match_date(self, value): '''Search for date information in the string''' m = self.REGEX_DATE.search(value) date = datetime.datetime.utcnow().date() if m: date = datetime.date(int(m.group(1)), int(m.group(2)), int(m.group(3))) value = self.REGEX_DATE.sub('', value) return (date, value...
[ "Search", "for", "date", "information", "in", "the", "string" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1754-L1761
[ "def", "match_date", "(", "self", ",", "value", ")", ":", "m", "=", "self", ".", "REGEX_DATE", ".", "search", "(", "value", ")", "date", "=", "datetime", ".", "datetime", ".", "utcnow", "(", ")", ".", "date", "(", ")", "if", "m", ":", "date", "="...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
ExtendedOptParser.match_time
Search for time information in the string
s4cmd.py
def match_time(self, value): '''Search for time information in the string''' m = self.REGEX_TIME.search(value) time = datetime.datetime.utcnow().time() if m: time = datetime.time(int(m.group(1)), int(m.group(2))) value = self.REGEX_TIME.sub('', value) return (time, value)
def match_time(self, value): '''Search for time information in the string''' m = self.REGEX_TIME.search(value) time = datetime.datetime.utcnow().time() if m: time = datetime.time(int(m.group(1)), int(m.group(2))) value = self.REGEX_TIME.sub('', value) return (time, value)
[ "Search", "for", "time", "information", "in", "the", "string" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1763-L1770
[ "def", "match_time", "(", "self", ",", "value", ")", ":", "m", "=", "self", ".", "REGEX_TIME", ".", "search", "(", "value", ")", "time", "=", "datetime", ".", "datetime", ".", "utcnow", "(", ")", ".", "time", "(", ")", "if", "m", ":", "time", "="...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
ExtendedOptParser.match_delta
Search for timedelta information in the string
s4cmd.py
def match_delta(self, value): '''Search for timedelta information in the string''' m = self.REGEX_DELTA.search(value) delta = datetime.timedelta(days=0) if m: d = int(m.group(1)) if m.group(3) == 'ago' or m.group(3) == 'before': d = -d if m.group(2) == 'minute': delta ...
def match_delta(self, value): '''Search for timedelta information in the string''' m = self.REGEX_DELTA.search(value) delta = datetime.timedelta(days=0) if m: d = int(m.group(1)) if m.group(3) == 'ago' or m.group(3) == 'before': d = -d if m.group(2) == 'minute': delta ...
[ "Search", "for", "timedelta", "information", "in", "the", "string" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1772-L1790
[ "def", "match_delta", "(", "self", ",", "value", ")", ":", "m", "=", "self", ".", "REGEX_DELTA", ".", "search", "(", "value", ")", "delta", "=", "datetime", ".", "timedelta", "(", "days", "=", "0", ")", "if", "m", ":", "d", "=", "int", "(", "m", ...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
ExtendedOptParser.check_dict
Take json as dictionary parameter
s4cmd.py
def check_dict(self, opt, value): '''Take json as dictionary parameter''' try: return json.loads(value) except: raise optparse.OptionValueError("Option %s: invalid dict value: %r" % (opt, value))
def check_dict(self, opt, value): '''Take json as dictionary parameter''' try: return json.loads(value) except: raise optparse.OptionValueError("Option %s: invalid dict value: %r" % (opt, value))
[ "Take", "json", "as", "dictionary", "parameter" ]
bloomreach/s4cmd
python
https://github.com/bloomreach/s4cmd/blob/bb51075bf43703e7cd95aa39288cf7732ec13a6d/s4cmd.py#L1805-L1810
[ "def", "check_dict", "(", "self", ",", "opt", ",", "value", ")", ":", "try", ":", "return", "json", ".", "loads", "(", "value", ")", "except", ":", "raise", "optparse", ".", "OptionValueError", "(", "\"Option %s: invalid dict value: %r\"", "%", "(", "opt", ...
bb51075bf43703e7cd95aa39288cf7732ec13a6d
test
XiaomiGatewayDiscovery.discover_gateways
Discover gateways using multicast
xiaomi_gateway/__init__.py
def discover_gateways(self): """Discover gateways using multicast""" _socket = socket.socket(socket.AF_INET, socket.SOCK_DGRAM) _socket.settimeout(5.0) if self._interface != 'any': _socket.bind((self._interface, 0)) for gateway in self._gateways_config: ...
def discover_gateways(self): """Discover gateways using multicast""" _socket = socket.socket(socket.AF_INET, socket.SOCK_DGRAM) _socket.settimeout(5.0) if self._interface != 'any': _socket.bind((self._interface, 0)) for gateway in self._gateways_config: ...
[ "Discover", "gateways", "using", "multicast" ]
Danielhiversen/PyXiaomiGateway
python
https://github.com/Danielhiversen/PyXiaomiGateway/blob/21b38ab972d67402f2124dba02101ddfd8d9e0b4/xiaomi_gateway/__init__.py#L41-L119
[ "def", "discover_gateways", "(", "self", ")", ":", "_socket", "=", "socket", ".", "socket", "(", "socket", ".", "AF_INET", ",", "socket", ".", "SOCK_DGRAM", ")", "_socket", ".", "settimeout", "(", "5.0", ")", "if", "self", ".", "_interface", "!=", "'any'...
21b38ab972d67402f2124dba02101ddfd8d9e0b4
test
XiaomiGatewayDiscovery.listen
Start listening.
xiaomi_gateway/__init__.py
def listen(self): """Start listening.""" _LOGGER.info('Creating Multicast Socket') self._mcastsocket = self._create_mcast_socket() self._listening = True thread = Thread(target=self._listen_to_msg, args=()) self._threads.append(thread) thread.daemon = True ...
def listen(self): """Start listening.""" _LOGGER.info('Creating Multicast Socket') self._mcastsocket = self._create_mcast_socket() self._listening = True thread = Thread(target=self._listen_to_msg, args=()) self._threads.append(thread) thread.daemon = True ...
[ "Start", "listening", "." ]
Danielhiversen/PyXiaomiGateway
python
https://github.com/Danielhiversen/PyXiaomiGateway/blob/21b38ab972d67402f2124dba02101ddfd8d9e0b4/xiaomi_gateway/__init__.py#L142-L151
[ "def", "listen", "(", "self", ")", ":", "_LOGGER", ".", "info", "(", "'Creating Multicast Socket'", ")", "self", ".", "_mcastsocket", "=", "self", ".", "_create_mcast_socket", "(", ")", "self", ".", "_listening", "=", "True", "thread", "=", "Thread", "(", ...
21b38ab972d67402f2124dba02101ddfd8d9e0b4
test
XiaomiGatewayDiscovery.stop_listen
Stop listening.
xiaomi_gateway/__init__.py
def stop_listen(self): """Stop listening.""" self._listening = False if self._mcastsocket is not None: _LOGGER.info('Closing multisocket') self._mcastsocket.close() self._mcastsocket = None for thread in self._threads: thread.join()
def stop_listen(self): """Stop listening.""" self._listening = False if self._mcastsocket is not None: _LOGGER.info('Closing multisocket') self._mcastsocket.close() self._mcastsocket = None for thread in self._threads: thread.join()
[ "Stop", "listening", "." ]
Danielhiversen/PyXiaomiGateway
python
https://github.com/Danielhiversen/PyXiaomiGateway/blob/21b38ab972d67402f2124dba02101ddfd8d9e0b4/xiaomi_gateway/__init__.py#L153-L163
[ "def", "stop_listen", "(", "self", ")", ":", "self", ".", "_listening", "=", "False", "if", "self", ".", "_mcastsocket", "is", "not", "None", ":", "_LOGGER", ".", "info", "(", "'Closing multisocket'", ")", "self", ".", "_mcastsocket", ".", "close", "(", ...
21b38ab972d67402f2124dba02101ddfd8d9e0b4
test
XiaomiGateway.write_to_hub
Send data to gateway to turn on / off device
xiaomi_gateway/__init__.py
def write_to_hub(self, sid, **kwargs): """Send data to gateway to turn on / off device""" if self.key is None: _LOGGER.error('Gateway Key is not provided. Can not send commands to the gateway.') return False data = {} for key in kwargs: data[key] = kwa...
def write_to_hub(self, sid, **kwargs): """Send data to gateway to turn on / off device""" if self.key is None: _LOGGER.error('Gateway Key is not provided. Can not send commands to the gateway.') return False data = {} for key in kwargs: data[key] = kwa...
[ "Send", "data", "to", "gateway", "to", "turn", "on", "/", "off", "device" ]
Danielhiversen/PyXiaomiGateway
python
https://github.com/Danielhiversen/PyXiaomiGateway/blob/21b38ab972d67402f2124dba02101ddfd8d9e0b4/xiaomi_gateway/__init__.py#L330-L377
[ "def", "write_to_hub", "(", "self", ",", "sid", ",", "*", "*", "kwargs", ")", ":", "if", "self", ".", "key", "is", "None", ":", "_LOGGER", ".", "error", "(", "'Gateway Key is not provided. Can not send commands to the gateway.'", ")", "return", "False", "data", ...
21b38ab972d67402f2124dba02101ddfd8d9e0b4
test
XiaomiGateway.get_from_hub
Get data from gateway
xiaomi_gateway/__init__.py
def get_from_hub(self, sid): """Get data from gateway""" cmd = '{ "cmd":"read","sid":"' + sid + '"}' resp = self._send_cmd(cmd, "read_ack") if int(self.proto[0:1]) == 1 else self._send_cmd(cmd, "read_rsp") _LOGGER.debug("read_ack << %s", resp) return self.push_data(resp)
def get_from_hub(self, sid): """Get data from gateway""" cmd = '{ "cmd":"read","sid":"' + sid + '"}' resp = self._send_cmd(cmd, "read_ack") if int(self.proto[0:1]) == 1 else self._send_cmd(cmd, "read_rsp") _LOGGER.debug("read_ack << %s", resp) return self.push_data(resp)
[ "Get", "data", "from", "gateway" ]
Danielhiversen/PyXiaomiGateway
python
https://github.com/Danielhiversen/PyXiaomiGateway/blob/21b38ab972d67402f2124dba02101ddfd8d9e0b4/xiaomi_gateway/__init__.py#L379-L384
[ "def", "get_from_hub", "(", "self", ",", "sid", ")", ":", "cmd", "=", "'{ \"cmd\":\"read\",\"sid\":\"'", "+", "sid", "+", "'\"}'", "resp", "=", "self", ".", "_send_cmd", "(", "cmd", ",", "\"read_ack\"", ")", "if", "int", "(", "self", ".", "proto", "[", ...
21b38ab972d67402f2124dba02101ddfd8d9e0b4
test
XiaomiGateway.push_data
Push data broadcasted from gateway to device
xiaomi_gateway/__init__.py
def push_data(self, data): """Push data broadcasted from gateway to device""" if not _validate_data(data): return False jdata = json.loads(data['data']) if int(self.proto[0:1]) == 1 else _list2map(data['params']) if jdata is None: return False sid = data['...
def push_data(self, data): """Push data broadcasted from gateway to device""" if not _validate_data(data): return False jdata = json.loads(data['data']) if int(self.proto[0:1]) == 1 else _list2map(data['params']) if jdata is None: return False sid = data['...
[ "Push", "data", "broadcasted", "from", "gateway", "to", "device" ]
Danielhiversen/PyXiaomiGateway
python
https://github.com/Danielhiversen/PyXiaomiGateway/blob/21b38ab972d67402f2124dba02101ddfd8d9e0b4/xiaomi_gateway/__init__.py#L386-L396
[ "def", "push_data", "(", "self", ",", "data", ")", ":", "if", "not", "_validate_data", "(", "data", ")", ":", "return", "False", "jdata", "=", "json", ".", "loads", "(", "data", "[", "'data'", "]", ")", "if", "int", "(", "self", ".", "proto", "[", ...
21b38ab972d67402f2124dba02101ddfd8d9e0b4
test
XiaomiGateway._get_key
Get key using token from gateway
xiaomi_gateway/__init__.py
def _get_key(self): """Get key using token from gateway""" init_vector = bytes(bytearray.fromhex('17996d093d28ddb3ba695a2e6f58562e')) encryptor = Cipher(algorithms.AES(self.key.encode()), modes.CBC(init_vector), backend=default_backend()).encryptor() ciphertext...
def _get_key(self): """Get key using token from gateway""" init_vector = bytes(bytearray.fromhex('17996d093d28ddb3ba695a2e6f58562e')) encryptor = Cipher(algorithms.AES(self.key.encode()), modes.CBC(init_vector), backend=default_backend()).encryptor() ciphertext...
[ "Get", "key", "using", "token", "from", "gateway" ]
Danielhiversen/PyXiaomiGateway
python
https://github.com/Danielhiversen/PyXiaomiGateway/blob/21b38ab972d67402f2124dba02101ddfd8d9e0b4/xiaomi_gateway/__init__.py#L398-L406
[ "def", "_get_key", "(", "self", ")", ":", "init_vector", "=", "bytes", "(", "bytearray", ".", "fromhex", "(", "'17996d093d28ddb3ba695a2e6f58562e'", ")", ")", "encryptor", "=", "Cipher", "(", "algorithms", ".", "AES", "(", "self", ".", "key", ".", "encode", ...
21b38ab972d67402f2124dba02101ddfd8d9e0b4
test
train
Train your awesome model. :param hparams: The arguments to run the model with.
examples/pytorch_hpc_example.py
def train(hparams, *args): """Train your awesome model. :param hparams: The arguments to run the model with. """ # Initialize experiments and track all the hyperparameters exp = Experiment( name=hparams.test_tube_exp_name, # Location to save the metrics. save_dir=hparams.log...
def train(hparams, *args): """Train your awesome model. :param hparams: The arguments to run the model with. """ # Initialize experiments and track all the hyperparameters exp = Experiment( name=hparams.test_tube_exp_name, # Location to save the metrics. save_dir=hparams.log...
[ "Train", "your", "awesome", "model", "." ]
williamFalcon/test-tube
python
https://github.com/williamFalcon/test-tube/blob/db5a47067a854f76d89f8066582023c1e184bccb/examples/pytorch_hpc_example.py#L8-L30
[ "def", "train", "(", "hparams", ",", "*", "args", ")", ":", "# Initialize experiments and track all the hyperparameters", "exp", "=", "Experiment", "(", "name", "=", "hparams", ".", "test_tube_exp_name", ",", "# Location to save the metrics.", "save_dir", "=", "hparams"...
db5a47067a854f76d89f8066582023c1e184bccb
test
train
Train your awesome model. :param hparams: The arguments to run the model with.
examples/hpc_cpu_example.py
def train(hparams, *args): """Train your awesome model. :param hparams: The arguments to run the model with. """ # Initialize experiments and track all the hyperparameters exp = Experiment( name=hparams.test_tube_exp_name, # Location to save the metrics. save_dir=hparams.log...
def train(hparams, *args): """Train your awesome model. :param hparams: The arguments to run the model with. """ # Initialize experiments and track all the hyperparameters exp = Experiment( name=hparams.test_tube_exp_name, # Location to save the metrics. save_dir=hparams.log...
[ "Train", "your", "awesome", "model", "." ]
williamFalcon/test-tube
python
https://github.com/williamFalcon/test-tube/blob/db5a47067a854f76d89f8066582023c1e184bccb/examples/hpc_cpu_example.py#L5-L31
[ "def", "train", "(", "hparams", ",", "*", "args", ")", ":", "# Initialize experiments and track all the hyperparameters", "exp", "=", "Experiment", "(", "name", "=", "hparams", ".", "test_tube_exp_name", ",", "# Location to save the metrics.", "save_dir", "=", "hparams"...
db5a47067a854f76d89f8066582023c1e184bccb
test
exception_handler
Called by RQ when there is a failure in a worker. NOTE: Make sure that in your RQ worker process, rollbar.init() has been called with handler='blocking'. The default handler, 'thread', does not work from inside an RQ worker.
rollbar/contrib/rq/__init__.py
def exception_handler(job, *exc_info): """ Called by RQ when there is a failure in a worker. NOTE: Make sure that in your RQ worker process, rollbar.init() has been called with handler='blocking'. The default handler, 'thread', does not work from inside an RQ worker. """ # Report data about the...
def exception_handler(job, *exc_info): """ Called by RQ when there is a failure in a worker. NOTE: Make sure that in your RQ worker process, rollbar.init() has been called with handler='blocking'. The default handler, 'thread', does not work from inside an RQ worker. """ # Report data about the...
[ "Called", "by", "RQ", "when", "there", "is", "a", "failure", "in", "a", "worker", "." ]
rollbar/pyrollbar
python
https://github.com/rollbar/pyrollbar/blob/33ef2e723a33d09dd6302f978f4a3908be95b9d2/rollbar/contrib/rq/__init__.py#L36-L55
[ "def", "exception_handler", "(", "job", ",", "*", "exc_info", ")", ":", "# Report data about the job with the exception.", "job_info", "=", "job", ".", "to_dict", "(", ")", "# job_info['data'] is the pickled representation of the job, and doesn't json-serialize well.", "# repr() ...
33ef2e723a33d09dd6302f978f4a3908be95b9d2
test
patch_debugtoolbar
Patches the pyramid_debugtoolbar (if installed) to display a link to the related rollbar item.
rollbar/contrib/pyramid/__init__.py
def patch_debugtoolbar(settings): """ Patches the pyramid_debugtoolbar (if installed) to display a link to the related rollbar item. """ try: from pyramid_debugtoolbar import tbtools except ImportError: return rollbar_web_base = settings.get('rollbar.web_base', DEFAULT_WEB_BASE)...
def patch_debugtoolbar(settings): """ Patches the pyramid_debugtoolbar (if installed) to display a link to the related rollbar item. """ try: from pyramid_debugtoolbar import tbtools except ImportError: return rollbar_web_base = settings.get('rollbar.web_base', DEFAULT_WEB_BASE)...
[ "Patches", "the", "pyramid_debugtoolbar", "(", "if", "installed", ")", "to", "display", "a", "link", "to", "the", "related", "rollbar", "item", "." ]
rollbar/pyrollbar
python
https://github.com/rollbar/pyrollbar/blob/33ef2e723a33d09dd6302f978f4a3908be95b9d2/rollbar/contrib/pyramid/__init__.py#L76-L109
[ "def", "patch_debugtoolbar", "(", "settings", ")", ":", "try", ":", "from", "pyramid_debugtoolbar", "import", "tbtools", "except", "ImportError", ":", "return", "rollbar_web_base", "=", "settings", ".", "get", "(", "'rollbar.web_base'", ",", "DEFAULT_WEB_BASE", ")",...
33ef2e723a33d09dd6302f978f4a3908be95b9d2
test
includeme
Pyramid entry point
rollbar/contrib/pyramid/__init__.py
def includeme(config): """ Pyramid entry point """ settings = config.registry.settings config.add_tween('rollbar.contrib.pyramid.rollbar_tween_factory', over=EXCVIEW) # run patch_debugtoolbar, unless they disabled it if asbool(settings.get('rollbar.patch_debugtoolbar', True)): patc...
def includeme(config): """ Pyramid entry point """ settings = config.registry.settings config.add_tween('rollbar.contrib.pyramid.rollbar_tween_factory', over=EXCVIEW) # run patch_debugtoolbar, unless they disabled it if asbool(settings.get('rollbar.patch_debugtoolbar', True)): patc...
[ "Pyramid", "entry", "point" ]
rollbar/pyrollbar
python
https://github.com/rollbar/pyrollbar/blob/33ef2e723a33d09dd6302f978f4a3908be95b9d2/rollbar/contrib/pyramid/__init__.py#L112-L160
[ "def", "includeme", "(", "config", ")", ":", "settings", "=", "config", ".", "registry", ".", "settings", "config", ".", "add_tween", "(", "'rollbar.contrib.pyramid.rollbar_tween_factory'", ",", "over", "=", "EXCVIEW", ")", "# run patch_debugtoolbar, unless they disable...
33ef2e723a33d09dd6302f978f4a3908be95b9d2
test
RollbarNotifierMiddleware._ensure_log_handler
If there's no log configuration, set up a default handler.
rollbar/contrib/django/middleware.py
def _ensure_log_handler(self): """ If there's no log configuration, set up a default handler. """ if log.handlers: return handler = logging.StreamHandler() formatter = logging.Formatter( '%(asctime)s %(levelname)-5.5s [%(name)s][%(threadName)s] %(m...
def _ensure_log_handler(self): """ If there's no log configuration, set up a default handler. """ if log.handlers: return handler = logging.StreamHandler() formatter = logging.Formatter( '%(asctime)s %(levelname)-5.5s [%(name)s][%(threadName)s] %(m...
[ "If", "there", "s", "no", "log", "configuration", "set", "up", "a", "default", "handler", "." ]
rollbar/pyrollbar
python
https://github.com/rollbar/pyrollbar/blob/33ef2e723a33d09dd6302f978f4a3908be95b9d2/rollbar/contrib/django/middleware.py#L236-L246
[ "def", "_ensure_log_handler", "(", "self", ")", ":", "if", "log", ".", "handlers", ":", "return", "handler", "=", "logging", ".", "StreamHandler", "(", ")", "formatter", "=", "logging", ".", "Formatter", "(", "'%(asctime)s %(levelname)-5.5s [%(name)s][%(threadName)s...
33ef2e723a33d09dd6302f978f4a3908be95b9d2
test
get_request
Get the current request object. Implementation varies on library support. Modified below when we know which framework is being used.
rollbar/__init__.py
def get_request(): """ Get the current request object. Implementation varies on library support. Modified below when we know which framework is being used. """ # TODO(cory): add in a generic _get_locals_request() which # will iterate up through the call stack and look for a variable # t...
def get_request(): """ Get the current request object. Implementation varies on library support. Modified below when we know which framework is being used. """ # TODO(cory): add in a generic _get_locals_request() which # will iterate up through the call stack and look for a variable # t...
[ "Get", "the", "current", "request", "object", ".", "Implementation", "varies", "on", "library", "support", ".", "Modified", "below", "when", "we", "know", "which", "framework", "is", "being", "used", "." ]
rollbar/pyrollbar
python
https://github.com/rollbar/pyrollbar/blob/33ef2e723a33d09dd6302f978f4a3908be95b9d2/rollbar/__init__.py#L140-L161
[ "def", "get_request", "(", ")", ":", "# TODO(cory): add in a generic _get_locals_request() which", "# will iterate up through the call stack and look for a variable", "# that appears to be valid request object.", "for", "fn", "in", "(", "_get_bottle_request", ",", "_get_flask_request", ...
33ef2e723a33d09dd6302f978f4a3908be95b9d2
test
init
Saves configuration variables in this module's SETTINGS. access_token: project access token. Get this from the Rollbar UI: - click "Settings" in the top nav - click "Projects" in the left nav - copy-paste the appropriate token. environment: environment name...
rollbar/__init__.py
def init(access_token, environment='production', scrub_fields=None, url_fields=None, **kw): """ Saves configuration variables in this module's SETTINGS. access_token: project access token. Get this from the Rollbar UI: - click "Settings" in the top nav - click "Projects"...
def init(access_token, environment='production', scrub_fields=None, url_fields=None, **kw): """ Saves configuration variables in this module's SETTINGS. access_token: project access token. Get this from the Rollbar UI: - click "Settings" in the top nav - click "Projects"...
[ "Saves", "configuration", "variables", "in", "this", "module", "s", "SETTINGS", "." ]
rollbar/pyrollbar
python
https://github.com/rollbar/pyrollbar/blob/33ef2e723a33d09dd6302f978f4a3908be95b9d2/rollbar/__init__.py#L291-L370
[ "def", "init", "(", "access_token", ",", "environment", "=", "'production'", ",", "scrub_fields", "=", "None", ",", "url_fields", "=", "None", ",", "*", "*", "kw", ")", ":", "global", "SETTINGS", ",", "agent_log", ",", "_initialized", ",", "_transforms", "...
33ef2e723a33d09dd6302f978f4a3908be95b9d2
test
lambda_function
Decorator for making error handling on AWS Lambda easier
rollbar/__init__.py
def lambda_function(f): """ Decorator for making error handling on AWS Lambda easier """ @functools.wraps(f) def wrapper(event, context): global _CURRENT_LAMBDA_CONTEXT _CURRENT_LAMBDA_CONTEXT = context try: result = f(event, context) return wait(lambd...
def lambda_function(f): """ Decorator for making error handling on AWS Lambda easier """ @functools.wraps(f) def wrapper(event, context): global _CURRENT_LAMBDA_CONTEXT _CURRENT_LAMBDA_CONTEXT = context try: result = f(event, context) return wait(lambd...
[ "Decorator", "for", "making", "error", "handling", "on", "AWS", "Lambda", "easier" ]
rollbar/pyrollbar
python
https://github.com/rollbar/pyrollbar/blob/33ef2e723a33d09dd6302f978f4a3908be95b9d2/rollbar/__init__.py#L373-L389
[ "def", "lambda_function", "(", "f", ")", ":", "@", "functools", ".", "wraps", "(", "f", ")", "def", "wrapper", "(", "event", ",", "context", ")", ":", "global", "_CURRENT_LAMBDA_CONTEXT", "_CURRENT_LAMBDA_CONTEXT", "=", "context", "try", ":", "result", "=", ...
33ef2e723a33d09dd6302f978f4a3908be95b9d2
test
report_exc_info
Reports an exception to Rollbar, using exc_info (from calling sys.exc_info()) exc_info: optional, should be the result of calling sys.exc_info(). If omitted, sys.exc_info() will be called here. request: optional, a WebOb, Werkzeug-based or Sanic request object. extra_data: optional, will be included in the...
rollbar/__init__.py
def report_exc_info(exc_info=None, request=None, extra_data=None, payload_data=None, level=None, **kw): """ Reports an exception to Rollbar, using exc_info (from calling sys.exc_info()) exc_info: optional, should be the result of calling sys.exc_info(). If omitted, sys.exc_info() will be called here. r...
def report_exc_info(exc_info=None, request=None, extra_data=None, payload_data=None, level=None, **kw): """ Reports an exception to Rollbar, using exc_info (from calling sys.exc_info()) exc_info: optional, should be the result of calling sys.exc_info(). If omitted, sys.exc_info() will be called here. r...
[ "Reports", "an", "exception", "to", "Rollbar", "using", "exc_info", "(", "from", "calling", "sys", ".", "exc_info", "()", ")" ]
rollbar/pyrollbar
python
https://github.com/rollbar/pyrollbar/blob/33ef2e723a33d09dd6302f978f4a3908be95b9d2/rollbar/__init__.py#L392-L417
[ "def", "report_exc_info", "(", "exc_info", "=", "None", ",", "request", "=", "None", ",", "extra_data", "=", "None", ",", "payload_data", "=", "None", ",", "level", "=", "None", ",", "*", "*", "kw", ")", ":", "if", "exc_info", "is", "None", ":", "exc...
33ef2e723a33d09dd6302f978f4a3908be95b9d2
test
report_message
Reports an arbitrary string message to Rollbar. message: the string body of the message level: level to report at. One of: 'critical', 'error', 'warning', 'info', 'debug' request: the request object for the context of the message extra_data: dictionary of params to include with the message. 'body' is r...
rollbar/__init__.py
def report_message(message, level='error', request=None, extra_data=None, payload_data=None): """ Reports an arbitrary string message to Rollbar. message: the string body of the message level: level to report at. One of: 'critical', 'error', 'warning', 'info', 'debug' request: the request object fo...
def report_message(message, level='error', request=None, extra_data=None, payload_data=None): """ Reports an arbitrary string message to Rollbar. message: the string body of the message level: level to report at. One of: 'critical', 'error', 'warning', 'info', 'debug' request: the request object fo...
[ "Reports", "an", "arbitrary", "string", "message", "to", "Rollbar", "." ]
rollbar/pyrollbar
python
https://github.com/rollbar/pyrollbar/blob/33ef2e723a33d09dd6302f978f4a3908be95b9d2/rollbar/__init__.py#L420-L433
[ "def", "report_message", "(", "message", ",", "level", "=", "'error'", ",", "request", "=", "None", ",", "extra_data", "=", "None", ",", "payload_data", "=", "None", ")", ":", "try", ":", "return", "_report_message", "(", "message", ",", "level", ",", "r...
33ef2e723a33d09dd6302f978f4a3908be95b9d2