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
train
show
Display a nupmy array without having to specify what it represents. This module will attempt to infer how to display your tensor based on its rank, shape and dtype. rank 4 tensors will be displayed as image grids, rank 2 and 3 tensors as images.
lucid/misc/io/showing.py
def show(thing, domain=(0, 1), **kwargs): """Display a nupmy array without having to specify what it represents. This module will attempt to infer how to display your tensor based on its rank, shape and dtype. rank 4 tensors will be displayed as image grids, rank 2 and 3 tensors as images. """ if isinstance(thing, np.ndarray): rank = len(thing.shape) if rank == 4: log.debug("Show is assuming rank 4 tensor to be a list of images.") images(thing, domain=domain, **kwargs) elif rank in (2, 3): log.debug("Show is assuming rank 2 or 3 tensor to be an image.") image(thing, domain=domain, **kwargs) else: log.warning("Show only supports numpy arrays of rank 2-4. Using repr().") print(repr(thing)) elif isinstance(thing, (list, tuple)): log.debug("Show is assuming list or tuple to be a collection of images.") images(thing, domain=domain, **kwargs) else: log.warning("Show only supports numpy arrays so far. Using repr().") print(repr(thing))
def show(thing, domain=(0, 1), **kwargs): """Display a nupmy array without having to specify what it represents. This module will attempt to infer how to display your tensor based on its rank, shape and dtype. rank 4 tensors will be displayed as image grids, rank 2 and 3 tensors as images. """ if isinstance(thing, np.ndarray): rank = len(thing.shape) if rank == 4: log.debug("Show is assuming rank 4 tensor to be a list of images.") images(thing, domain=domain, **kwargs) elif rank in (2, 3): log.debug("Show is assuming rank 2 or 3 tensor to be an image.") image(thing, domain=domain, **kwargs) else: log.warning("Show only supports numpy arrays of rank 2-4. Using repr().") print(repr(thing)) elif isinstance(thing, (list, tuple)): log.debug("Show is assuming list or tuple to be a collection of images.") images(thing, domain=domain, **kwargs) else: log.warning("Show only supports numpy arrays so far. Using repr().") print(repr(thing))
[ "Display", "a", "nupmy", "array", "without", "having", "to", "specify", "what", "it", "represents", "." ]
tensorflow/lucid
python
https://github.com/tensorflow/lucid/blob/d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e/lucid/misc/io/showing.py#L102-L125
[ "def", "show", "(", "thing", ",", "domain", "=", "(", "0", ",", "1", ")", ",", "*", "*", "kwargs", ")", ":", "if", "isinstance", "(", "thing", ",", "np", ".", "ndarray", ")", ":", "rank", "=", "len", "(", "thing", ".", "shape", ")", "if", "ra...
d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e
train
_strip_consts
Strip large constant values from graph_def. This is mostly a utility function for graph(), and also originates here: https://github.com/tensorflow/tensorflow/blob/master/tensorflow/examples/tutorials/deepdream/deepdream.ipynb
lucid/misc/io/showing.py
def _strip_consts(graph_def, max_const_size=32): """Strip large constant values from graph_def. This is mostly a utility function for graph(), and also originates here: https://github.com/tensorflow/tensorflow/blob/master/tensorflow/examples/tutorials/deepdream/deepdream.ipynb """ strip_def = tf.GraphDef() for n0 in graph_def.node: n = strip_def.node.add() n.MergeFrom(n0) if n.op == 'Const': tensor = n.attr['value'].tensor size = len(tensor.tensor_content) if size > max_const_size: tensor.tensor_content = tf.compat.as_bytes("<stripped %d bytes>"%size) return strip_def
def _strip_consts(graph_def, max_const_size=32): """Strip large constant values from graph_def. This is mostly a utility function for graph(), and also originates here: https://github.com/tensorflow/tensorflow/blob/master/tensorflow/examples/tutorials/deepdream/deepdream.ipynb """ strip_def = tf.GraphDef() for n0 in graph_def.node: n = strip_def.node.add() n.MergeFrom(n0) if n.op == 'Const': tensor = n.attr['value'].tensor size = len(tensor.tensor_content) if size > max_const_size: tensor.tensor_content = tf.compat.as_bytes("<stripped %d bytes>"%size) return strip_def
[ "Strip", "large", "constant", "values", "from", "graph_def", "." ]
tensorflow/lucid
python
https://github.com/tensorflow/lucid/blob/d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e/lucid/misc/io/showing.py#L272-L287
[ "def", "_strip_consts", "(", "graph_def", ",", "max_const_size", "=", "32", ")", ":", "strip_def", "=", "tf", ".", "GraphDef", "(", ")", "for", "n0", "in", "graph_def", ".", "node", ":", "n", "=", "strip_def", ".", "node", ".", "add", "(", ")", "n", ...
d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e
train
graph
Visualize a TensorFlow graph. This function was originally found in this notebook (also Apache licensed): https://github.com/tensorflow/tensorflow/blob/master/tensorflow/examples/tutorials/deepdream/deepdream.ipynb
lucid/misc/io/showing.py
def graph(graph_def, max_const_size=32): """Visualize a TensorFlow graph. This function was originally found in this notebook (also Apache licensed): https://github.com/tensorflow/tensorflow/blob/master/tensorflow/examples/tutorials/deepdream/deepdream.ipynb """ if hasattr(graph_def, 'as_graph_def'): graph_def = graph_def.as_graph_def() strip_def = _strip_consts(graph_def, max_const_size=max_const_size) code = """ <script> function load() {{ document.getElementById("{id}").pbtxt = {data}; }} </script> <link rel="import" href="https://tensorboard.appspot.com/tf-graph-basic.build.html" onload=load()> <div style="height:600px"> <tf-graph-basic id="{id}"></tf-graph-basic> </div> """.format(data=repr(str(strip_def)), id='graph'+str(np.random.rand())) iframe = """ <iframe seamless style="width:100%; height:620px; border: none;" srcdoc="{}"></iframe> """.format(code.replace('"', '&quot;')) _display_html(iframe)
def graph(graph_def, max_const_size=32): """Visualize a TensorFlow graph. This function was originally found in this notebook (also Apache licensed): https://github.com/tensorflow/tensorflow/blob/master/tensorflow/examples/tutorials/deepdream/deepdream.ipynb """ if hasattr(graph_def, 'as_graph_def'): graph_def = graph_def.as_graph_def() strip_def = _strip_consts(graph_def, max_const_size=max_const_size) code = """ <script> function load() {{ document.getElementById("{id}").pbtxt = {data}; }} </script> <link rel="import" href="https://tensorboard.appspot.com/tf-graph-basic.build.html" onload=load()> <div style="height:600px"> <tf-graph-basic id="{id}"></tf-graph-basic> </div> """.format(data=repr(str(strip_def)), id='graph'+str(np.random.rand())) iframe = """ <iframe seamless style="width:100%; height:620px; border: none;" srcdoc="{}"></iframe> """.format(code.replace('"', '&quot;')) _display_html(iframe)
[ "Visualize", "a", "TensorFlow", "graph", "." ]
tensorflow/lucid
python
https://github.com/tensorflow/lucid/blob/d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e/lucid/misc/io/showing.py#L290-L314
[ "def", "graph", "(", "graph_def", ",", "max_const_size", "=", "32", ")", ":", "if", "hasattr", "(", "graph_def", ",", "'as_graph_def'", ")", ":", "graph_def", "=", "graph_def", ".", "as_graph_def", "(", ")", "strip_def", "=", "_strip_consts", "(", "graph_def...
d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e
train
resize
Resize an ndarray image of rank 3 or 4. target_size can be a tuple `(width, height)` or scalar `width`.
lucid/misc/ndimage_utils.py
def resize(image, target_size, **kwargs): """Resize an ndarray image of rank 3 or 4. target_size can be a tuple `(width, height)` or scalar `width`.""" if isinstance(target_size, int): target_size = (target_size, target_size) if not isinstance(target_size, (list, tuple, np.ndarray)): message = ( "`target_size` should be a single number (width) or a list" "/tuple/ndarray (width, height), not {}.".format(type(target_size)) ) raise ValueError(message) rank = len(image.shape) assert 3 <= rank <= 4 original_size = image.shape[-3:-1] if original_size == target_size: return image # noop return because ndimage.zoom doesn't check itself # TODO: maybe allow -1 in target_size to signify aspect-ratio preserving resize? ratios = [t / o for t, o in zip(target_size, original_size)] zoom = [1] * rank zoom[-3:-1] = ratios roughly_resized = ndimage.zoom(image, zoom, **kwargs) return roughly_resized[..., : target_size[0], : target_size[1], :]
def resize(image, target_size, **kwargs): """Resize an ndarray image of rank 3 or 4. target_size can be a tuple `(width, height)` or scalar `width`.""" if isinstance(target_size, int): target_size = (target_size, target_size) if not isinstance(target_size, (list, tuple, np.ndarray)): message = ( "`target_size` should be a single number (width) or a list" "/tuple/ndarray (width, height), not {}.".format(type(target_size)) ) raise ValueError(message) rank = len(image.shape) assert 3 <= rank <= 4 original_size = image.shape[-3:-1] if original_size == target_size: return image # noop return because ndimage.zoom doesn't check itself # TODO: maybe allow -1 in target_size to signify aspect-ratio preserving resize? ratios = [t / o for t, o in zip(target_size, original_size)] zoom = [1] * rank zoom[-3:-1] = ratios roughly_resized = ndimage.zoom(image, zoom, **kwargs) return roughly_resized[..., : target_size[0], : target_size[1], :]
[ "Resize", "an", "ndarray", "image", "of", "rank", "3", "or", "4", ".", "target_size", "can", "be", "a", "tuple", "(", "width", "height", ")", "or", "scalar", "width", "." ]
tensorflow/lucid
python
https://github.com/tensorflow/lucid/blob/d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e/lucid/misc/ndimage_utils.py#L20-L48
[ "def", "resize", "(", "image", ",", "target_size", ",", "*", "*", "kwargs", ")", ":", "if", "isinstance", "(", "target_size", ",", "int", ")", ":", "target_size", "=", "(", "target_size", ",", "target_size", ")", "if", "not", "isinstance", "(", "target_s...
d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e
train
composite
Takes two images and composites them.
lucid/misc/ndimage_utils.py
def composite( background_image, foreground_image, foreground_width_ratio=0.25, foreground_position=(0.0, 0.0), ): """Takes two images and composites them.""" if foreground_width_ratio <= 0: return background_image composite = background_image.copy() width = int(foreground_width_ratio * background_image.shape[1]) foreground_resized = resize(foreground_image, width) size = foreground_resized.shape x = int(foreground_position[1] * (background_image.shape[1] - size[1])) y = int(foreground_position[0] * (background_image.shape[0] - size[0])) # TODO: warn if resulting coordinates are out of bounds? composite[y : y + size[0], x : x + size[1]] = foreground_resized return composite
def composite( background_image, foreground_image, foreground_width_ratio=0.25, foreground_position=(0.0, 0.0), ): """Takes two images and composites them.""" if foreground_width_ratio <= 0: return background_image composite = background_image.copy() width = int(foreground_width_ratio * background_image.shape[1]) foreground_resized = resize(foreground_image, width) size = foreground_resized.shape x = int(foreground_position[1] * (background_image.shape[1] - size[1])) y = int(foreground_position[0] * (background_image.shape[0] - size[0])) # TODO: warn if resulting coordinates are out of bounds? composite[y : y + size[0], x : x + size[1]] = foreground_resized return composite
[ "Takes", "two", "images", "and", "composites", "them", "." ]
tensorflow/lucid
python
https://github.com/tensorflow/lucid/blob/d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e/lucid/misc/ndimage_utils.py#L51-L73
[ "def", "composite", "(", "background_image", ",", "foreground_image", ",", "foreground_width_ratio", "=", "0.25", ",", "foreground_position", "=", "(", "0.0", ",", "0.0", ")", ",", ")", ":", "if", "foreground_width_ratio", "<=", "0", ":", "return", "background_i...
d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e
train
lowres_tensor
Produces a tensor paramaterized by a interpolated lower resolution tensor. This is like what is done in a laplacian pyramid, but a bit more general. It can be a powerful way to describe images. Args: shape: desired shape of resulting tensor underlying_shape: shape of the tensor being resized into final tensor offset: Describes how to offset the interpolated vector (like phase in a Fourier transform). If None, apply no offset. If a scalar, apply the same offset to each dimension; if a list use each entry for each dimension. If a int, offset by that much. If False, do not offset. If True, offset by half the ratio between shape and underlying shape (analagous to 90 degrees). sd: Standard deviation of initial tensor variable. Returns: A tensor paramaterized by a lower resolution tensorflow variable.
lucid/optvis/param/lowres.py
def lowres_tensor(shape, underlying_shape, offset=None, sd=None): """Produces a tensor paramaterized by a interpolated lower resolution tensor. This is like what is done in a laplacian pyramid, but a bit more general. It can be a powerful way to describe images. Args: shape: desired shape of resulting tensor underlying_shape: shape of the tensor being resized into final tensor offset: Describes how to offset the interpolated vector (like phase in a Fourier transform). If None, apply no offset. If a scalar, apply the same offset to each dimension; if a list use each entry for each dimension. If a int, offset by that much. If False, do not offset. If True, offset by half the ratio between shape and underlying shape (analagous to 90 degrees). sd: Standard deviation of initial tensor variable. Returns: A tensor paramaterized by a lower resolution tensorflow variable. """ sd = sd or 0.01 init_val = sd * np.random.randn(*underlying_shape).astype("float32") underlying_t = tf.Variable(init_val) t = resize_bilinear_nd(underlying_t, shape) if offset is not None: # Deal with non-list offset if not isinstance(offset, list): offset = len(shape) * [offset] # Deal with the non-int offset entries for n in range(len(offset)): if offset[n] is True: offset[n] = shape[n] / underlying_shape[n] / 2 if offset[n] is False: offset[n] = 0 offset[n] = int(offset[n]) # Actually apply offset by padding and then croping off the excess. padding = [(pad, 0) for pad in offset] t = tf.pad(t, padding, "SYMMETRIC") begin = len(shape) * [0] t = tf.slice(t, begin, shape) return t
def lowres_tensor(shape, underlying_shape, offset=None, sd=None): """Produces a tensor paramaterized by a interpolated lower resolution tensor. This is like what is done in a laplacian pyramid, but a bit more general. It can be a powerful way to describe images. Args: shape: desired shape of resulting tensor underlying_shape: shape of the tensor being resized into final tensor offset: Describes how to offset the interpolated vector (like phase in a Fourier transform). If None, apply no offset. If a scalar, apply the same offset to each dimension; if a list use each entry for each dimension. If a int, offset by that much. If False, do not offset. If True, offset by half the ratio between shape and underlying shape (analagous to 90 degrees). sd: Standard deviation of initial tensor variable. Returns: A tensor paramaterized by a lower resolution tensorflow variable. """ sd = sd or 0.01 init_val = sd * np.random.randn(*underlying_shape).astype("float32") underlying_t = tf.Variable(init_val) t = resize_bilinear_nd(underlying_t, shape) if offset is not None: # Deal with non-list offset if not isinstance(offset, list): offset = len(shape) * [offset] # Deal with the non-int offset entries for n in range(len(offset)): if offset[n] is True: offset[n] = shape[n] / underlying_shape[n] / 2 if offset[n] is False: offset[n] = 0 offset[n] = int(offset[n]) # Actually apply offset by padding and then croping off the excess. padding = [(pad, 0) for pad in offset] t = tf.pad(t, padding, "SYMMETRIC") begin = len(shape) * [0] t = tf.slice(t, begin, shape) return t
[ "Produces", "a", "tensor", "paramaterized", "by", "a", "interpolated", "lower", "resolution", "tensor", "." ]
tensorflow/lucid
python
https://github.com/tensorflow/lucid/blob/d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e/lucid/optvis/param/lowres.py#L24-L66
[ "def", "lowres_tensor", "(", "shape", ",", "underlying_shape", ",", "offset", "=", "None", ",", "sd", "=", "None", ")", ":", "sd", "=", "sd", "or", "0.01", "init_val", "=", "sd", "*", "np", ".", "random", ".", "randn", "(", "*", "underlying_shape", "...
d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e
train
create_session
Create an intractive TensorFlow session. Helper function that creates TF session that uses growing GPU memory allocation and opration timeout. 'allow_growth' flag prevents TF from allocating the whole GPU memory an once, which is useful when having multiple python sessions sharing the same GPU.
lucid/misc/tfutil.py
def create_session(target='', timeout_sec=10): '''Create an intractive TensorFlow session. Helper function that creates TF session that uses growing GPU memory allocation and opration timeout. 'allow_growth' flag prevents TF from allocating the whole GPU memory an once, which is useful when having multiple python sessions sharing the same GPU. ''' graph = tf.Graph() config = tf.ConfigProto() config.gpu_options.allow_growth = True config.operation_timeout_in_ms = int(timeout_sec*1000) return tf.InteractiveSession(target=target, graph=graph, config=config)
def create_session(target='', timeout_sec=10): '''Create an intractive TensorFlow session. Helper function that creates TF session that uses growing GPU memory allocation and opration timeout. 'allow_growth' flag prevents TF from allocating the whole GPU memory an once, which is useful when having multiple python sessions sharing the same GPU. ''' graph = tf.Graph() config = tf.ConfigProto() config.gpu_options.allow_growth = True config.operation_timeout_in_ms = int(timeout_sec*1000) return tf.InteractiveSession(target=target, graph=graph, config=config)
[ "Create", "an", "intractive", "TensorFlow", "session", "." ]
tensorflow/lucid
python
https://github.com/tensorflow/lucid/blob/d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e/lucid/misc/tfutil.py#L19-L31
[ "def", "create_session", "(", "target", "=", "''", ",", "timeout_sec", "=", "10", ")", ":", "graph", "=", "tf", ".", "Graph", "(", ")", "config", "=", "tf", ".", "ConfigProto", "(", ")", "config", ".", "gpu_options", ".", "allow_growth", "=", "True", ...
d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e
train
read
Read from any URL. Internally differentiates between URLs supported by tf.gfile, such as URLs with the Google Cloud Storage scheme ('gs://...') or local paths, and HTTP URLs. This way users don't need to know about the underlying fetch mechanism. Args: url: a URL including scheme or a local path mode: mode in which to open the file. defaults to binary ('rb') encoding: if specified, encoding that should be used to decode read data if mode is specified to be text ('r'), this defaults to 'utf-8'. cache: whether to attempt caching the resource. Defaults to True only if the given URL specifies a remote resource. Returns: All bytes form the specified resource, or a decoded string of those.
lucid/misc/io/reading.py
def read(url, encoding=None, cache=None, mode="rb"): """Read from any URL. Internally differentiates between URLs supported by tf.gfile, such as URLs with the Google Cloud Storage scheme ('gs://...') or local paths, and HTTP URLs. This way users don't need to know about the underlying fetch mechanism. Args: url: a URL including scheme or a local path mode: mode in which to open the file. defaults to binary ('rb') encoding: if specified, encoding that should be used to decode read data if mode is specified to be text ('r'), this defaults to 'utf-8'. cache: whether to attempt caching the resource. Defaults to True only if the given URL specifies a remote resource. Returns: All bytes form the specified resource, or a decoded string of those. """ with read_handle(url, cache, mode=mode) as handle: data = handle.read() if encoding: data = data.decode(encoding) return data
def read(url, encoding=None, cache=None, mode="rb"): """Read from any URL. Internally differentiates between URLs supported by tf.gfile, such as URLs with the Google Cloud Storage scheme ('gs://...') or local paths, and HTTP URLs. This way users don't need to know about the underlying fetch mechanism. Args: url: a URL including scheme or a local path mode: mode in which to open the file. defaults to binary ('rb') encoding: if specified, encoding that should be used to decode read data if mode is specified to be text ('r'), this defaults to 'utf-8'. cache: whether to attempt caching the resource. Defaults to True only if the given URL specifies a remote resource. Returns: All bytes form the specified resource, or a decoded string of those. """ with read_handle(url, cache, mode=mode) as handle: data = handle.read() if encoding: data = data.decode(encoding) return data
[ "Read", "from", "any", "URL", "." ]
tensorflow/lucid
python
https://github.com/tensorflow/lucid/blob/d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e/lucid/misc/io/reading.py#L48-L71
[ "def", "read", "(", "url", ",", "encoding", "=", "None", ",", "cache", "=", "None", ",", "mode", "=", "\"rb\"", ")", ":", "with", "read_handle", "(", "url", ",", "cache", ",", "mode", "=", "mode", ")", "as", "handle", ":", "data", "=", "handle", ...
d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e
train
read_handle
Read from any URL with a file handle. Use this to get a handle to a file rather than eagerly load the data: ``` with read_handle(url) as handle: result = something.load(handle) result.do_something() ``` When program execution leaves this `with` block, the handle will be closed automatically. Args: url: a URL including scheme or a local path Returns: A file handle to the specified resource if it could be reached. The handle will be closed automatically once execution leaves this context.
lucid/misc/io/reading.py
def read_handle(url, cache=None, mode="rb"): """Read from any URL with a file handle. Use this to get a handle to a file rather than eagerly load the data: ``` with read_handle(url) as handle: result = something.load(handle) result.do_something() ``` When program execution leaves this `with` block, the handle will be closed automatically. Args: url: a URL including scheme or a local path Returns: A file handle to the specified resource if it could be reached. The handle will be closed automatically once execution leaves this context. """ scheme = urlparse(url).scheme if cache == 'purge': _purge_cached(url) cache = None if _is_remote(scheme) and cache is None: cache = True log.debug("Cache not specified, enabling because resource is remote.") if cache: handle = _read_and_cache(url, mode=mode) else: if scheme in ("http", "https"): handle = _handle_web_url(url, mode=mode) elif scheme in ("gs"): handle = _handle_gfile(url, mode=mode) else: handle = open(url, mode=mode) yield handle handle.close()
def read_handle(url, cache=None, mode="rb"): """Read from any URL with a file handle. Use this to get a handle to a file rather than eagerly load the data: ``` with read_handle(url) as handle: result = something.load(handle) result.do_something() ``` When program execution leaves this `with` block, the handle will be closed automatically. Args: url: a URL including scheme or a local path Returns: A file handle to the specified resource if it could be reached. The handle will be closed automatically once execution leaves this context. """ scheme = urlparse(url).scheme if cache == 'purge': _purge_cached(url) cache = None if _is_remote(scheme) and cache is None: cache = True log.debug("Cache not specified, enabling because resource is remote.") if cache: handle = _read_and_cache(url, mode=mode) else: if scheme in ("http", "https"): handle = _handle_web_url(url, mode=mode) elif scheme in ("gs"): handle = _handle_gfile(url, mode=mode) else: handle = open(url, mode=mode) yield handle handle.close()
[ "Read", "from", "any", "URL", "with", "a", "file", "handle", "." ]
tensorflow/lucid
python
https://github.com/tensorflow/lucid/blob/d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e/lucid/misc/io/reading.py#L75-L118
[ "def", "read_handle", "(", "url", ",", "cache", "=", "None", ",", "mode", "=", "\"rb\"", ")", ":", "scheme", "=", "urlparse", "(", "url", ")", ".", "scheme", "if", "cache", "==", "'purge'", ":", "_purge_cached", "(", "url", ")", "cache", "=", "None",...
d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e
train
local_cache_path
Returns the path that remote_url would be cached at locally.
lucid/misc/io/reading.py
def local_cache_path(remote_url): """Returns the path that remote_url would be cached at locally.""" local_name = RESERVED_PATH_CHARS.sub("_", remote_url) return os.path.join(gettempdir(), local_name)
def local_cache_path(remote_url): """Returns the path that remote_url would be cached at locally.""" local_name = RESERVED_PATH_CHARS.sub("_", remote_url) return os.path.join(gettempdir(), local_name)
[ "Returns", "the", "path", "that", "remote_url", "would", "be", "cached", "at", "locally", "." ]
tensorflow/lucid
python
https://github.com/tensorflow/lucid/blob/d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e/lucid/misc/io/reading.py#L142-L145
[ "def", "local_cache_path", "(", "remote_url", ")", ":", "local_name", "=", "RESERVED_PATH_CHARS", ".", "sub", "(", "\"_\"", ",", "remote_url", ")", "return", "os", ".", "path", ".", "join", "(", "gettempdir", "(", ")", ",", "local_name", ")" ]
d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e
train
cppn
Compositional Pattern Producing Network Args: width: width of resulting image, equals height batch: batch dimension of output, note that all params share the same weights! num_output_channels: num_hidden_channels: num_layers: activation_func: normalize: Returns: The collapsed shape, represented as a list.
lucid/optvis/param/cppn.py
def cppn( width, batch=1, num_output_channels=3, num_hidden_channels=24, num_layers=8, activation_func=_composite_activation, normalize=False, ): """Compositional Pattern Producing Network Args: width: width of resulting image, equals height batch: batch dimension of output, note that all params share the same weights! num_output_channels: num_hidden_channels: num_layers: activation_func: normalize: Returns: The collapsed shape, represented as a list. """ r = 3.0 ** 0.5 # std(coord_range) == 1.0 coord_range = tf.linspace(-r, r, width) y, x = tf.meshgrid(coord_range, coord_range, indexing="ij") net = tf.stack([tf.stack([x, y], -1)] * batch, 0) with slim.arg_scope( [slim.conv2d], kernel_size=[1, 1], activation_fn=None, weights_initializer=tf.initializers.variance_scaling(), biases_initializer=tf.initializers.random_normal(0.0, 0.1), ): for i in range(num_layers): x = slim.conv2d(net, num_hidden_channels) if normalize: x = slim.instance_norm(x) net = activation_func(x) rgb = slim.conv2d( net, num_output_channels, activation_fn=tf.nn.sigmoid, weights_initializer=tf.zeros_initializer(), ) return rgb
def cppn( width, batch=1, num_output_channels=3, num_hidden_channels=24, num_layers=8, activation_func=_composite_activation, normalize=False, ): """Compositional Pattern Producing Network Args: width: width of resulting image, equals height batch: batch dimension of output, note that all params share the same weights! num_output_channels: num_hidden_channels: num_layers: activation_func: normalize: Returns: The collapsed shape, represented as a list. """ r = 3.0 ** 0.5 # std(coord_range) == 1.0 coord_range = tf.linspace(-r, r, width) y, x = tf.meshgrid(coord_range, coord_range, indexing="ij") net = tf.stack([tf.stack([x, y], -1)] * batch, 0) with slim.arg_scope( [slim.conv2d], kernel_size=[1, 1], activation_fn=None, weights_initializer=tf.initializers.variance_scaling(), biases_initializer=tf.initializers.random_normal(0.0, 0.1), ): for i in range(num_layers): x = slim.conv2d(net, num_hidden_channels) if normalize: x = slim.instance_norm(x) net = activation_func(x) rgb = slim.conv2d( net, num_output_channels, activation_fn=tf.nn.sigmoid, weights_initializer=tf.zeros_initializer(), ) return rgb
[ "Compositional", "Pattern", "Producing", "Network" ]
tensorflow/lucid
python
https://github.com/tensorflow/lucid/blob/d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e/lucid/optvis/param/cppn.py#L54-L100
[ "def", "cppn", "(", "width", ",", "batch", "=", "1", ",", "num_output_channels", "=", "3", ",", "num_hidden_channels", "=", "24", ",", "num_layers", "=", "8", ",", "activation_func", "=", "_composite_activation", ",", "normalize", "=", "False", ",", ")", "...
d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e
train
get_model
Returns a model instance such as `model = vision_models.InceptionV1()`. In the future may be expanded to filter by additional criteria, such as architecture, dataset, and task the model was trained on. Args: name: The name of the model, as given by the class name in vision_models. Returns: An instantiated Model class with the requested model. Users still need to manually `load_graphdef` on the return value, and manually import this model's graph into their current graph. Raises: ValueError: If network `name` is not recognized.
lucid/modelzoo/nets_factory.py
def get_model(name): """Returns a model instance such as `model = vision_models.InceptionV1()`. In the future may be expanded to filter by additional criteria, such as architecture, dataset, and task the model was trained on. Args: name: The name of the model, as given by the class name in vision_models. Returns: An instantiated Model class with the requested model. Users still need to manually `load_graphdef` on the return value, and manually import this model's graph into their current graph. Raises: ValueError: If network `name` is not recognized. """ if name not in models_map: candidates = filter(lambda key: name in key, models_map.keys()) candidates_string = ", ".join(candidates) raise ValueError( "No network named {}. Did you mean one of {}?".format( name, candidates_string ) ) model_class = models_map[name] model = model_class() return model
def get_model(name): """Returns a model instance such as `model = vision_models.InceptionV1()`. In the future may be expanded to filter by additional criteria, such as architecture, dataset, and task the model was trained on. Args: name: The name of the model, as given by the class name in vision_models. Returns: An instantiated Model class with the requested model. Users still need to manually `load_graphdef` on the return value, and manually import this model's graph into their current graph. Raises: ValueError: If network `name` is not recognized. """ if name not in models_map: candidates = filter(lambda key: name in key, models_map.keys()) candidates_string = ", ".join(candidates) raise ValueError( "No network named {}. Did you mean one of {}?".format( name, candidates_string ) ) model_class = models_map[name] model = model_class() return model
[ "Returns", "a", "model", "instance", "such", "as", "model", "=", "vision_models", ".", "InceptionV1", "()", ".", "In", "the", "future", "may", "be", "expanded", "to", "filter", "by", "additional", "criteria", "such", "as", "architecture", "dataset", "and", "...
tensorflow/lucid
python
https://github.com/tensorflow/lucid/blob/d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e/lucid/modelzoo/nets_factory.py#L44-L68
[ "def", "get_model", "(", "name", ")", ":", "if", "name", "not", "in", "models_map", ":", "candidates", "=", "filter", "(", "lambda", "key", ":", "name", "in", "key", ",", "models_map", ".", "keys", "(", ")", ")", "candidates_string", "=", "\", \"", "."...
d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e
train
activation_atlas
Renders an Activation Atlas of the given model's layer.
lucid/recipes/activation_atlas/main.py
def activation_atlas( model, layer, grid_size=10, icon_size=96, number_activations=NUMBER_OF_AVAILABLE_SAMPLES, icon_batch_size=32, verbose=False, ): """Renders an Activation Atlas of the given model's layer.""" activations = layer.activations[:number_activations, ...] layout, = aligned_umap(activations, verbose=verbose) directions, coordinates, _ = bin_laid_out_activations( layout, activations, grid_size ) icons = [] for directions_batch in chunked(directions, icon_batch_size): icon_batch, losses = render_icons( directions_batch, model, layer=layer.name, size=icon_size, num_attempts=1 ) icons += icon_batch canvas = make_canvas(icons, coordinates, grid_size) return canvas
def activation_atlas( model, layer, grid_size=10, icon_size=96, number_activations=NUMBER_OF_AVAILABLE_SAMPLES, icon_batch_size=32, verbose=False, ): """Renders an Activation Atlas of the given model's layer.""" activations = layer.activations[:number_activations, ...] layout, = aligned_umap(activations, verbose=verbose) directions, coordinates, _ = bin_laid_out_activations( layout, activations, grid_size ) icons = [] for directions_batch in chunked(directions, icon_batch_size): icon_batch, losses = render_icons( directions_batch, model, layer=layer.name, size=icon_size, num_attempts=1 ) icons += icon_batch canvas = make_canvas(icons, coordinates, grid_size) return canvas
[ "Renders", "an", "Activation", "Atlas", "of", "the", "given", "model", "s", "layer", "." ]
tensorflow/lucid
python
https://github.com/tensorflow/lucid/blob/d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e/lucid/recipes/activation_atlas/main.py#L30-L54
[ "def", "activation_atlas", "(", "model", ",", "layer", ",", "grid_size", "=", "10", ",", "icon_size", "=", "96", ",", "number_activations", "=", "NUMBER_OF_AVAILABLE_SAMPLES", ",", "icon_batch_size", "=", "32", ",", "verbose", "=", "False", ",", ")", ":", "a...
d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e
train
aligned_activation_atlas
Renders two aligned Activation Atlases of the given models' layers. Returns a generator of the two atlasses, and a nested generator for intermediate atlasses while they're being rendered.
lucid/recipes/activation_atlas/main.py
def aligned_activation_atlas( model1, layer1, model2, layer2, grid_size=10, icon_size=80, num_steps=1024, whiten_layers=True, number_activations=NUMBER_OF_AVAILABLE_SAMPLES, icon_batch_size=32, verbose=False, ): """Renders two aligned Activation Atlases of the given models' layers. Returns a generator of the two atlasses, and a nested generator for intermediate atlasses while they're being rendered. """ combined_activations = _combine_activations( layer1, layer2, number_activations=number_activations ) layouts = aligned_umap(combined_activations, verbose=verbose) for model, layer, layout in zip((model1, model2), (layer1, layer2), layouts): directions, coordinates, densities = bin_laid_out_activations( layout, layer.activations[:number_activations, ...], grid_size, threshold=10 ) def _progressive_canvas_iterator(): icons = [] for directions_batch in chunked(directions, icon_batch_size): icon_batch, losses = render_icons( directions_batch, model, alpha=False, layer=layer.name, size=icon_size, n_steps=num_steps, S=layer_inverse_covariance(layer) if whiten_layers else None, ) icons += icon_batch yield make_canvas(icons, coordinates, grid_size) yield _progressive_canvas_iterator()
def aligned_activation_atlas( model1, layer1, model2, layer2, grid_size=10, icon_size=80, num_steps=1024, whiten_layers=True, number_activations=NUMBER_OF_AVAILABLE_SAMPLES, icon_batch_size=32, verbose=False, ): """Renders two aligned Activation Atlases of the given models' layers. Returns a generator of the two atlasses, and a nested generator for intermediate atlasses while they're being rendered. """ combined_activations = _combine_activations( layer1, layer2, number_activations=number_activations ) layouts = aligned_umap(combined_activations, verbose=verbose) for model, layer, layout in zip((model1, model2), (layer1, layer2), layouts): directions, coordinates, densities = bin_laid_out_activations( layout, layer.activations[:number_activations, ...], grid_size, threshold=10 ) def _progressive_canvas_iterator(): icons = [] for directions_batch in chunked(directions, icon_batch_size): icon_batch, losses = render_icons( directions_batch, model, alpha=False, layer=layer.name, size=icon_size, n_steps=num_steps, S=layer_inverse_covariance(layer) if whiten_layers else None, ) icons += icon_batch yield make_canvas(icons, coordinates, grid_size) yield _progressive_canvas_iterator()
[ "Renders", "two", "aligned", "Activation", "Atlases", "of", "the", "given", "models", "layers", "." ]
tensorflow/lucid
python
https://github.com/tensorflow/lucid/blob/d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e/lucid/recipes/activation_atlas/main.py#L57-L100
[ "def", "aligned_activation_atlas", "(", "model1", ",", "layer1", ",", "model2", ",", "layer2", ",", "grid_size", "=", "10", ",", "icon_size", "=", "80", ",", "num_steps", "=", "1024", ",", "whiten_layers", "=", "True", ",", "number_activations", "=", "NUMBER...
d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e
train
_combine_activations
Given two layers, combines their activations according to mode. ActivationTranslation.ONE_TO_TWO: Translate activations of layer1 into the space of layer2, and return a tuple of the translated activations and the original layer2 activations. ActivationTranslation.BIDIRECTIONAL: Translate activations of layer1 into the space of layer2, activations of layer2 into the space of layer 1, concatenate them along their channels, and returns a tuple of the concatenated activations for each layer.
lucid/recipes/activation_atlas/main.py
def _combine_activations( layer1, layer2, activations1=None, activations2=None, mode=ActivationTranslation.BIDIRECTIONAL, number_activations=NUMBER_OF_AVAILABLE_SAMPLES, ): """Given two layers, combines their activations according to mode. ActivationTranslation.ONE_TO_TWO: Translate activations of layer1 into the space of layer2, and return a tuple of the translated activations and the original layer2 activations. ActivationTranslation.BIDIRECTIONAL: Translate activations of layer1 into the space of layer2, activations of layer2 into the space of layer 1, concatenate them along their channels, and returns a tuple of the concatenated activations for each layer. """ activations1 = activations1 or layer1.activations[:number_activations, ...] activations2 = activations2 or layer2.activations[:number_activations, ...] if mode is ActivationTranslation.ONE_TO_TWO: acts_1_to_2 = push_activations(activations1, layer1, layer2) return acts_1_to_2, activations2 elif mode is ActivationTranslation.BIDIRECTIONAL: acts_1_to_2 = push_activations(activations1, layer1, layer2) acts_2_to_1 = push_activations(activations2, layer2, layer1) activations_model1 = np.concatenate((activations1, acts_1_to_2), axis=1) activations_model2 = np.concatenate((acts_2_to_1, activations2), axis=1) return activations_model1, activations_model2
def _combine_activations( layer1, layer2, activations1=None, activations2=None, mode=ActivationTranslation.BIDIRECTIONAL, number_activations=NUMBER_OF_AVAILABLE_SAMPLES, ): """Given two layers, combines their activations according to mode. ActivationTranslation.ONE_TO_TWO: Translate activations of layer1 into the space of layer2, and return a tuple of the translated activations and the original layer2 activations. ActivationTranslation.BIDIRECTIONAL: Translate activations of layer1 into the space of layer2, activations of layer2 into the space of layer 1, concatenate them along their channels, and returns a tuple of the concatenated activations for each layer. """ activations1 = activations1 or layer1.activations[:number_activations, ...] activations2 = activations2 or layer2.activations[:number_activations, ...] if mode is ActivationTranslation.ONE_TO_TWO: acts_1_to_2 = push_activations(activations1, layer1, layer2) return acts_1_to_2, activations2 elif mode is ActivationTranslation.BIDIRECTIONAL: acts_1_to_2 = push_activations(activations1, layer1, layer2) acts_2_to_1 = push_activations(activations2, layer2, layer1) activations_model1 = np.concatenate((activations1, acts_1_to_2), axis=1) activations_model2 = np.concatenate((acts_2_to_1, activations2), axis=1) return activations_model1, activations_model2
[ "Given", "two", "layers", "combines", "their", "activations", "according", "to", "mode", "." ]
tensorflow/lucid
python
https://github.com/tensorflow/lucid/blob/d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e/lucid/recipes/activation_atlas/main.py#L111-L146
[ "def", "_combine_activations", "(", "layer1", ",", "layer2", ",", "activations1", "=", "None", ",", "activations2", "=", "None", ",", "mode", "=", "ActivationTranslation", ".", "BIDIRECTIONAL", ",", "number_activations", "=", "NUMBER_OF_AVAILABLE_SAMPLES", ",", ")",...
d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e
train
bin_laid_out_activations
Given a layout and activations, overlays a grid on the layout and returns averaged activations for each grid cell. If a cell contains less than `threshold` activations it will be discarded, so the number of returned data is variable.
lucid/recipes/activation_atlas/main.py
def bin_laid_out_activations(layout, activations, grid_size, threshold=5): """Given a layout and activations, overlays a grid on the layout and returns averaged activations for each grid cell. If a cell contains less than `threshold` activations it will be discarded, so the number of returned data is variable.""" assert layout.shape[0] == activations.shape[0] # calculate which grid cells each activation's layout position falls into # first bin stays empty because nothing should be < 0, so we add an extra bin bins = np.linspace(0, 1, num=grid_size + 1) bins[-1] = np.inf # last bin should include all higher values indices = np.digitize(layout, bins) - 1 # subtract 1 to account for empty first bin # because of thresholding we may need to return a variable number of means means, coordinates, counts = [], [], [] # iterate over all grid cell coordinates to compute their average directions grid_coordinates = np.indices((grid_size, grid_size)).transpose().reshape(-1, 2) for xy_coordinates in grid_coordinates: mask = np.equal(xy_coordinates, indices).all(axis=1) count = np.count_nonzero(mask) if count > threshold: counts.append(count) coordinates.append(xy_coordinates) mean = np.average(activations[mask], axis=0) means.append(mean) assert len(means) == len(coordinates) == len(counts) if len(coordinates) == 0: raise RuntimeError("Binning activations led to 0 cells containing activations!") return means, coordinates, counts
def bin_laid_out_activations(layout, activations, grid_size, threshold=5): """Given a layout and activations, overlays a grid on the layout and returns averaged activations for each grid cell. If a cell contains less than `threshold` activations it will be discarded, so the number of returned data is variable.""" assert layout.shape[0] == activations.shape[0] # calculate which grid cells each activation's layout position falls into # first bin stays empty because nothing should be < 0, so we add an extra bin bins = np.linspace(0, 1, num=grid_size + 1) bins[-1] = np.inf # last bin should include all higher values indices = np.digitize(layout, bins) - 1 # subtract 1 to account for empty first bin # because of thresholding we may need to return a variable number of means means, coordinates, counts = [], [], [] # iterate over all grid cell coordinates to compute their average directions grid_coordinates = np.indices((grid_size, grid_size)).transpose().reshape(-1, 2) for xy_coordinates in grid_coordinates: mask = np.equal(xy_coordinates, indices).all(axis=1) count = np.count_nonzero(mask) if count > threshold: counts.append(count) coordinates.append(xy_coordinates) mean = np.average(activations[mask], axis=0) means.append(mean) assert len(means) == len(coordinates) == len(counts) if len(coordinates) == 0: raise RuntimeError("Binning activations led to 0 cells containing activations!") return means, coordinates, counts
[ "Given", "a", "layout", "and", "activations", "overlays", "a", "grid", "on", "the", "layout", "and", "returns", "averaged", "activations", "for", "each", "grid", "cell", ".", "If", "a", "cell", "contains", "less", "than", "threshold", "activations", "it", "w...
tensorflow/lucid
python
https://github.com/tensorflow/lucid/blob/d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e/lucid/recipes/activation_atlas/main.py#L149-L180
[ "def", "bin_laid_out_activations", "(", "layout", ",", "activations", ",", "grid_size", ",", "threshold", "=", "5", ")", ":", "assert", "layout", ".", "shape", "[", "0", "]", "==", "activations", ".", "shape", "[", "0", "]", "# calculate which grid cells each ...
d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e
train
load_graphdef
Load GraphDef from a binary proto file.
lucid/modelzoo/util.py
def load_graphdef(model_url, reset_device=True): """Load GraphDef from a binary proto file.""" graph_def = load(model_url) if reset_device: for n in graph_def.node: n.device = "" return graph_def
def load_graphdef(model_url, reset_device=True): """Load GraphDef from a binary proto file.""" graph_def = load(model_url) if reset_device: for n in graph_def.node: n.device = "" return graph_def
[ "Load", "GraphDef", "from", "a", "binary", "proto", "file", "." ]
tensorflow/lucid
python
https://github.com/tensorflow/lucid/blob/d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e/lucid/modelzoo/util.py#L39-L47
[ "def", "load_graphdef", "(", "model_url", ",", "reset_device", "=", "True", ")", ":", "graph_def", "=", "load", "(", "model_url", ")", "if", "reset_device", ":", "for", "n", "in", "graph_def", ".", "node", ":", "n", ".", "device", "=", "\"\"", "return", ...
d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e
train
forget_xy
Ignore sizes of dimensions (1, 2) of a 4d tensor in shape inference. This allows using smaller input sizes, which create an invalid graph at higher layers (for example because a spatial dimension becomes smaller than a conv filter) when we only use early parts of it.
lucid/modelzoo/util.py
def forget_xy(t): """Ignore sizes of dimensions (1, 2) of a 4d tensor in shape inference. This allows using smaller input sizes, which create an invalid graph at higher layers (for example because a spatial dimension becomes smaller than a conv filter) when we only use early parts of it. """ shape = (t.shape[0], None, None, t.shape[3]) return tf.placeholder_with_default(t, shape)
def forget_xy(t): """Ignore sizes of dimensions (1, 2) of a 4d tensor in shape inference. This allows using smaller input sizes, which create an invalid graph at higher layers (for example because a spatial dimension becomes smaller than a conv filter) when we only use early parts of it. """ shape = (t.shape[0], None, None, t.shape[3]) return tf.placeholder_with_default(t, shape)
[ "Ignore", "sizes", "of", "dimensions", "(", "1", "2", ")", "of", "a", "4d", "tensor", "in", "shape", "inference", "." ]
tensorflow/lucid
python
https://github.com/tensorflow/lucid/blob/d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e/lucid/modelzoo/util.py#L50-L58
[ "def", "forget_xy", "(", "t", ")", ":", "shape", "=", "(", "t", ".", "shape", "[", "0", "]", ",", "None", ",", "None", ",", "t", ".", "shape", "[", "3", "]", ")", "return", "tf", ".", "placeholder_with_default", "(", "t", ",", "shape", ")" ]
d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e
train
frozen_default_graph_def
Return frozen and simplified graph_def of default graph.
lucid/modelzoo/util.py
def frozen_default_graph_def(input_node_names, output_node_names): """Return frozen and simplified graph_def of default graph.""" sess = tf.get_default_session() input_graph_def = tf.get_default_graph().as_graph_def() pruned_graph = tf.graph_util.remove_training_nodes( input_graph_def, protected_nodes=(output_node_names + input_node_names) ) pruned_graph = tf.graph_util.extract_sub_graph(pruned_graph, output_node_names) # remove explicit device assignments for node in pruned_graph.node: node.device = "" all_variable_names = [v.op.name for v in tf.global_variables()] output_graph_def = tf.graph_util.convert_variables_to_constants( sess=sess, input_graph_def=pruned_graph, output_node_names=output_node_names, variable_names_whitelist=all_variable_names, ) return output_graph_def
def frozen_default_graph_def(input_node_names, output_node_names): """Return frozen and simplified graph_def of default graph.""" sess = tf.get_default_session() input_graph_def = tf.get_default_graph().as_graph_def() pruned_graph = tf.graph_util.remove_training_nodes( input_graph_def, protected_nodes=(output_node_names + input_node_names) ) pruned_graph = tf.graph_util.extract_sub_graph(pruned_graph, output_node_names) # remove explicit device assignments for node in pruned_graph.node: node.device = "" all_variable_names = [v.op.name for v in tf.global_variables()] output_graph_def = tf.graph_util.convert_variables_to_constants( sess=sess, input_graph_def=pruned_graph, output_node_names=output_node_names, variable_names_whitelist=all_variable_names, ) return output_graph_def
[ "Return", "frozen", "and", "simplified", "graph_def", "of", "default", "graph", "." ]
tensorflow/lucid
python
https://github.com/tensorflow/lucid/blob/d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e/lucid/modelzoo/util.py#L61-L84
[ "def", "frozen_default_graph_def", "(", "input_node_names", ",", "output_node_names", ")", ":", "sess", "=", "tf", ".", "get_default_session", "(", ")", "input_graph_def", "=", "tf", ".", "get_default_graph", "(", ")", ".", "as_graph_def", "(", ")", "pruned_graph"...
d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e
train
infuse_metadata
Embed meta data as a string constant in a TF graph. This function takes info, converts it into json, and embeds it in graph_def as a constant op called `__lucid_metadata_json`.
lucid/modelzoo/util.py
def infuse_metadata(graph_def, info): """Embed meta data as a string constant in a TF graph. This function takes info, converts it into json, and embeds it in graph_def as a constant op called `__lucid_metadata_json`. """ temp_graph = tf.Graph() with temp_graph.as_default(): tf.constant(json.dumps(info, cls=NumpyJSONEncoder), name=metadata_node_name) meta_node = temp_graph.as_graph_def().node[0] graph_def.node.extend([meta_node])
def infuse_metadata(graph_def, info): """Embed meta data as a string constant in a TF graph. This function takes info, converts it into json, and embeds it in graph_def as a constant op called `__lucid_metadata_json`. """ temp_graph = tf.Graph() with temp_graph.as_default(): tf.constant(json.dumps(info, cls=NumpyJSONEncoder), name=metadata_node_name) meta_node = temp_graph.as_graph_def().node[0] graph_def.node.extend([meta_node])
[ "Embed", "meta", "data", "as", "a", "string", "constant", "in", "a", "TF", "graph", "." ]
tensorflow/lucid
python
https://github.com/tensorflow/lucid/blob/d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e/lucid/modelzoo/util.py#L89-L99
[ "def", "infuse_metadata", "(", "graph_def", ",", "info", ")", ":", "temp_graph", "=", "tf", ".", "Graph", "(", ")", "with", "temp_graph", ".", "as_default", "(", ")", ":", "tf", ".", "constant", "(", "json", ".", "dumps", "(", "info", ",", "cls", "="...
d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e
train
extract_metadata
Attempt to extract meta data hidden in graph_def. Looks for a `__lucid_metadata_json` constant string op. If present, extract it's content and convert it from json to python. If not, returns None.
lucid/modelzoo/util.py
def extract_metadata(graph_def): """Attempt to extract meta data hidden in graph_def. Looks for a `__lucid_metadata_json` constant string op. If present, extract it's content and convert it from json to python. If not, returns None. """ meta_matches = [n for n in graph_def.node if n.name==metadata_node_name] if meta_matches: assert len(meta_matches) == 1, "found more than 1 lucid metadata node!" meta_tensor = meta_matches[0].attr['value'].tensor return json.loads(meta_tensor.string_val[0]) else: return None
def extract_metadata(graph_def): """Attempt to extract meta data hidden in graph_def. Looks for a `__lucid_metadata_json` constant string op. If present, extract it's content and convert it from json to python. If not, returns None. """ meta_matches = [n for n in graph_def.node if n.name==metadata_node_name] if meta_matches: assert len(meta_matches) == 1, "found more than 1 lucid metadata node!" meta_tensor = meta_matches[0].attr['value'].tensor return json.loads(meta_tensor.string_val[0]) else: return None
[ "Attempt", "to", "extract", "meta", "data", "hidden", "in", "graph_def", "." ]
tensorflow/lucid
python
https://github.com/tensorflow/lucid/blob/d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e/lucid/modelzoo/util.py#L102-L115
[ "def", "extract_metadata", "(", "graph_def", ")", ":", "meta_matches", "=", "[", "n", "for", "n", "in", "graph_def", ".", "node", "if", "n", ".", "name", "==", "metadata_node_name", "]", "if", "meta_matches", ":", "assert", "len", "(", "meta_matches", ")",...
d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e
train
GraphDefHelper.neighborhood
Am I really handcoding graph traversal please no
lucid/modelzoo/util.py
def neighborhood(self, node, degree=4): """Am I really handcoding graph traversal please no""" assert self.by_name[node.name] == node already_visited = frontier = set([node.name]) for _ in range(degree): neighbor_names = set() for node_name in frontier: outgoing = set(n.name for n in self.by_input[node_name]) incoming = set(self.by_name[node_name].input) neighbor_names |= incoming | outgoing frontier = neighbor_names - already_visited already_visited |= neighbor_names return [self.by_name[name] for name in already_visited]
def neighborhood(self, node, degree=4): """Am I really handcoding graph traversal please no""" assert self.by_name[node.name] == node already_visited = frontier = set([node.name]) for _ in range(degree): neighbor_names = set() for node_name in frontier: outgoing = set(n.name for n in self.by_input[node_name]) incoming = set(self.by_name[node_name].input) neighbor_names |= incoming | outgoing frontier = neighbor_names - already_visited already_visited |= neighbor_names return [self.by_name[name] for name in already_visited]
[ "Am", "I", "really", "handcoding", "graph", "traversal", "please", "no" ]
tensorflow/lucid
python
https://github.com/tensorflow/lucid/blob/d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e/lucid/modelzoo/util.py#L135-L147
[ "def", "neighborhood", "(", "self", ",", "node", ",", "degree", "=", "4", ")", ":", "assert", "self", ".", "by_name", "[", "node", ".", "name", "]", "==", "node", "already_visited", "=", "frontier", "=", "set", "(", "[", "node", ".", "name", "]", "...
d1a1e2e4fd4be61b89b8cba20dc425a5ae34576e
train
HistoryIterator._retrieve_messages_before_strategy
Retrieve messages using before parameter.
discord/iterators.py
async def _retrieve_messages_before_strategy(self, retrieve): """Retrieve messages using before parameter.""" before = self.before.id if self.before else None data = await self.logs_from(self.channel.id, retrieve, before=before) if len(data): if self.limit is not None: self.limit -= retrieve self.before = Object(id=int(data[-1]['id'])) return data
async def _retrieve_messages_before_strategy(self, retrieve): """Retrieve messages using before parameter.""" before = self.before.id if self.before else None data = await self.logs_from(self.channel.id, retrieve, before=before) if len(data): if self.limit is not None: self.limit -= retrieve self.before = Object(id=int(data[-1]['id'])) return data
[ "Retrieve", "messages", "using", "before", "parameter", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/iterators.py#L325-L333
[ "async", "def", "_retrieve_messages_before_strategy", "(", "self", ",", "retrieve", ")", ":", "before", "=", "self", ".", "before", ".", "id", "if", "self", ".", "before", "else", "None", "data", "=", "await", "self", ".", "logs_from", "(", "self", ".", ...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
HistoryIterator._retrieve_messages_after_strategy
Retrieve messages using after parameter.
discord/iterators.py
async def _retrieve_messages_after_strategy(self, retrieve): """Retrieve messages using after parameter.""" after = self.after.id if self.after else None data = await self.logs_from(self.channel.id, retrieve, after=after) if len(data): if self.limit is not None: self.limit -= retrieve self.after = Object(id=int(data[0]['id'])) return data
async def _retrieve_messages_after_strategy(self, retrieve): """Retrieve messages using after parameter.""" after = self.after.id if self.after else None data = await self.logs_from(self.channel.id, retrieve, after=after) if len(data): if self.limit is not None: self.limit -= retrieve self.after = Object(id=int(data[0]['id'])) return data
[ "Retrieve", "messages", "using", "after", "parameter", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/iterators.py#L335-L343
[ "async", "def", "_retrieve_messages_after_strategy", "(", "self", ",", "retrieve", ")", ":", "after", "=", "self", ".", "after", ".", "id", "if", "self", ".", "after", "else", "None", "data", "=", "await", "self", ".", "logs_from", "(", "self", ".", "cha...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
HistoryIterator._retrieve_messages_around_strategy
Retrieve messages using around parameter.
discord/iterators.py
async def _retrieve_messages_around_strategy(self, retrieve): """Retrieve messages using around parameter.""" if self.around: around = self.around.id if self.around else None data = await self.logs_from(self.channel.id, retrieve, around=around) self.around = None return data return []
async def _retrieve_messages_around_strategy(self, retrieve): """Retrieve messages using around parameter.""" if self.around: around = self.around.id if self.around else None data = await self.logs_from(self.channel.id, retrieve, around=around) self.around = None return data return []
[ "Retrieve", "messages", "using", "around", "parameter", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/iterators.py#L345-L352
[ "async", "def", "_retrieve_messages_around_strategy", "(", "self", ",", "retrieve", ")", ":", "if", "self", ".", "around", ":", "around", "=", "self", ".", "around", ".", "id", "if", "self", ".", "around", "else", "None", "data", "=", "await", "self", "....
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
GuildIterator._retrieve_guilds_before_strategy
Retrieve guilds using before parameter.
discord/iterators.py
async def _retrieve_guilds_before_strategy(self, retrieve): """Retrieve guilds using before parameter.""" before = self.before.id if self.before else None data = await self.get_guilds(retrieve, before=before) if len(data): if self.limit is not None: self.limit -= retrieve self.before = Object(id=int(data[-1]['id'])) return data
async def _retrieve_guilds_before_strategy(self, retrieve): """Retrieve guilds using before parameter.""" before = self.before.id if self.before else None data = await self.get_guilds(retrieve, before=before) if len(data): if self.limit is not None: self.limit -= retrieve self.before = Object(id=int(data[-1]['id'])) return data
[ "Retrieve", "guilds", "using", "before", "parameter", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/iterators.py#L571-L579
[ "async", "def", "_retrieve_guilds_before_strategy", "(", "self", ",", "retrieve", ")", ":", "before", "=", "self", ".", "before", ".", "id", "if", "self", ".", "before", "else", "None", "data", "=", "await", "self", ".", "get_guilds", "(", "retrieve", ",",...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
GuildIterator._retrieve_guilds_after_strategy
Retrieve guilds using after parameter.
discord/iterators.py
async def _retrieve_guilds_after_strategy(self, retrieve): """Retrieve guilds using after parameter.""" after = self.after.id if self.after else None data = await self.get_guilds(retrieve, after=after) if len(data): if self.limit is not None: self.limit -= retrieve self.after = Object(id=int(data[0]['id'])) return data
async def _retrieve_guilds_after_strategy(self, retrieve): """Retrieve guilds using after parameter.""" after = self.after.id if self.after else None data = await self.get_guilds(retrieve, after=after) if len(data): if self.limit is not None: self.limit -= retrieve self.after = Object(id=int(data[0]['id'])) return data
[ "Retrieve", "guilds", "using", "after", "parameter", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/iterators.py#L581-L589
[ "async", "def", "_retrieve_guilds_after_strategy", "(", "self", ",", "retrieve", ")", ":", "after", "=", "self", ".", "after", ".", "id", "if", "self", ".", "after", "else", "None", "data", "=", "await", "self", ".", "get_guilds", "(", "retrieve", ",", "...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
Widget.fetch_invite
|coro| Retrieves an :class:`Invite` from a invite URL or ID. This is the same as :meth:`Client.get_invite`; the invite code is abstracted away. Parameters ----------- with_counts: :class:`bool` Whether to include count information in the invite. This fills the :attr:`Invite.approximate_member_count` and :attr:`Invite.approximate_presence_count` fields. Returns -------- :class:`Invite` The invite from the URL/ID.
discord/widget.py
async def fetch_invite(self, *, with_counts=True): """|coro| Retrieves an :class:`Invite` from a invite URL or ID. This is the same as :meth:`Client.get_invite`; the invite code is abstracted away. Parameters ----------- with_counts: :class:`bool` Whether to include count information in the invite. This fills the :attr:`Invite.approximate_member_count` and :attr:`Invite.approximate_presence_count` fields. Returns -------- :class:`Invite` The invite from the URL/ID. """ if self._invite: invite_id = resolve_invite(self._invite) data = await self._state.http.get_invite(invite_id, with_counts=with_counts) return Invite.from_incomplete(state=self._state, data=data)
async def fetch_invite(self, *, with_counts=True): """|coro| Retrieves an :class:`Invite` from a invite URL or ID. This is the same as :meth:`Client.get_invite`; the invite code is abstracted away. Parameters ----------- with_counts: :class:`bool` Whether to include count information in the invite. This fills the :attr:`Invite.approximate_member_count` and :attr:`Invite.approximate_presence_count` fields. Returns -------- :class:`Invite` The invite from the URL/ID. """ if self._invite: invite_id = resolve_invite(self._invite) data = await self._state.http.get_invite(invite_id, with_counts=with_counts) return Invite.from_incomplete(state=self._state, data=data)
[ "|coro|" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/widget.py#L228-L250
[ "async", "def", "fetch_invite", "(", "self", ",", "*", ",", "with_counts", "=", "True", ")", ":", "if", "self", ".", "_invite", ":", "invite_id", "=", "resolve_invite", "(", "self", ".", "_invite", ")", "data", "=", "await", "self", ".", "_state", ".",...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
Colour.from_hsv
Constructs a :class:`Colour` from an HSV tuple.
discord/colour.py
def from_hsv(cls, h, s, v): """Constructs a :class:`Colour` from an HSV tuple.""" rgb = colorsys.hsv_to_rgb(h, s, v) return cls.from_rgb(*(int(x * 255) for x in rgb))
def from_hsv(cls, h, s, v): """Constructs a :class:`Colour` from an HSV tuple.""" rgb = colorsys.hsv_to_rgb(h, s, v) return cls.from_rgb(*(int(x * 255) for x in rgb))
[ "Constructs", "a", ":", "class", ":", "Colour", "from", "an", "HSV", "tuple", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/colour.py#L110-L113
[ "def", "from_hsv", "(", "cls", ",", "h", ",", "s", ",", "v", ")", ":", "rgb", "=", "colorsys", ".", "hsv_to_rgb", "(", "h", ",", "s", ",", "v", ")", "return", "cls", ".", "from_rgb", "(", "*", "(", "int", "(", "x", "*", "255", ")", "for", "...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
Cog.description
:class:`str`: Returns the cog's description, typically the cleaned docstring.
discord/ext/commands/cog.py
def description(self): """:class:`str`: Returns the cog's description, typically the cleaned docstring.""" try: return self.__cog_cleaned_doc__ except AttributeError: self.__cog_cleaned_doc__ = cleaned = inspect.getdoc(self) return cleaned
def description(self): """:class:`str`: Returns the cog's description, typically the cleaned docstring.""" try: return self.__cog_cleaned_doc__ except AttributeError: self.__cog_cleaned_doc__ = cleaned = inspect.getdoc(self) return cleaned
[ ":", "class", ":", "str", ":", "Returns", "the", "cog", "s", "description", "typically", "the", "cleaned", "docstring", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/ext/commands/cog.py#L206-L212
[ "def", "description", "(", "self", ")", ":", "try", ":", "return", "self", ".", "__cog_cleaned_doc__", "except", "AttributeError", ":", "self", ".", "__cog_cleaned_doc__", "=", "cleaned", "=", "inspect", ".", "getdoc", "(", "self", ")", "return", "cleaned" ]
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
Cog.walk_commands
An iterator that recursively walks through this cog's commands and subcommands.
discord/ext/commands/cog.py
def walk_commands(self): """An iterator that recursively walks through this cog's commands and subcommands.""" from .core import GroupMixin for command in self.__cog_commands__: if command.parent is None: yield command if isinstance(command, GroupMixin): yield from command.walk_commands()
def walk_commands(self): """An iterator that recursively walks through this cog's commands and subcommands.""" from .core import GroupMixin for command in self.__cog_commands__: if command.parent is None: yield command if isinstance(command, GroupMixin): yield from command.walk_commands()
[ "An", "iterator", "that", "recursively", "walks", "through", "this", "cog", "s", "commands", "and", "subcommands", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/ext/commands/cog.py#L214-L221
[ "def", "walk_commands", "(", "self", ")", ":", "from", ".", "core", "import", "GroupMixin", "for", "command", "in", "self", ".", "__cog_commands__", ":", "if", "command", ".", "parent", "is", "None", ":", "yield", "command", "if", "isinstance", "(", "comma...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
Cog.get_listeners
Returns a :class:`list` of (name, function) listener pairs that are defined in this cog.
discord/ext/commands/cog.py
def get_listeners(self): """Returns a :class:`list` of (name, function) listener pairs that are defined in this cog.""" return [(name, getattr(self, method_name)) for name, method_name in self.__cog_listeners__]
def get_listeners(self): """Returns a :class:`list` of (name, function) listener pairs that are defined in this cog.""" return [(name, getattr(self, method_name)) for name, method_name in self.__cog_listeners__]
[ "Returns", "a", ":", "class", ":", "list", "of", "(", "name", "function", ")", "listener", "pairs", "that", "are", "defined", "in", "this", "cog", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/ext/commands/cog.py#L223-L225
[ "def", "get_listeners", "(", "self", ")", ":", "return", "[", "(", "name", ",", "getattr", "(", "self", ",", "method_name", ")", ")", "for", "name", ",", "method_name", "in", "self", ".", "__cog_listeners__", "]" ]
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
Cog.listener
A decorator that marks a function as a listener. This is the cog equivalent of :meth:`.Bot.listen`. Parameters ------------ name: :class:`str` The name of the event being listened to. If not provided, it defaults to the function's name. Raises -------- TypeError The function is not a coroutine function or a string was not passed as the name.
discord/ext/commands/cog.py
def listener(cls, name=None): """A decorator that marks a function as a listener. This is the cog equivalent of :meth:`.Bot.listen`. Parameters ------------ name: :class:`str` The name of the event being listened to. If not provided, it defaults to the function's name. Raises -------- TypeError The function is not a coroutine function or a string was not passed as the name. """ if name is not None and not isinstance(name, str): raise TypeError('Cog.listener expected str but received {0.__class__.__name__!r} instead.'.format(name)) def decorator(func): actual = func if isinstance(actual, staticmethod): actual = actual.__func__ if not inspect.iscoroutinefunction(actual): raise TypeError('Listener function must be a coroutine function.') actual.__cog_listener__ = True to_assign = name or actual.__name__ try: actual.__cog_listener_names__.append(to_assign) except AttributeError: actual.__cog_listener_names__ = [to_assign] # we have to return `func` instead of `actual` because # we need the type to be `staticmethod` for the metaclass # to pick it up but the metaclass unfurls the function and # thus the assignments need to be on the actual function return func return decorator
def listener(cls, name=None): """A decorator that marks a function as a listener. This is the cog equivalent of :meth:`.Bot.listen`. Parameters ------------ name: :class:`str` The name of the event being listened to. If not provided, it defaults to the function's name. Raises -------- TypeError The function is not a coroutine function or a string was not passed as the name. """ if name is not None and not isinstance(name, str): raise TypeError('Cog.listener expected str but received {0.__class__.__name__!r} instead.'.format(name)) def decorator(func): actual = func if isinstance(actual, staticmethod): actual = actual.__func__ if not inspect.iscoroutinefunction(actual): raise TypeError('Listener function must be a coroutine function.') actual.__cog_listener__ = True to_assign = name or actual.__name__ try: actual.__cog_listener_names__.append(to_assign) except AttributeError: actual.__cog_listener_names__ = [to_assign] # we have to return `func` instead of `actual` because # we need the type to be `staticmethod` for the metaclass # to pick it up but the metaclass unfurls the function and # thus the assignments need to be on the actual function return func return decorator
[ "A", "decorator", "that", "marks", "a", "function", "as", "a", "listener", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/ext/commands/cog.py#L233-L271
[ "def", "listener", "(", "cls", ",", "name", "=", "None", ")", ":", "if", "name", "is", "not", "None", "and", "not", "isinstance", "(", "name", ",", "str", ")", ":", "raise", "TypeError", "(", "'Cog.listener expected str but received {0.__class__.__name__!r} inst...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
Embed.set_footer
Sets the footer for the embed content. This function returns the class instance to allow for fluent-style chaining. Parameters ----------- text: :class:`str` The footer text. icon_url: :class:`str` The URL of the footer icon. Only HTTP(S) is supported.
discord/embeds.py
def set_footer(self, *, text=EmptyEmbed, icon_url=EmptyEmbed): """Sets the footer for the embed content. This function returns the class instance to allow for fluent-style chaining. Parameters ----------- text: :class:`str` The footer text. icon_url: :class:`str` The URL of the footer icon. Only HTTP(S) is supported. """ self._footer = {} if text is not EmptyEmbed: self._footer['text'] = str(text) if icon_url is not EmptyEmbed: self._footer['icon_url'] = str(icon_url) return self
def set_footer(self, *, text=EmptyEmbed, icon_url=EmptyEmbed): """Sets the footer for the embed content. This function returns the class instance to allow for fluent-style chaining. Parameters ----------- text: :class:`str` The footer text. icon_url: :class:`str` The URL of the footer icon. Only HTTP(S) is supported. """ self._footer = {} if text is not EmptyEmbed: self._footer['text'] = str(text) if icon_url is not EmptyEmbed: self._footer['icon_url'] = str(icon_url) return self
[ "Sets", "the", "footer", "for", "the", "embed", "content", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/embeds.py#L233-L254
[ "def", "set_footer", "(", "self", ",", "*", ",", "text", "=", "EmptyEmbed", ",", "icon_url", "=", "EmptyEmbed", ")", ":", "self", ".", "_footer", "=", "{", "}", "if", "text", "is", "not", "EmptyEmbed", ":", "self", ".", "_footer", "[", "'text'", "]",...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
Embed.set_author
Sets the author for the embed content. This function returns the class instance to allow for fluent-style chaining. Parameters ----------- name: :class:`str` The name of the author. url: :class:`str` The URL for the author. icon_url: :class:`str` The URL of the author icon. Only HTTP(S) is supported.
discord/embeds.py
def set_author(self, *, name, url=EmptyEmbed, icon_url=EmptyEmbed): """Sets the author for the embed content. This function returns the class instance to allow for fluent-style chaining. Parameters ----------- name: :class:`str` The name of the author. url: :class:`str` The URL for the author. icon_url: :class:`str` The URL of the author icon. Only HTTP(S) is supported. """ self._author = { 'name': str(name) } if url is not EmptyEmbed: self._author['url'] = str(url) if icon_url is not EmptyEmbed: self._author['icon_url'] = str(icon_url) return self
def set_author(self, *, name, url=EmptyEmbed, icon_url=EmptyEmbed): """Sets the author for the embed content. This function returns the class instance to allow for fluent-style chaining. Parameters ----------- name: :class:`str` The name of the author. url: :class:`str` The URL for the author. icon_url: :class:`str` The URL of the author icon. Only HTTP(S) is supported. """ self._author = { 'name': str(name) } if url is not EmptyEmbed: self._author['url'] = str(url) if icon_url is not EmptyEmbed: self._author['icon_url'] = str(icon_url) return self
[ "Sets", "the", "author", "for", "the", "embed", "content", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/embeds.py#L356-L382
[ "def", "set_author", "(", "self", ",", "*", ",", "name", ",", "url", "=", "EmptyEmbed", ",", "icon_url", "=", "EmptyEmbed", ")", ":", "self", ".", "_author", "=", "{", "'name'", ":", "str", "(", "name", ")", "}", "if", "url", "is", "not", "EmptyEmb...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
Embed.add_field
Adds a field to the embed object. This function returns the class instance to allow for fluent-style chaining. Parameters ----------- name: :class:`str` The name of the field. value: :class:`str` The value of the field. inline: :class:`bool` Whether the field should be displayed inline.
discord/embeds.py
def add_field(self, *, name, value, inline=True): """Adds a field to the embed object. This function returns the class instance to allow for fluent-style chaining. Parameters ----------- name: :class:`str` The name of the field. value: :class:`str` The value of the field. inline: :class:`bool` Whether the field should be displayed inline. """ field = { 'inline': inline, 'name': str(name), 'value': str(value) } try: self._fields.append(field) except AttributeError: self._fields = [field] return self
def add_field(self, *, name, value, inline=True): """Adds a field to the embed object. This function returns the class instance to allow for fluent-style chaining. Parameters ----------- name: :class:`str` The name of the field. value: :class:`str` The value of the field. inline: :class:`bool` Whether the field should be displayed inline. """ field = { 'inline': inline, 'name': str(name), 'value': str(value) } try: self._fields.append(field) except AttributeError: self._fields = [field] return self
[ "Adds", "a", "field", "to", "the", "embed", "object", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/embeds.py#L394-L421
[ "def", "add_field", "(", "self", ",", "*", ",", "name", ",", "value", ",", "inline", "=", "True", ")", ":", "field", "=", "{", "'inline'", ":", "inline", ",", "'name'", ":", "str", "(", "name", ")", ",", "'value'", ":", "str", "(", "value", ")", ...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
Embed.set_field_at
Modifies a field to the embed object. The index must point to a valid pre-existing field. This function returns the class instance to allow for fluent-style chaining. Parameters ----------- index: :class:`int` The index of the field to modify. name: :class:`str` The name of the field. value: :class:`str` The value of the field. inline: :class:`bool` Whether the field should be displayed inline. Raises ------- IndexError An invalid index was provided.
discord/embeds.py
def set_field_at(self, index, *, name, value, inline=True): """Modifies a field to the embed object. The index must point to a valid pre-existing field. This function returns the class instance to allow for fluent-style chaining. Parameters ----------- index: :class:`int` The index of the field to modify. name: :class:`str` The name of the field. value: :class:`str` The value of the field. inline: :class:`bool` Whether the field should be displayed inline. Raises ------- IndexError An invalid index was provided. """ try: field = self._fields[index] except (TypeError, IndexError, AttributeError): raise IndexError('field index out of range') field['name'] = str(name) field['value'] = str(value) field['inline'] = inline return self
def set_field_at(self, index, *, name, value, inline=True): """Modifies a field to the embed object. The index must point to a valid pre-existing field. This function returns the class instance to allow for fluent-style chaining. Parameters ----------- index: :class:`int` The index of the field to modify. name: :class:`str` The name of the field. value: :class:`str` The value of the field. inline: :class:`bool` Whether the field should be displayed inline. Raises ------- IndexError An invalid index was provided. """ try: field = self._fields[index] except (TypeError, IndexError, AttributeError): raise IndexError('field index out of range') field['name'] = str(name) field['value'] = str(value) field['inline'] = inline return self
[ "Modifies", "a", "field", "to", "the", "embed", "object", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/embeds.py#L451-L484
[ "def", "set_field_at", "(", "self", ",", "index", ",", "*", ",", "name", ",", "value", ",", "inline", "=", "True", ")", ":", "try", ":", "field", "=", "self", ".", "_fields", "[", "index", "]", "except", "(", "TypeError", ",", "IndexError", ",", "A...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
Embed.to_dict
Converts this embed object into a dict.
discord/embeds.py
def to_dict(self): """Converts this embed object into a dict.""" # add in the raw data into the dict result = { key[1:]: getattr(self, key) for key in self.__slots__ if key[0] == '_' and hasattr(self, key) } # deal with basic convenience wrappers try: colour = result.pop('colour') except KeyError: pass else: if colour: result['color'] = colour.value try: timestamp = result.pop('timestamp') except KeyError: pass else: if timestamp: if timestamp.tzinfo: result['timestamp'] = timestamp.astimezone(tz=datetime.timezone.utc).isoformat() else: result['timestamp'] = timestamp.replace(tzinfo=datetime.timezone.utc).isoformat() # add in the non raw attribute ones if self.type: result['type'] = self.type if self.description: result['description'] = self.description if self.url: result['url'] = self.url if self.title: result['title'] = self.title return result
def to_dict(self): """Converts this embed object into a dict.""" # add in the raw data into the dict result = { key[1:]: getattr(self, key) for key in self.__slots__ if key[0] == '_' and hasattr(self, key) } # deal with basic convenience wrappers try: colour = result.pop('colour') except KeyError: pass else: if colour: result['color'] = colour.value try: timestamp = result.pop('timestamp') except KeyError: pass else: if timestamp: if timestamp.tzinfo: result['timestamp'] = timestamp.astimezone(tz=datetime.timezone.utc).isoformat() else: result['timestamp'] = timestamp.replace(tzinfo=datetime.timezone.utc).isoformat() # add in the non raw attribute ones if self.type: result['type'] = self.type if self.description: result['description'] = self.description if self.url: result['url'] = self.url if self.title: result['title'] = self.title return result
[ "Converts", "this", "embed", "object", "into", "a", "dict", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/embeds.py#L486-L530
[ "def", "to_dict", "(", "self", ")", ":", "# add in the raw data into the dict", "result", "=", "{", "key", "[", "1", ":", "]", ":", "getattr", "(", "self", ",", "key", ")", "for", "key", "in", "self", ".", "__slots__", "if", "key", "[", "0", "]", "==...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
BaseUser.avatar_url_as
Returns a friendly URL version of the avatar the user has. If the user does not have a traditional avatar, their default avatar URL is returned instead. The format must be one of 'webp', 'jpeg', 'jpg', 'png' or 'gif', and 'gif' is only valid for animated avatars. The size must be a power of 2 between 16 and 1024. Parameters ----------- format: Optional[:class:`str`] The format to attempt to convert the avatar to. If the format is ``None``, then it is automatically detected into either 'gif' or static_format depending on the avatar being animated or not. static_format: Optional[:class:`str`] Format to attempt to convert only non-animated avatars to. Defaults to 'webp' size: :class:`int` The size of the image to display. Raises ------ InvalidArgument Bad image format passed to ``format`` or ``static_format``, or invalid ``size``. Returns -------- :class:`Asset` The resulting CDN asset.
discord/user.py
def avatar_url_as(self, *, format=None, static_format='webp', size=1024): """Returns a friendly URL version of the avatar the user has. If the user does not have a traditional avatar, their default avatar URL is returned instead. The format must be one of 'webp', 'jpeg', 'jpg', 'png' or 'gif', and 'gif' is only valid for animated avatars. The size must be a power of 2 between 16 and 1024. Parameters ----------- format: Optional[:class:`str`] The format to attempt to convert the avatar to. If the format is ``None``, then it is automatically detected into either 'gif' or static_format depending on the avatar being animated or not. static_format: Optional[:class:`str`] Format to attempt to convert only non-animated avatars to. Defaults to 'webp' size: :class:`int` The size of the image to display. Raises ------ InvalidArgument Bad image format passed to ``format`` or ``static_format``, or invalid ``size``. Returns -------- :class:`Asset` The resulting CDN asset. """ return Asset._from_avatar(self._state, self, format=format, static_format=static_format, size=size)
def avatar_url_as(self, *, format=None, static_format='webp', size=1024): """Returns a friendly URL version of the avatar the user has. If the user does not have a traditional avatar, their default avatar URL is returned instead. The format must be one of 'webp', 'jpeg', 'jpg', 'png' or 'gif', and 'gif' is only valid for animated avatars. The size must be a power of 2 between 16 and 1024. Parameters ----------- format: Optional[:class:`str`] The format to attempt to convert the avatar to. If the format is ``None``, then it is automatically detected into either 'gif' or static_format depending on the avatar being animated or not. static_format: Optional[:class:`str`] Format to attempt to convert only non-animated avatars to. Defaults to 'webp' size: :class:`int` The size of the image to display. Raises ------ InvalidArgument Bad image format passed to ``format`` or ``static_format``, or invalid ``size``. Returns -------- :class:`Asset` The resulting CDN asset. """ return Asset._from_avatar(self._state, self, format=format, static_format=static_format, size=size)
[ "Returns", "a", "friendly", "URL", "version", "of", "the", "avatar", "the", "user", "has", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/user.py#L131-L165
[ "def", "avatar_url_as", "(", "self", ",", "*", ",", "format", "=", "None", ",", "static_format", "=", "'webp'", ",", "size", "=", "1024", ")", ":", "return", "Asset", ".", "_from_avatar", "(", "self", ".", "_state", ",", "self", ",", "format", "=", "...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
BaseUser.mentioned_in
Checks if the user is mentioned in the specified message. Parameters ----------- message: :class:`Message` The message to check if you're mentioned in.
discord/user.py
def mentioned_in(self, message): """Checks if the user is mentioned in the specified message. Parameters ----------- message: :class:`Message` The message to check if you're mentioned in. """ if message.mention_everyone: return True for user in message.mentions: if user.id == self.id: return True return False
def mentioned_in(self, message): """Checks if the user is mentioned in the specified message. Parameters ----------- message: :class:`Message` The message to check if you're mentioned in. """ if message.mention_everyone: return True for user in message.mentions: if user.id == self.id: return True return False
[ "Checks", "if", "the", "user", "is", "mentioned", "in", "the", "specified", "message", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/user.py#L226-L242
[ "def", "mentioned_in", "(", "self", ",", "message", ")", ":", "if", "message", ".", "mention_everyone", ":", "return", "True", "for", "user", "in", "message", ".", "mentions", ":", "if", "user", ".", "id", "==", "self", ".", "id", ":", "return", "True"...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
ClientUser.friends
r"""Returns a :class:`list` of :class:`User`\s that the user is friends with. .. note:: This only applies to non-bot accounts.
discord/user.py
def friends(self): r"""Returns a :class:`list` of :class:`User`\s that the user is friends with. .. note:: This only applies to non-bot accounts. """ return [r.user for r in self._relationships.values() if r.type is RelationshipType.friend]
def friends(self): r"""Returns a :class:`list` of :class:`User`\s that the user is friends with. .. note:: This only applies to non-bot accounts. """ return [r.user for r in self._relationships.values() if r.type is RelationshipType.friend]
[ "r", "Returns", "a", ":", "class", ":", "list", "of", ":", "class", ":", "User", "\\", "s", "that", "the", "user", "is", "friends", "with", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/user.py#L342-L349
[ "def", "friends", "(", "self", ")", ":", "return", "[", "r", ".", "user", "for", "r", "in", "self", ".", "_relationships", ".", "values", "(", ")", "if", "r", ".", "type", "is", "RelationshipType", ".", "friend", "]" ]
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
ClientUser.blocked
r"""Returns a :class:`list` of :class:`User`\s that the user has blocked. .. note:: This only applies to non-bot accounts.
discord/user.py
def blocked(self): r"""Returns a :class:`list` of :class:`User`\s that the user has blocked. .. note:: This only applies to non-bot accounts. """ return [r.user for r in self._relationships.values() if r.type is RelationshipType.blocked]
def blocked(self): r"""Returns a :class:`list` of :class:`User`\s that the user has blocked. .. note:: This only applies to non-bot accounts. """ return [r.user for r in self._relationships.values() if r.type is RelationshipType.blocked]
[ "r", "Returns", "a", ":", "class", ":", "list", "of", ":", "class", ":", "User", "\\", "s", "that", "the", "user", "has", "blocked", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/user.py#L352-L359
[ "def", "blocked", "(", "self", ")", ":", "return", "[", "r", ".", "user", "for", "r", "in", "self", ".", "_relationships", ".", "values", "(", ")", "if", "r", ".", "type", "is", "RelationshipType", ".", "blocked", "]" ]
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
ClientUser.edit
|coro| Edits the current profile of the client. If a bot account is used then a password field is optional, otherwise it is required. Note ----- To upload an avatar, a :term:`py:bytes-like object` must be passed in that represents the image being uploaded. If this is done through a file then the file must be opened via ``open('some_filename', 'rb')`` and the :term:`py:bytes-like object` is given through the use of ``fp.read()``. The only image formats supported for uploading is JPEG and PNG. Parameters ----------- password: :class:`str` The current password for the client's account. Only applicable to user accounts. new_password: :class:`str` The new password you wish to change to. Only applicable to user accounts. email: :class:`str` The new email you wish to change to. Only applicable to user accounts. house: Optional[:class:`HypeSquadHouse`] The hypesquad house you wish to change to. Could be ``None`` to leave the current house. Only applicable to user accounts. username: :class:`str` The new username you wish to change to. avatar: :class:`bytes` A :term:`py:bytes-like object` representing the image to upload. Could be ``None`` to denote no avatar. Raises ------ HTTPException Editing your profile failed. InvalidArgument Wrong image format passed for ``avatar``. ClientException Password is required for non-bot accounts. House field was not a HypeSquadHouse.
discord/user.py
async def edit(self, **fields): """|coro| Edits the current profile of the client. If a bot account is used then a password field is optional, otherwise it is required. Note ----- To upload an avatar, a :term:`py:bytes-like object` must be passed in that represents the image being uploaded. If this is done through a file then the file must be opened via ``open('some_filename', 'rb')`` and the :term:`py:bytes-like object` is given through the use of ``fp.read()``. The only image formats supported for uploading is JPEG and PNG. Parameters ----------- password: :class:`str` The current password for the client's account. Only applicable to user accounts. new_password: :class:`str` The new password you wish to change to. Only applicable to user accounts. email: :class:`str` The new email you wish to change to. Only applicable to user accounts. house: Optional[:class:`HypeSquadHouse`] The hypesquad house you wish to change to. Could be ``None`` to leave the current house. Only applicable to user accounts. username: :class:`str` The new username you wish to change to. avatar: :class:`bytes` A :term:`py:bytes-like object` representing the image to upload. Could be ``None`` to denote no avatar. Raises ------ HTTPException Editing your profile failed. InvalidArgument Wrong image format passed for ``avatar``. ClientException Password is required for non-bot accounts. House field was not a HypeSquadHouse. """ try: avatar_bytes = fields['avatar'] except KeyError: avatar = self.avatar else: if avatar_bytes is not None: avatar = _bytes_to_base64_data(avatar_bytes) else: avatar = None not_bot_account = not self.bot password = fields.get('password') if not_bot_account and password is None: raise ClientException('Password is required for non-bot accounts.') args = { 'password': password, 'username': fields.get('username', self.name), 'avatar': avatar } if not_bot_account: args['email'] = fields.get('email', self.email) if 'new_password' in fields: args['new_password'] = fields['new_password'] http = self._state.http if 'house' in fields: house = fields['house'] if house is None: await http.leave_hypesquad_house() elif not isinstance(house, HypeSquadHouse): raise ClientException('`house` parameter was not a HypeSquadHouse') else: value = house.value await http.change_hypesquad_house(value) data = await http.edit_profile(**args) if not_bot_account: self.email = data['email'] try: http._token(data['token'], bot=False) except KeyError: pass self._update(data)
async def edit(self, **fields): """|coro| Edits the current profile of the client. If a bot account is used then a password field is optional, otherwise it is required. Note ----- To upload an avatar, a :term:`py:bytes-like object` must be passed in that represents the image being uploaded. If this is done through a file then the file must be opened via ``open('some_filename', 'rb')`` and the :term:`py:bytes-like object` is given through the use of ``fp.read()``. The only image formats supported for uploading is JPEG and PNG. Parameters ----------- password: :class:`str` The current password for the client's account. Only applicable to user accounts. new_password: :class:`str` The new password you wish to change to. Only applicable to user accounts. email: :class:`str` The new email you wish to change to. Only applicable to user accounts. house: Optional[:class:`HypeSquadHouse`] The hypesquad house you wish to change to. Could be ``None`` to leave the current house. Only applicable to user accounts. username: :class:`str` The new username you wish to change to. avatar: :class:`bytes` A :term:`py:bytes-like object` representing the image to upload. Could be ``None`` to denote no avatar. Raises ------ HTTPException Editing your profile failed. InvalidArgument Wrong image format passed for ``avatar``. ClientException Password is required for non-bot accounts. House field was not a HypeSquadHouse. """ try: avatar_bytes = fields['avatar'] except KeyError: avatar = self.avatar else: if avatar_bytes is not None: avatar = _bytes_to_base64_data(avatar_bytes) else: avatar = None not_bot_account = not self.bot password = fields.get('password') if not_bot_account and password is None: raise ClientException('Password is required for non-bot accounts.') args = { 'password': password, 'username': fields.get('username', self.name), 'avatar': avatar } if not_bot_account: args['email'] = fields.get('email', self.email) if 'new_password' in fields: args['new_password'] = fields['new_password'] http = self._state.http if 'house' in fields: house = fields['house'] if house is None: await http.leave_hypesquad_house() elif not isinstance(house, HypeSquadHouse): raise ClientException('`house` parameter was not a HypeSquadHouse') else: value = house.value await http.change_hypesquad_house(value) data = await http.edit_profile(**args) if not_bot_account: self.email = data['email'] try: http._token(data['token'], bot=False) except KeyError: pass self._update(data)
[ "|coro|" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/user.py#L361-L458
[ "async", "def", "edit", "(", "self", ",", "*", "*", "fields", ")", ":", "try", ":", "avatar_bytes", "=", "fields", "[", "'avatar'", "]", "except", "KeyError", ":", "avatar", "=", "self", ".", "avatar", "else", ":", "if", "avatar_bytes", "is", "not", ...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
ClientUser.create_group
r"""|coro| Creates a group direct message with the recipients provided. These recipients must be have a relationship of type :attr:`RelationshipType.friend`. .. note:: This only applies to non-bot accounts. Parameters ----------- \*recipients: :class:`User` An argument :class:`list` of :class:`User` to have in your group. Raises ------- HTTPException Failed to create the group direct message. ClientException Attempted to create a group with only one recipient. This does not include yourself. Returns ------- :class:`GroupChannel` The new group channel.
discord/user.py
async def create_group(self, *recipients): r"""|coro| Creates a group direct message with the recipients provided. These recipients must be have a relationship of type :attr:`RelationshipType.friend`. .. note:: This only applies to non-bot accounts. Parameters ----------- \*recipients: :class:`User` An argument :class:`list` of :class:`User` to have in your group. Raises ------- HTTPException Failed to create the group direct message. ClientException Attempted to create a group with only one recipient. This does not include yourself. Returns ------- :class:`GroupChannel` The new group channel. """ from .channel import GroupChannel if len(recipients) < 2: raise ClientException('You must have two or more recipients to create a group.') users = [str(u.id) for u in recipients] data = await self._state.http.start_group(self.id, users) return GroupChannel(me=self, data=data, state=self._state)
async def create_group(self, *recipients): r"""|coro| Creates a group direct message with the recipients provided. These recipients must be have a relationship of type :attr:`RelationshipType.friend`. .. note:: This only applies to non-bot accounts. Parameters ----------- \*recipients: :class:`User` An argument :class:`list` of :class:`User` to have in your group. Raises ------- HTTPException Failed to create the group direct message. ClientException Attempted to create a group with only one recipient. This does not include yourself. Returns ------- :class:`GroupChannel` The new group channel. """ from .channel import GroupChannel if len(recipients) < 2: raise ClientException('You must have two or more recipients to create a group.') users = [str(u.id) for u in recipients] data = await self._state.http.start_group(self.id, users) return GroupChannel(me=self, data=data, state=self._state)
[ "r", "|coro|" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/user.py#L460-L498
[ "async", "def", "create_group", "(", "self", ",", "*", "recipients", ")", ":", "from", ".", "channel", "import", "GroupChannel", "if", "len", "(", "recipients", ")", "<", "2", ":", "raise", "ClientException", "(", "'You must have two or more recipients to create a...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
ClientUser.edit_settings
|coro| Edits the client user's settings. .. note:: This only applies to non-bot accounts. Parameters ------- afk_timeout: :class:`int` How long (in seconds) the user needs to be AFK until Discord sends push notifications to your mobile device. animate_emojis: :class:`bool` Whether or not to animate emojis in the chat. convert_emoticons: :class:`bool` Whether or not to automatically convert emoticons into emojis. e.g. :-) -> 😃 default_guilds_restricted: :class:`bool` Whether or not to automatically disable DMs between you and members of new guilds you join. detect_platform_accounts: :class:`bool` Whether or not to automatically detect accounts from services like Steam and Blizzard when you open the Discord client. developer_mode: :class:`bool` Whether or not to enable developer mode. disable_games_tab: :class:`bool` Whether or not to disable the showing of the Games tab. enable_tts_command: :class:`bool` Whether or not to allow tts messages to be played/sent. explicit_content_filter: :class:`UserContentFilter` The filter for explicit content in all messages. friend_source_flags: :class:`FriendFlags` Who can add you as a friend. gif_auto_play: :class:`bool` Whether or not to automatically play gifs that are in the chat. guild_positions: List[:class:`abc.Snowflake`] A list of guilds in order of the guild/guild icons that are on the left hand side of the UI. inline_attachment_media: :class:`bool` Whether or not to display attachments when they are uploaded in chat. inline_embed_media: :class:`bool` Whether or not to display videos and images from links posted in chat. locale: :class:`str` The RFC 3066 language identifier of the locale to use for the language of the Discord client. message_display_compact: :class:`bool` Whether or not to use the compact Discord display mode. render_embeds: :class:`bool` Whether or not to render embeds that are sent in the chat. render_reactions: :class:`bool` Whether or not to render reactions that are added to messages. restricted_guilds: List[:class:`abc.Snowflake`] A list of guilds that you will not receive DMs from. show_current_game: :class:`bool` Whether or not to display the game that you are currently playing. status: :class:`Status` The clients status that is shown to others. theme: :class:`Theme` The theme of the Discord UI. timezone_offset: :class:`int` The timezone offset to use. Raises ------- HTTPException Editing the settings failed. Forbidden The client is a bot user and not a user account. Returns ------- :class:`dict` The client user's updated settings.
discord/user.py
async def edit_settings(self, **kwargs): """|coro| Edits the client user's settings. .. note:: This only applies to non-bot accounts. Parameters ------- afk_timeout: :class:`int` How long (in seconds) the user needs to be AFK until Discord sends push notifications to your mobile device. animate_emojis: :class:`bool` Whether or not to animate emojis in the chat. convert_emoticons: :class:`bool` Whether or not to automatically convert emoticons into emojis. e.g. :-) -> 😃 default_guilds_restricted: :class:`bool` Whether or not to automatically disable DMs between you and members of new guilds you join. detect_platform_accounts: :class:`bool` Whether or not to automatically detect accounts from services like Steam and Blizzard when you open the Discord client. developer_mode: :class:`bool` Whether or not to enable developer mode. disable_games_tab: :class:`bool` Whether or not to disable the showing of the Games tab. enable_tts_command: :class:`bool` Whether or not to allow tts messages to be played/sent. explicit_content_filter: :class:`UserContentFilter` The filter for explicit content in all messages. friend_source_flags: :class:`FriendFlags` Who can add you as a friend. gif_auto_play: :class:`bool` Whether or not to automatically play gifs that are in the chat. guild_positions: List[:class:`abc.Snowflake`] A list of guilds in order of the guild/guild icons that are on the left hand side of the UI. inline_attachment_media: :class:`bool` Whether or not to display attachments when they are uploaded in chat. inline_embed_media: :class:`bool` Whether or not to display videos and images from links posted in chat. locale: :class:`str` The RFC 3066 language identifier of the locale to use for the language of the Discord client. message_display_compact: :class:`bool` Whether or not to use the compact Discord display mode. render_embeds: :class:`bool` Whether or not to render embeds that are sent in the chat. render_reactions: :class:`bool` Whether or not to render reactions that are added to messages. restricted_guilds: List[:class:`abc.Snowflake`] A list of guilds that you will not receive DMs from. show_current_game: :class:`bool` Whether or not to display the game that you are currently playing. status: :class:`Status` The clients status that is shown to others. theme: :class:`Theme` The theme of the Discord UI. timezone_offset: :class:`int` The timezone offset to use. Raises ------- HTTPException Editing the settings failed. Forbidden The client is a bot user and not a user account. Returns ------- :class:`dict` The client user's updated settings. """ payload = {} content_filter = kwargs.pop('explicit_content_filter', None) if content_filter: payload.update({'explicit_content_filter': content_filter.value}) friend_flags = kwargs.pop('friend_source_flags', None) if friend_flags: dicts = [{}, {'mutual_guilds': True}, {'mutual_friends': True}, {'mutual_guilds': True, 'mutual_friends': True}, {'all': True}] payload.update({'friend_source_flags': dicts[friend_flags.value]}) guild_positions = kwargs.pop('guild_positions', None) if guild_positions: guild_positions = [str(x.id) for x in guild_positions] payload.update({'guild_positions': guild_positions}) restricted_guilds = kwargs.pop('restricted_guilds', None) if restricted_guilds: restricted_guilds = [str(x.id) for x in restricted_guilds] payload.update({'restricted_guilds': restricted_guilds}) status = kwargs.pop('status', None) if status: payload.update({'status': status.value}) theme = kwargs.pop('theme', None) if theme: payload.update({'theme': theme.value}) payload.update(kwargs) data = await self._state.http.edit_settings(**payload) return data
async def edit_settings(self, **kwargs): """|coro| Edits the client user's settings. .. note:: This only applies to non-bot accounts. Parameters ------- afk_timeout: :class:`int` How long (in seconds) the user needs to be AFK until Discord sends push notifications to your mobile device. animate_emojis: :class:`bool` Whether or not to animate emojis in the chat. convert_emoticons: :class:`bool` Whether or not to automatically convert emoticons into emojis. e.g. :-) -> 😃 default_guilds_restricted: :class:`bool` Whether or not to automatically disable DMs between you and members of new guilds you join. detect_platform_accounts: :class:`bool` Whether or not to automatically detect accounts from services like Steam and Blizzard when you open the Discord client. developer_mode: :class:`bool` Whether or not to enable developer mode. disable_games_tab: :class:`bool` Whether or not to disable the showing of the Games tab. enable_tts_command: :class:`bool` Whether or not to allow tts messages to be played/sent. explicit_content_filter: :class:`UserContentFilter` The filter for explicit content in all messages. friend_source_flags: :class:`FriendFlags` Who can add you as a friend. gif_auto_play: :class:`bool` Whether or not to automatically play gifs that are in the chat. guild_positions: List[:class:`abc.Snowflake`] A list of guilds in order of the guild/guild icons that are on the left hand side of the UI. inline_attachment_media: :class:`bool` Whether or not to display attachments when they are uploaded in chat. inline_embed_media: :class:`bool` Whether or not to display videos and images from links posted in chat. locale: :class:`str` The RFC 3066 language identifier of the locale to use for the language of the Discord client. message_display_compact: :class:`bool` Whether or not to use the compact Discord display mode. render_embeds: :class:`bool` Whether or not to render embeds that are sent in the chat. render_reactions: :class:`bool` Whether or not to render reactions that are added to messages. restricted_guilds: List[:class:`abc.Snowflake`] A list of guilds that you will not receive DMs from. show_current_game: :class:`bool` Whether or not to display the game that you are currently playing. status: :class:`Status` The clients status that is shown to others. theme: :class:`Theme` The theme of the Discord UI. timezone_offset: :class:`int` The timezone offset to use. Raises ------- HTTPException Editing the settings failed. Forbidden The client is a bot user and not a user account. Returns ------- :class:`dict` The client user's updated settings. """ payload = {} content_filter = kwargs.pop('explicit_content_filter', None) if content_filter: payload.update({'explicit_content_filter': content_filter.value}) friend_flags = kwargs.pop('friend_source_flags', None) if friend_flags: dicts = [{}, {'mutual_guilds': True}, {'mutual_friends': True}, {'mutual_guilds': True, 'mutual_friends': True}, {'all': True}] payload.update({'friend_source_flags': dicts[friend_flags.value]}) guild_positions = kwargs.pop('guild_positions', None) if guild_positions: guild_positions = [str(x.id) for x in guild_positions] payload.update({'guild_positions': guild_positions}) restricted_guilds = kwargs.pop('restricted_guilds', None) if restricted_guilds: restricted_guilds = [str(x.id) for x in restricted_guilds] payload.update({'restricted_guilds': restricted_guilds}) status = kwargs.pop('status', None) if status: payload.update({'status': status.value}) theme = kwargs.pop('theme', None) if theme: payload.update({'theme': theme.value}) payload.update(kwargs) data = await self._state.http.edit_settings(**payload) return data
[ "|coro|" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/user.py#L500-L609
[ "async", "def", "edit_settings", "(", "self", ",", "*", "*", "kwargs", ")", ":", "payload", "=", "{", "}", "content_filter", "=", "kwargs", ".", "pop", "(", "'explicit_content_filter'", ",", "None", ")", "if", "content_filter", ":", "payload", ".", "update...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
User.create_dm
Creates a :class:`DMChannel` with this user. This should be rarely called, as this is done transparently for most people.
discord/user.py
async def create_dm(self): """Creates a :class:`DMChannel` with this user. This should be rarely called, as this is done transparently for most people. """ found = self.dm_channel if found is not None: return found state = self._state data = await state.http.start_private_message(self.id) return state.add_dm_channel(data)
async def create_dm(self): """Creates a :class:`DMChannel` with this user. This should be rarely called, as this is done transparently for most people. """ found = self.dm_channel if found is not None: return found state = self._state data = await state.http.start_private_message(self.id) return state.add_dm_channel(data)
[ "Creates", "a", ":", "class", ":", "DMChannel", "with", "this", "user", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/user.py#L664-L676
[ "async", "def", "create_dm", "(", "self", ")", ":", "found", "=", "self", ".", "dm_channel", "if", "found", "is", "not", "None", ":", "return", "found", "state", "=", "self", ".", "_state", "data", "=", "await", "state", ".", "http", ".", "start_privat...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
User.mutual_friends
|coro| Gets all mutual friends of this user. .. note:: This only applies to non-bot accounts. Raises ------- Forbidden Not allowed to get mutual friends of this user. HTTPException Getting mutual friends failed. Returns ------- List[:class:`User`] The users that are mutual friends.
discord/user.py
async def mutual_friends(self): """|coro| Gets all mutual friends of this user. .. note:: This only applies to non-bot accounts. Raises ------- Forbidden Not allowed to get mutual friends of this user. HTTPException Getting mutual friends failed. Returns ------- List[:class:`User`] The users that are mutual friends. """ state = self._state mutuals = await state.http.get_mutual_friends(self.id) return [User(state=state, data=friend) for friend in mutuals]
async def mutual_friends(self): """|coro| Gets all mutual friends of this user. .. note:: This only applies to non-bot accounts. Raises ------- Forbidden Not allowed to get mutual friends of this user. HTTPException Getting mutual friends failed. Returns ------- List[:class:`User`] The users that are mutual friends. """ state = self._state mutuals = await state.http.get_mutual_friends(self.id) return [User(state=state, data=friend) for friend in mutuals]
[ "|coro|" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/user.py#L688-L711
[ "async", "def", "mutual_friends", "(", "self", ")", ":", "state", "=", "self", ".", "_state", "mutuals", "=", "await", "state", ".", "http", ".", "get_mutual_friends", "(", "self", ".", "id", ")", "return", "[", "User", "(", "state", "=", "state", ",",...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
User.is_friend
:class:`bool`: Checks if the user is your friend. .. note:: This only applies to non-bot accounts.
discord/user.py
def is_friend(self): """:class:`bool`: Checks if the user is your friend. .. note:: This only applies to non-bot accounts. """ r = self.relationship if r is None: return False return r.type is RelationshipType.friend
def is_friend(self): """:class:`bool`: Checks if the user is your friend. .. note:: This only applies to non-bot accounts. """ r = self.relationship if r is None: return False return r.type is RelationshipType.friend
[ ":", "class", ":", "bool", ":", "Checks", "if", "the", "user", "is", "your", "friend", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/user.py#L713-L723
[ "def", "is_friend", "(", "self", ")", ":", "r", "=", "self", ".", "relationship", "if", "r", "is", "None", ":", "return", "False", "return", "r", ".", "type", "is", "RelationshipType", ".", "friend" ]
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
User.is_blocked
:class:`bool`: Checks if the user is blocked. .. note:: This only applies to non-bot accounts.
discord/user.py
def is_blocked(self): """:class:`bool`: Checks if the user is blocked. .. note:: This only applies to non-bot accounts. """ r = self.relationship if r is None: return False return r.type is RelationshipType.blocked
def is_blocked(self): """:class:`bool`: Checks if the user is blocked. .. note:: This only applies to non-bot accounts. """ r = self.relationship if r is None: return False return r.type is RelationshipType.blocked
[ ":", "class", ":", "bool", ":", "Checks", "if", "the", "user", "is", "blocked", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/user.py#L725-L735
[ "def", "is_blocked", "(", "self", ")", ":", "r", "=", "self", ".", "relationship", "if", "r", "is", "None", ":", "return", "False", "return", "r", ".", "type", "is", "RelationshipType", ".", "blocked" ]
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
User.block
|coro| Blocks the user. .. note:: This only applies to non-bot accounts. Raises ------- Forbidden Not allowed to block this user. HTTPException Blocking the user failed.
discord/user.py
async def block(self): """|coro| Blocks the user. .. note:: This only applies to non-bot accounts. Raises ------- Forbidden Not allowed to block this user. HTTPException Blocking the user failed. """ await self._state.http.add_relationship(self.id, type=RelationshipType.blocked.value)
async def block(self): """|coro| Blocks the user. .. note:: This only applies to non-bot accounts. Raises ------- Forbidden Not allowed to block this user. HTTPException Blocking the user failed. """ await self._state.http.add_relationship(self.id, type=RelationshipType.blocked.value)
[ "|coro|" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/user.py#L737-L754
[ "async", "def", "block", "(", "self", ")", ":", "await", "self", ".", "_state", ".", "http", ".", "add_relationship", "(", "self", ".", "id", ",", "type", "=", "RelationshipType", ".", "blocked", ".", "value", ")" ]
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
User.send_friend_request
|coro| Sends the user a friend request. .. note:: This only applies to non-bot accounts. Raises ------- Forbidden Not allowed to send a friend request to the user. HTTPException Sending the friend request failed.
discord/user.py
async def send_friend_request(self): """|coro| Sends the user a friend request. .. note:: This only applies to non-bot accounts. Raises ------- Forbidden Not allowed to send a friend request to the user. HTTPException Sending the friend request failed. """ await self._state.http.send_friend_request(username=self.name, discriminator=self.discriminator)
async def send_friend_request(self): """|coro| Sends the user a friend request. .. note:: This only applies to non-bot accounts. Raises ------- Forbidden Not allowed to send a friend request to the user. HTTPException Sending the friend request failed. """ await self._state.http.send_friend_request(username=self.name, discriminator=self.discriminator)
[ "|coro|" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/user.py#L792-L808
[ "async", "def", "send_friend_request", "(", "self", ")", ":", "await", "self", ".", "_state", ".", "http", ".", "send_friend_request", "(", "username", "=", "self", ".", "name", ",", "discriminator", "=", "self", ".", "discriminator", ")" ]
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
User.profile
|coro| Gets the user's profile. .. note:: This only applies to non-bot accounts. Raises ------- Forbidden Not allowed to fetch profiles. HTTPException Fetching the profile failed. Returns -------- :class:`Profile` The profile of the user.
discord/user.py
async def profile(self): """|coro| Gets the user's profile. .. note:: This only applies to non-bot accounts. Raises ------- Forbidden Not allowed to fetch profiles. HTTPException Fetching the profile failed. Returns -------- :class:`Profile` The profile of the user. """ state = self._state data = await state.http.get_user_profile(self.id) def transform(d): return state._get_guild(int(d['id'])) since = data.get('premium_since') mutual_guilds = list(filter(None, map(transform, data.get('mutual_guilds', [])))) return Profile(flags=data['user'].get('flags', 0), premium_since=parse_time(since), mutual_guilds=mutual_guilds, user=self, connected_accounts=data['connected_accounts'])
async def profile(self): """|coro| Gets the user's profile. .. note:: This only applies to non-bot accounts. Raises ------- Forbidden Not allowed to fetch profiles. HTTPException Fetching the profile failed. Returns -------- :class:`Profile` The profile of the user. """ state = self._state data = await state.http.get_user_profile(self.id) def transform(d): return state._get_guild(int(d['id'])) since = data.get('premium_since') mutual_guilds = list(filter(None, map(transform, data.get('mutual_guilds', [])))) return Profile(flags=data['user'].get('flags', 0), premium_since=parse_time(since), mutual_guilds=mutual_guilds, user=self, connected_accounts=data['connected_accounts'])
[ "|coro|" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/user.py#L810-L844
[ "async", "def", "profile", "(", "self", ")", ":", "state", "=", "self", ".", "_state", "data", "=", "await", "state", ".", "http", ".", "get_user_profile", "(", "self", ".", "id", ")", "def", "transform", "(", "d", ")", ":", "return", "state", ".", ...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
time_snowflake
Returns a numeric snowflake pretending to be created at the given date. When using as the lower end of a range, use time_snowflake(high=False) - 1 to be inclusive, high=True to be exclusive When using as the higher end of a range, use time_snowflake(high=True) + 1 to be inclusive, high=False to be exclusive Parameters ----------- datetime_obj A timezone-naive datetime object representing UTC time. high: :class:`bool` Whether or not to set the lower 22 bit to high or low.
discord/utils.py
def time_snowflake(datetime_obj, high=False): """Returns a numeric snowflake pretending to be created at the given date. When using as the lower end of a range, use time_snowflake(high=False) - 1 to be inclusive, high=True to be exclusive When using as the higher end of a range, use time_snowflake(high=True) + 1 to be inclusive, high=False to be exclusive Parameters ----------- datetime_obj A timezone-naive datetime object representing UTC time. high: :class:`bool` Whether or not to set the lower 22 bit to high or low. """ unix_seconds = (datetime_obj - type(datetime_obj)(1970, 1, 1)).total_seconds() discord_millis = int(unix_seconds * 1000 - DISCORD_EPOCH) return (discord_millis << 22) + (2**22-1 if high else 0)
def time_snowflake(datetime_obj, high=False): """Returns a numeric snowflake pretending to be created at the given date. When using as the lower end of a range, use time_snowflake(high=False) - 1 to be inclusive, high=True to be exclusive When using as the higher end of a range, use time_snowflake(high=True) + 1 to be inclusive, high=False to be exclusive Parameters ----------- datetime_obj A timezone-naive datetime object representing UTC time. high: :class:`bool` Whether or not to set the lower 22 bit to high or low. """ unix_seconds = (datetime_obj - type(datetime_obj)(1970, 1, 1)).total_seconds() discord_millis = int(unix_seconds * 1000 - DISCORD_EPOCH) return (discord_millis << 22) + (2**22-1 if high else 0)
[ "Returns", "a", "numeric", "snowflake", "pretending", "to", "be", "created", "at", "the", "given", "date", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/utils.py#L160-L176
[ "def", "time_snowflake", "(", "datetime_obj", ",", "high", "=", "False", ")", ":", "unix_seconds", "=", "(", "datetime_obj", "-", "type", "(", "datetime_obj", ")", "(", "1970", ",", "1", ",", "1", ")", ")", ".", "total_seconds", "(", ")", "discord_millis...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
get
r"""A helper that returns the first element in the iterable that meets all the traits passed in ``attrs``. This is an alternative for :func:`discord.utils.find`. When multiple attributes are specified, they are checked using logical AND, not logical OR. Meaning they have to meet every attribute passed in and not one of them. To have a nested attribute search (i.e. search by ``x.y``) then pass in ``x__y`` as the keyword argument. If nothing is found that matches the attributes passed, then ``None`` is returned. Examples --------- Basic usage: .. code-block:: python3 member = discord.utils.get(message.guild.members, name='Foo') Multiple attribute matching: .. code-block:: python3 channel = discord.utils.get(guild.voice_channels, name='Foo', bitrate=64000) Nested attribute matching: .. code-block:: python3 channel = discord.utils.get(client.get_all_channels(), guild__name='Cool', name='general') Parameters ----------- iterable An iterable to search through. \*\*attrs Keyword arguments that denote attributes to search with.
discord/utils.py
def get(iterable, **attrs): r"""A helper that returns the first element in the iterable that meets all the traits passed in ``attrs``. This is an alternative for :func:`discord.utils.find`. When multiple attributes are specified, they are checked using logical AND, not logical OR. Meaning they have to meet every attribute passed in and not one of them. To have a nested attribute search (i.e. search by ``x.y``) then pass in ``x__y`` as the keyword argument. If nothing is found that matches the attributes passed, then ``None`` is returned. Examples --------- Basic usage: .. code-block:: python3 member = discord.utils.get(message.guild.members, name='Foo') Multiple attribute matching: .. code-block:: python3 channel = discord.utils.get(guild.voice_channels, name='Foo', bitrate=64000) Nested attribute matching: .. code-block:: python3 channel = discord.utils.get(client.get_all_channels(), guild__name='Cool', name='general') Parameters ----------- iterable An iterable to search through. \*\*attrs Keyword arguments that denote attributes to search with. """ def predicate(elem): for attr, val in attrs.items(): nested = attr.split('__') obj = elem for attribute in nested: obj = getattr(obj, attribute) if obj != val: return False return True return find(predicate, iterable)
def get(iterable, **attrs): r"""A helper that returns the first element in the iterable that meets all the traits passed in ``attrs``. This is an alternative for :func:`discord.utils.find`. When multiple attributes are specified, they are checked using logical AND, not logical OR. Meaning they have to meet every attribute passed in and not one of them. To have a nested attribute search (i.e. search by ``x.y``) then pass in ``x__y`` as the keyword argument. If nothing is found that matches the attributes passed, then ``None`` is returned. Examples --------- Basic usage: .. code-block:: python3 member = discord.utils.get(message.guild.members, name='Foo') Multiple attribute matching: .. code-block:: python3 channel = discord.utils.get(guild.voice_channels, name='Foo', bitrate=64000) Nested attribute matching: .. code-block:: python3 channel = discord.utils.get(client.get_all_channels(), guild__name='Cool', name='general') Parameters ----------- iterable An iterable to search through. \*\*attrs Keyword arguments that denote attributes to search with. """ def predicate(elem): for attr, val in attrs.items(): nested = attr.split('__') obj = elem for attribute in nested: obj = getattr(obj, attribute) if obj != val: return False return True return find(predicate, iterable)
[ "r", "A", "helper", "that", "returns", "the", "first", "element", "in", "the", "iterable", "that", "meets", "all", "the", "traits", "passed", "in", "attrs", ".", "This", "is", "an", "alternative", "for", ":", "func", ":", "discord", ".", "utils", ".", ...
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/utils.py#L206-L261
[ "def", "get", "(", "iterable", ",", "*", "*", "attrs", ")", ":", "def", "predicate", "(", "elem", ")", ":", "for", "attr", ",", "val", "in", "attrs", ".", "items", "(", ")", ":", "nested", "=", "attr", ".", "split", "(", "'__'", ")", "obj", "="...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
_string_width
Returns string's width.
discord/utils.py
def _string_width(string, *, _IS_ASCII=_IS_ASCII): """Returns string's width.""" match = _IS_ASCII.match(string) if match: return match.endpos UNICODE_WIDE_CHAR_TYPE = 'WFA' width = 0 func = unicodedata.east_asian_width for char in string: width += 2 if func(char) in UNICODE_WIDE_CHAR_TYPE else 1 return width
def _string_width(string, *, _IS_ASCII=_IS_ASCII): """Returns string's width.""" match = _IS_ASCII.match(string) if match: return match.endpos UNICODE_WIDE_CHAR_TYPE = 'WFA' width = 0 func = unicodedata.east_asian_width for char in string: width += 2 if func(char) in UNICODE_WIDE_CHAR_TYPE else 1 return width
[ "Returns", "string", "s", "width", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/utils.py#L359-L370
[ "def", "_string_width", "(", "string", ",", "*", ",", "_IS_ASCII", "=", "_IS_ASCII", ")", ":", "match", "=", "_IS_ASCII", ".", "match", "(", "string", ")", "if", "match", ":", "return", "match", ".", "endpos", "UNICODE_WIDE_CHAR_TYPE", "=", "'WFA'", "width...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
resolve_invite
Resolves an invite from a :class:`Invite`, URL or ID Parameters ----------- invite: Union[:class:`Invite`, :class:`Object`, :class:`str`] The invite. Returns -------- :class:`str` The invite code.
discord/utils.py
def resolve_invite(invite): """ Resolves an invite from a :class:`Invite`, URL or ID Parameters ----------- invite: Union[:class:`Invite`, :class:`Object`, :class:`str`] The invite. Returns -------- :class:`str` The invite code. """ from .invite import Invite # circular import if isinstance(invite, Invite) or isinstance(invite, Object): return invite.id else: rx = r'(?:https?\:\/\/)?discord(?:\.gg|app\.com\/invite)\/(.+)' m = re.match(rx, invite) if m: return m.group(1) return invite
def resolve_invite(invite): """ Resolves an invite from a :class:`Invite`, URL or ID Parameters ----------- invite: Union[:class:`Invite`, :class:`Object`, :class:`str`] The invite. Returns -------- :class:`str` The invite code. """ from .invite import Invite # circular import if isinstance(invite, Invite) or isinstance(invite, Object): return invite.id else: rx = r'(?:https?\:\/\/)?discord(?:\.gg|app\.com\/invite)\/(.+)' m = re.match(rx, invite) if m: return m.group(1) return invite
[ "Resolves", "an", "invite", "from", "a", ":", "class", ":", "Invite", "URL", "or", "ID" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/utils.py#L372-L394
[ "def", "resolve_invite", "(", "invite", ")", ":", "from", ".", "invite", "import", "Invite", "# circular import", "if", "isinstance", "(", "invite", ",", "Invite", ")", "or", "isinstance", "(", "invite", ",", "Object", ")", ":", "return", "invite", ".", "i...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
escape_markdown
r"""A helper function that escapes Discord's markdown. Parameters ----------- text: :class:`str` The text to escape markdown from. as_needed: :class:`bool` Whether to escape the markdown characters as needed. This means that it does not escape extraneous characters if it's not necessary, e.g. ``**hello**`` is escaped into ``\*\*hello**`` instead of ``\*\*hello\*\*``. Note however that this can open you up to some clever syntax abuse. Defaults to ``False``. ignore_links: :class:`bool` Whether to leave links alone when escaping markdown. For example, if a URL in the text contains characters such as ``_`` then it will be left alone. This option is not supported with ``as_needed``. Defaults to ``True``. Returns -------- :class:`str` The text with the markdown special characters escaped with a slash.
discord/utils.py
def escape_markdown(text, *, as_needed=False, ignore_links=True): r"""A helper function that escapes Discord's markdown. Parameters ----------- text: :class:`str` The text to escape markdown from. as_needed: :class:`bool` Whether to escape the markdown characters as needed. This means that it does not escape extraneous characters if it's not necessary, e.g. ``**hello**`` is escaped into ``\*\*hello**`` instead of ``\*\*hello\*\*``. Note however that this can open you up to some clever syntax abuse. Defaults to ``False``. ignore_links: :class:`bool` Whether to leave links alone when escaping markdown. For example, if a URL in the text contains characters such as ``_`` then it will be left alone. This option is not supported with ``as_needed``. Defaults to ``True``. Returns -------- :class:`str` The text with the markdown special characters escaped with a slash. """ if not as_needed: url_regex = r'(?P<url>(?:https?|steam)://(?:-\.)?(?:[^\s/?\.#-]+\.?)+(?:/[^\s]*)?)' def replacement(match): groupdict = match.groupdict() is_url = groupdict.get('url') if is_url: return is_url return '\\' + groupdict['markdown'] regex = r'(?P<markdown>[_\\~|\*`])' if ignore_links: regex = '(?:%s|%s)' % (url_regex, regex) return re.sub(regex, replacement, text) else: text = re.sub(r'\\', r'\\\\', text) return _MARKDOWN_ESCAPE_REGEX.sub(r'\\\1', text)
def escape_markdown(text, *, as_needed=False, ignore_links=True): r"""A helper function that escapes Discord's markdown. Parameters ----------- text: :class:`str` The text to escape markdown from. as_needed: :class:`bool` Whether to escape the markdown characters as needed. This means that it does not escape extraneous characters if it's not necessary, e.g. ``**hello**`` is escaped into ``\*\*hello**`` instead of ``\*\*hello\*\*``. Note however that this can open you up to some clever syntax abuse. Defaults to ``False``. ignore_links: :class:`bool` Whether to leave links alone when escaping markdown. For example, if a URL in the text contains characters such as ``_`` then it will be left alone. This option is not supported with ``as_needed``. Defaults to ``True``. Returns -------- :class:`str` The text with the markdown special characters escaped with a slash. """ if not as_needed: url_regex = r'(?P<url>(?:https?|steam)://(?:-\.)?(?:[^\s/?\.#-]+\.?)+(?:/[^\s]*)?)' def replacement(match): groupdict = match.groupdict() is_url = groupdict.get('url') if is_url: return is_url return '\\' + groupdict['markdown'] regex = r'(?P<markdown>[_\\~|\*`])' if ignore_links: regex = '(?:%s|%s)' % (url_regex, regex) return re.sub(regex, replacement, text) else: text = re.sub(r'\\', r'\\\\', text) return _MARKDOWN_ESCAPE_REGEX.sub(r'\\\1', text)
[ "r", "A", "helper", "function", "that", "escapes", "Discord", "s", "markdown", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/utils.py#L401-L441
[ "def", "escape_markdown", "(", "text", ",", "*", ",", "as_needed", "=", "False", ",", "ignore_links", "=", "True", ")", ":", "if", "not", "as_needed", ":", "url_regex", "=", "r'(?P<url>(?:https?|steam)://(?:-\\.)?(?:[^\\s/?\\.#-]+\\.?)+(?:/[^\\s]*)?)'", "def", "replac...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
add
Adds two numbers together.
examples/basic_bot.py
async def add(ctx, left: int, right: int): """Adds two numbers together.""" await ctx.send(left + right)
async def add(ctx, left: int, right: int): """Adds two numbers together.""" await ctx.send(left + right)
[ "Adds", "two", "numbers", "together", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/examples/basic_bot.py#L19-L21
[ "async", "def", "add", "(", "ctx", ",", "left", ":", "int", ",", "right", ":", "int", ")", ":", "await", "ctx", ".", "send", "(", "left", "+", "right", ")" ]
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
roll
Rolls a dice in NdN format.
examples/basic_bot.py
async def roll(ctx, dice: str): """Rolls a dice in NdN format.""" try: rolls, limit = map(int, dice.split('d')) except Exception: await ctx.send('Format has to be in NdN!') return result = ', '.join(str(random.randint(1, limit)) for r in range(rolls)) await ctx.send(result)
async def roll(ctx, dice: str): """Rolls a dice in NdN format.""" try: rolls, limit = map(int, dice.split('d')) except Exception: await ctx.send('Format has to be in NdN!') return result = ', '.join(str(random.randint(1, limit)) for r in range(rolls)) await ctx.send(result)
[ "Rolls", "a", "dice", "in", "NdN", "format", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/examples/basic_bot.py#L24-L33
[ "async", "def", "roll", "(", "ctx", ",", "dice", ":", "str", ")", ":", "try", ":", "rolls", ",", "limit", "=", "map", "(", "int", ",", "dice", ".", "split", "(", "'d'", ")", ")", "except", "Exception", ":", "await", "ctx", ".", "send", "(", "'F...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
repeat
Repeats a message multiple times.
examples/basic_bot.py
async def repeat(ctx, times: int, content='repeating...'): """Repeats a message multiple times.""" for i in range(times): await ctx.send(content)
async def repeat(ctx, times: int, content='repeating...'): """Repeats a message multiple times.""" for i in range(times): await ctx.send(content)
[ "Repeats", "a", "message", "multiple", "times", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/examples/basic_bot.py#L41-L44
[ "async", "def", "repeat", "(", "ctx", ",", "times", ":", "int", ",", "content", "=", "'repeating...'", ")", ":", "for", "i", "in", "range", "(", "times", ")", ":", "await", "ctx", ".", "send", "(", "content", ")" ]
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
Music.join
Joins a voice channel
examples/basic_voice.py
async def join(self, ctx, *, channel: discord.VoiceChannel): """Joins a voice channel""" if ctx.voice_client is not None: return await ctx.voice_client.move_to(channel) await channel.connect()
async def join(self, ctx, *, channel: discord.VoiceChannel): """Joins a voice channel""" if ctx.voice_client is not None: return await ctx.voice_client.move_to(channel) await channel.connect()
[ "Joins", "a", "voice", "channel" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/examples/basic_voice.py#L60-L66
[ "async", "def", "join", "(", "self", ",", "ctx", ",", "*", ",", "channel", ":", "discord", ".", "VoiceChannel", ")", ":", "if", "ctx", ".", "voice_client", "is", "not", "None", ":", "return", "await", "ctx", ".", "voice_client", ".", "move_to", "(", ...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
Music.play
Plays a file from the local filesystem
examples/basic_voice.py
async def play(self, ctx, *, query): """Plays a file from the local filesystem""" source = discord.PCMVolumeTransformer(discord.FFmpegPCMAudio(query)) ctx.voice_client.play(source, after=lambda e: print('Player error: %s' % e) if e else None) await ctx.send('Now playing: {}'.format(query))
async def play(self, ctx, *, query): """Plays a file from the local filesystem""" source = discord.PCMVolumeTransformer(discord.FFmpegPCMAudio(query)) ctx.voice_client.play(source, after=lambda e: print('Player error: %s' % e) if e else None) await ctx.send('Now playing: {}'.format(query))
[ "Plays", "a", "file", "from", "the", "local", "filesystem" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/examples/basic_voice.py#L69-L75
[ "async", "def", "play", "(", "self", ",", "ctx", ",", "*", ",", "query", ")", ":", "source", "=", "discord", ".", "PCMVolumeTransformer", "(", "discord", ".", "FFmpegPCMAudio", "(", "query", ")", ")", "ctx", ".", "voice_client", ".", "play", "(", "sour...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
Music.stream
Streams from a url (same as yt, but doesn't predownload)
examples/basic_voice.py
async def stream(self, ctx, *, url): """Streams from a url (same as yt, but doesn't predownload)""" async with ctx.typing(): player = await YTDLSource.from_url(url, loop=self.bot.loop, stream=True) ctx.voice_client.play(player, after=lambda e: print('Player error: %s' % e) if e else None) await ctx.send('Now playing: {}'.format(player.title))
async def stream(self, ctx, *, url): """Streams from a url (same as yt, but doesn't predownload)""" async with ctx.typing(): player = await YTDLSource.from_url(url, loop=self.bot.loop, stream=True) ctx.voice_client.play(player, after=lambda e: print('Player error: %s' % e) if e else None) await ctx.send('Now playing: {}'.format(player.title))
[ "Streams", "from", "a", "url", "(", "same", "as", "yt", "but", "doesn", "t", "predownload", ")" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/examples/basic_voice.py#L88-L95
[ "async", "def", "stream", "(", "self", ",", "ctx", ",", "*", ",", "url", ")", ":", "async", "with", "ctx", ".", "typing", "(", ")", ":", "player", "=", "await", "YTDLSource", ".", "from_url", "(", "url", ",", "loop", "=", "self", ".", "bot", ".",...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
Music.volume
Changes the player's volume
examples/basic_voice.py
async def volume(self, ctx, volume: int): """Changes the player's volume""" if ctx.voice_client is None: return await ctx.send("Not connected to a voice channel.") ctx.voice_client.source.volume = volume / 100 await ctx.send("Changed volume to {}%".format(volume))
async def volume(self, ctx, volume: int): """Changes the player's volume""" if ctx.voice_client is None: return await ctx.send("Not connected to a voice channel.") ctx.voice_client.source.volume = volume / 100 await ctx.send("Changed volume to {}%".format(volume))
[ "Changes", "the", "player", "s", "volume" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/examples/basic_voice.py#L98-L105
[ "async", "def", "volume", "(", "self", ",", "ctx", ",", "volume", ":", "int", ")", ":", "if", "ctx", ".", "voice_client", "is", "None", ":", "return", "await", "ctx", ".", "send", "(", "\"Not connected to a voice channel.\"", ")", "ctx", ".", "voice_client...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
CallMessage.duration
Queries the duration of the call. If the call has not ended then the current duration will be returned. Returns --------- datetime.timedelta The timedelta object representing the duration.
discord/calls.py
def duration(self): """Queries the duration of the call. If the call has not ended then the current duration will be returned. Returns --------- datetime.timedelta The timedelta object representing the duration. """ if self.ended_timestamp is None: return datetime.datetime.utcnow() - self.message.created_at else: return self.ended_timestamp - self.message.created_at
def duration(self): """Queries the duration of the call. If the call has not ended then the current duration will be returned. Returns --------- datetime.timedelta The timedelta object representing the duration. """ if self.ended_timestamp is None: return datetime.datetime.utcnow() - self.message.created_at else: return self.ended_timestamp - self.message.created_at
[ "Queries", "the", "duration", "of", "the", "call", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/calls.py#L65-L79
[ "def", "duration", "(", "self", ")", ":", "if", "self", ".", "ended_timestamp", "is", "None", ":", "return", "datetime", ".", "datetime", ".", "utcnow", "(", ")", "-", "self", ".", "message", ".", "created_at", "else", ":", "return", "self", ".", "ende...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
GroupCall.connected
A property that returns the :class:`list` of :class:`User` that are currently in this call.
discord/calls.py
def connected(self): """A property that returns the :class:`list` of :class:`User` that are currently in this call.""" ret = [u for u in self.channel.recipients if self.voice_state_for(u) is not None] me = self.channel.me if self.voice_state_for(me) is not None: ret.append(me) return ret
def connected(self): """A property that returns the :class:`list` of :class:`User` that are currently in this call.""" ret = [u for u in self.channel.recipients if self.voice_state_for(u) is not None] me = self.channel.me if self.voice_state_for(me) is not None: ret.append(me) return ret
[ "A", "property", "that", "returns", "the", ":", "class", ":", "list", "of", ":", "class", ":", "User", "that", "are", "currently", "in", "this", "call", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/calls.py#L124-L131
[ "def", "connected", "(", "self", ")", ":", "ret", "=", "[", "u", "for", "u", "in", "self", ".", "channel", ".", "recipients", "if", "self", ".", "voice_state_for", "(", "u", ")", "is", "not", "None", "]", "me", "=", "self", ".", "channel", ".", "...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
Webhook.partial
Creates a partial :class:`Webhook`. A partial webhook is just a webhook object with an ID and a token. Parameters ----------- id: :class:`int` The ID of the webhook. token: :class:`str` The authentication token of the webhook. adapter: :class:`WebhookAdapter` The webhook adapter to use when sending requests. This is typically :class:`AsyncWebhookAdapter` for ``aiohttp`` or :class:`RequestsWebhookAdapter` for ``requests``.
discord/webhook.py
def partial(cls, id, token, *, adapter): """Creates a partial :class:`Webhook`. A partial webhook is just a webhook object with an ID and a token. Parameters ----------- id: :class:`int` The ID of the webhook. token: :class:`str` The authentication token of the webhook. adapter: :class:`WebhookAdapter` The webhook adapter to use when sending requests. This is typically :class:`AsyncWebhookAdapter` for ``aiohttp`` or :class:`RequestsWebhookAdapter` for ``requests``. """ if not isinstance(adapter, WebhookAdapter): raise TypeError('adapter must be a subclass of WebhookAdapter') data = { 'id': id, 'token': token } return cls(data, adapter=adapter)
def partial(cls, id, token, *, adapter): """Creates a partial :class:`Webhook`. A partial webhook is just a webhook object with an ID and a token. Parameters ----------- id: :class:`int` The ID of the webhook. token: :class:`str` The authentication token of the webhook. adapter: :class:`WebhookAdapter` The webhook adapter to use when sending requests. This is typically :class:`AsyncWebhookAdapter` for ``aiohttp`` or :class:`RequestsWebhookAdapter` for ``requests``. """ if not isinstance(adapter, WebhookAdapter): raise TypeError('adapter must be a subclass of WebhookAdapter') data = { 'id': id, 'token': token } return cls(data, adapter=adapter)
[ "Creates", "a", "partial", ":", "class", ":", "Webhook", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/webhook.py#L446-L471
[ "def", "partial", "(", "cls", ",", "id", ",", "token", ",", "*", ",", "adapter", ")", ":", "if", "not", "isinstance", "(", "adapter", ",", "WebhookAdapter", ")", ":", "raise", "TypeError", "(", "'adapter must be a subclass of WebhookAdapter'", ")", "data", "...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
Webhook.from_url
Creates a partial :class:`Webhook` from a webhook URL. Parameters ------------ url: :class:`str` The URL of the webhook. adapter: :class:`WebhookAdapter` The webhook adapter to use when sending requests. This is typically :class:`AsyncWebhookAdapter` for ``aiohttp`` or :class:`RequestsWebhookAdapter` for ``requests``. Raises ------- InvalidArgument The URL is invalid.
discord/webhook.py
def from_url(cls, url, *, adapter): """Creates a partial :class:`Webhook` from a webhook URL. Parameters ------------ url: :class:`str` The URL of the webhook. adapter: :class:`WebhookAdapter` The webhook adapter to use when sending requests. This is typically :class:`AsyncWebhookAdapter` for ``aiohttp`` or :class:`RequestsWebhookAdapter` for ``requests``. Raises ------- InvalidArgument The URL is invalid. """ m = re.search(r'discordapp.com/api/webhooks/(?P<id>[0-9]{17,21})/(?P<token>[A-Za-z0-9\.\-\_]{60,68})', url) if m is None: raise InvalidArgument('Invalid webhook URL given.') return cls(m.groupdict(), adapter=adapter)
def from_url(cls, url, *, adapter): """Creates a partial :class:`Webhook` from a webhook URL. Parameters ------------ url: :class:`str` The URL of the webhook. adapter: :class:`WebhookAdapter` The webhook adapter to use when sending requests. This is typically :class:`AsyncWebhookAdapter` for ``aiohttp`` or :class:`RequestsWebhookAdapter` for ``requests``. Raises ------- InvalidArgument The URL is invalid. """ m = re.search(r'discordapp.com/api/webhooks/(?P<id>[0-9]{17,21})/(?P<token>[A-Za-z0-9\.\-\_]{60,68})', url) if m is None: raise InvalidArgument('Invalid webhook URL given.') return cls(m.groupdict(), adapter=adapter)
[ "Creates", "a", "partial", ":", "class", ":", "Webhook", "from", "a", "webhook", "URL", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/webhook.py#L474-L495
[ "def", "from_url", "(", "cls", ",", "url", ",", "*", ",", "adapter", ")", ":", "m", "=", "re", ".", "search", "(", "r'discordapp.com/api/webhooks/(?P<id>[0-9]{17,21})/(?P<token>[A-Za-z0-9\\.\\-\\_]{60,68})'", ",", "url", ")", "if", "m", "is", "None", ":", "raise...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
Webhook.channel
Optional[:class:`TextChannel`]: The text channel this webhook belongs to. If this is a partial webhook, then this will always return ``None``.
discord/webhook.py
def channel(self): """Optional[:class:`TextChannel`]: The text channel this webhook belongs to. If this is a partial webhook, then this will always return ``None``. """ guild = self.guild return guild and guild.get_channel(self.channel_id)
def channel(self): """Optional[:class:`TextChannel`]: The text channel this webhook belongs to. If this is a partial webhook, then this will always return ``None``. """ guild = self.guild return guild and guild.get_channel(self.channel_id)
[ "Optional", "[", ":", "class", ":", "TextChannel", "]", ":", "The", "text", "channel", "this", "webhook", "belongs", "to", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/webhook.py#L511-L517
[ "def", "channel", "(", "self", ")", ":", "guild", "=", "self", ".", "guild", "return", "guild", "and", "guild", ".", "get_channel", "(", "self", ".", "channel_id", ")" ]
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
Webhook.avatar_url_as
Returns a friendly URL version of the avatar the webhook has. If the webhook does not have a traditional avatar, their default avatar URL is returned instead. The format must be one of 'jpeg', 'jpg', or 'png'. The size must be a power of 2 between 16 and 1024. Parameters ----------- format: Optional[:class:`str`] The format to attempt to convert the avatar to. If the format is ``None``, then it is equivalent to png. size: :class:`int` The size of the image to display. Raises ------ InvalidArgument Bad image format passed to ``format`` or invalid ``size``. Returns -------- :class:`Asset` The resulting CDN asset.
discord/webhook.py
def avatar_url_as(self, *, format=None, size=1024): """Returns a friendly URL version of the avatar the webhook has. If the webhook does not have a traditional avatar, their default avatar URL is returned instead. The format must be one of 'jpeg', 'jpg', or 'png'. The size must be a power of 2 between 16 and 1024. Parameters ----------- format: Optional[:class:`str`] The format to attempt to convert the avatar to. If the format is ``None``, then it is equivalent to png. size: :class:`int` The size of the image to display. Raises ------ InvalidArgument Bad image format passed to ``format`` or invalid ``size``. Returns -------- :class:`Asset` The resulting CDN asset. """ if self.avatar is None: # Default is always blurple apparently return Asset(self._state, 'https://cdn.discordapp.com/embed/avatars/0.png') if not utils.valid_icon_size(size): raise InvalidArgument("size must be a power of 2 between 16 and 1024") format = format or 'png' if format not in ('png', 'jpg', 'jpeg'): raise InvalidArgument("format must be one of 'png', 'jpg', or 'jpeg'.") url = 'https://cdn.discordapp.com/avatars/{0.id}/{0.avatar}.{1}?size={2}'.format(self, format, size) return Asset(self._state, url)
def avatar_url_as(self, *, format=None, size=1024): """Returns a friendly URL version of the avatar the webhook has. If the webhook does not have a traditional avatar, their default avatar URL is returned instead. The format must be one of 'jpeg', 'jpg', or 'png'. The size must be a power of 2 between 16 and 1024. Parameters ----------- format: Optional[:class:`str`] The format to attempt to convert the avatar to. If the format is ``None``, then it is equivalent to png. size: :class:`int` The size of the image to display. Raises ------ InvalidArgument Bad image format passed to ``format`` or invalid ``size``. Returns -------- :class:`Asset` The resulting CDN asset. """ if self.avatar is None: # Default is always blurple apparently return Asset(self._state, 'https://cdn.discordapp.com/embed/avatars/0.png') if not utils.valid_icon_size(size): raise InvalidArgument("size must be a power of 2 between 16 and 1024") format = format or 'png' if format not in ('png', 'jpg', 'jpeg'): raise InvalidArgument("format must be one of 'png', 'jpg', or 'jpeg'.") url = 'https://cdn.discordapp.com/avatars/{0.id}/{0.avatar}.{1}?size={2}'.format(self, format, size) return Asset(self._state, url)
[ "Returns", "a", "friendly", "URL", "version", "of", "the", "avatar", "the", "webhook", "has", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/webhook.py#L536-L576
[ "def", "avatar_url_as", "(", "self", ",", "*", ",", "format", "=", "None", ",", "size", "=", "1024", ")", ":", "if", "self", ".", "avatar", "is", "None", ":", "# Default is always blurple apparently", "return", "Asset", "(", "self", ".", "_state", ",", "...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
Webhook.edit
|maybecoro| Edits this Webhook. If the webhook is constructed with a :class:`RequestsWebhookAdapter` then this is not a coroutine. Parameters ------------- name: Optional[:class:`str`] The webhook's new default name. avatar: Optional[:class:`bytes`] A :term:`py:bytes-like object` representing the webhook's new default avatar. Raises ------- HTTPException Editing the webhook failed. NotFound This webhook does not exist. Forbidden You do not have permissions to edit this webhook.
discord/webhook.py
def edit(self, **kwargs): """|maybecoro| Edits this Webhook. If the webhook is constructed with a :class:`RequestsWebhookAdapter` then this is not a coroutine. Parameters ------------- name: Optional[:class:`str`] The webhook's new default name. avatar: Optional[:class:`bytes`] A :term:`py:bytes-like object` representing the webhook's new default avatar. Raises ------- HTTPException Editing the webhook failed. NotFound This webhook does not exist. Forbidden You do not have permissions to edit this webhook. """ payload = {} try: name = kwargs['name'] except KeyError: pass else: if name is not None: payload['name'] = str(name) else: payload['name'] = None try: avatar = kwargs['avatar'] except KeyError: pass else: if avatar is not None: payload['avatar'] = utils._bytes_to_base64_data(avatar) else: payload['avatar'] = None return self._adapter.edit_webhook(**payload)
def edit(self, **kwargs): """|maybecoro| Edits this Webhook. If the webhook is constructed with a :class:`RequestsWebhookAdapter` then this is not a coroutine. Parameters ------------- name: Optional[:class:`str`] The webhook's new default name. avatar: Optional[:class:`bytes`] A :term:`py:bytes-like object` representing the webhook's new default avatar. Raises ------- HTTPException Editing the webhook failed. NotFound This webhook does not exist. Forbidden You do not have permissions to edit this webhook. """ payload = {} try: name = kwargs['name'] except KeyError: pass else: if name is not None: payload['name'] = str(name) else: payload['name'] = None try: avatar = kwargs['avatar'] except KeyError: pass else: if avatar is not None: payload['avatar'] = utils._bytes_to_base64_data(avatar) else: payload['avatar'] = None return self._adapter.edit_webhook(**payload)
[ "|maybecoro|" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/webhook.py#L597-L643
[ "def", "edit", "(", "self", ",", "*", "*", "kwargs", ")", ":", "payload", "=", "{", "}", "try", ":", "name", "=", "kwargs", "[", "'name'", "]", "except", "KeyError", ":", "pass", "else", ":", "if", "name", "is", "not", "None", ":", "payload", "["...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
Webhook.send
|maybecoro| Sends a message using the webhook. If the webhook is constructed with a :class:`RequestsWebhookAdapter` then this is not a coroutine. The content must be a type that can convert to a string through ``str(content)``. To upload a single file, the ``file`` parameter should be used with a single :class:`File` object. If the ``embed`` parameter is provided, it must be of type :class:`Embed` and it must be a rich embed type. You cannot mix the ``embed`` parameter with the ``embeds`` parameter, which must be a :class:`list` of :class:`Embed` objects to send. Parameters ------------ content: :class:`str` The content of the message to send. wait: :class:`bool` Whether the server should wait before sending a response. This essentially means that the return type of this function changes from ``None`` to a :class:`Message` if set to ``True``. username: :class:`str` The username to send with this message. If no username is provided then the default username for the webhook is used. avatar_url: Union[:class:`str`, :class:`Asset`] The avatar URL to send with this message. If no avatar URL is provided then the default avatar for the webhook is used. tts: :class:`bool` Indicates if the message should be sent using text-to-speech. file: :class:`File` The file to upload. This cannot be mixed with ``files`` parameter. files: List[:class:`File`] A list of files to send with the content. This cannot be mixed with the ``file`` parameter. embed: :class:`Embed` The rich embed for the content to send. This cannot be mixed with ``embeds`` parameter. embeds: List[:class:`Embed`] A list of embeds to send with the content. Maximum of 10. This cannot be mixed with the ``embed`` parameter. Raises -------- HTTPException Sending the message failed. NotFound This webhook was not found. Forbidden The authorization token for the webhook is incorrect. InvalidArgument You specified both ``embed`` and ``embeds`` or the length of ``embeds`` was invalid. Returns --------- Optional[:class:`Message`] The message that was sent.
discord/webhook.py
def send(self, content=None, *, wait=False, username=None, avatar_url=None, tts=False, file=None, files=None, embed=None, embeds=None): """|maybecoro| Sends a message using the webhook. If the webhook is constructed with a :class:`RequestsWebhookAdapter` then this is not a coroutine. The content must be a type that can convert to a string through ``str(content)``. To upload a single file, the ``file`` parameter should be used with a single :class:`File` object. If the ``embed`` parameter is provided, it must be of type :class:`Embed` and it must be a rich embed type. You cannot mix the ``embed`` parameter with the ``embeds`` parameter, which must be a :class:`list` of :class:`Embed` objects to send. Parameters ------------ content: :class:`str` The content of the message to send. wait: :class:`bool` Whether the server should wait before sending a response. This essentially means that the return type of this function changes from ``None`` to a :class:`Message` if set to ``True``. username: :class:`str` The username to send with this message. If no username is provided then the default username for the webhook is used. avatar_url: Union[:class:`str`, :class:`Asset`] The avatar URL to send with this message. If no avatar URL is provided then the default avatar for the webhook is used. tts: :class:`bool` Indicates if the message should be sent using text-to-speech. file: :class:`File` The file to upload. This cannot be mixed with ``files`` parameter. files: List[:class:`File`] A list of files to send with the content. This cannot be mixed with the ``file`` parameter. embed: :class:`Embed` The rich embed for the content to send. This cannot be mixed with ``embeds`` parameter. embeds: List[:class:`Embed`] A list of embeds to send with the content. Maximum of 10. This cannot be mixed with the ``embed`` parameter. Raises -------- HTTPException Sending the message failed. NotFound This webhook was not found. Forbidden The authorization token for the webhook is incorrect. InvalidArgument You specified both ``embed`` and ``embeds`` or the length of ``embeds`` was invalid. Returns --------- Optional[:class:`Message`] The message that was sent. """ payload = {} if files is not None and file is not None: raise InvalidArgument('Cannot mix file and files keyword arguments.') if embeds is not None and embed is not None: raise InvalidArgument('Cannot mix embed and embeds keyword arguments.') if embeds is not None: if len(embeds) > 10: raise InvalidArgument('embeds has a maximum of 10 elements.') payload['embeds'] = [e.to_dict() for e in embeds] if embed is not None: payload['embeds'] = [embed.to_dict()] if content is not None: payload['content'] = str(content) payload['tts'] = tts if avatar_url: payload['avatar_url'] = str(avatar_url) if username: payload['username'] = username return self._adapter.execute_webhook(wait=wait, file=file, files=files, payload=payload)
def send(self, content=None, *, wait=False, username=None, avatar_url=None, tts=False, file=None, files=None, embed=None, embeds=None): """|maybecoro| Sends a message using the webhook. If the webhook is constructed with a :class:`RequestsWebhookAdapter` then this is not a coroutine. The content must be a type that can convert to a string through ``str(content)``. To upload a single file, the ``file`` parameter should be used with a single :class:`File` object. If the ``embed`` parameter is provided, it must be of type :class:`Embed` and it must be a rich embed type. You cannot mix the ``embed`` parameter with the ``embeds`` parameter, which must be a :class:`list` of :class:`Embed` objects to send. Parameters ------------ content: :class:`str` The content of the message to send. wait: :class:`bool` Whether the server should wait before sending a response. This essentially means that the return type of this function changes from ``None`` to a :class:`Message` if set to ``True``. username: :class:`str` The username to send with this message. If no username is provided then the default username for the webhook is used. avatar_url: Union[:class:`str`, :class:`Asset`] The avatar URL to send with this message. If no avatar URL is provided then the default avatar for the webhook is used. tts: :class:`bool` Indicates if the message should be sent using text-to-speech. file: :class:`File` The file to upload. This cannot be mixed with ``files`` parameter. files: List[:class:`File`] A list of files to send with the content. This cannot be mixed with the ``file`` parameter. embed: :class:`Embed` The rich embed for the content to send. This cannot be mixed with ``embeds`` parameter. embeds: List[:class:`Embed`] A list of embeds to send with the content. Maximum of 10. This cannot be mixed with the ``embed`` parameter. Raises -------- HTTPException Sending the message failed. NotFound This webhook was not found. Forbidden The authorization token for the webhook is incorrect. InvalidArgument You specified both ``embed`` and ``embeds`` or the length of ``embeds`` was invalid. Returns --------- Optional[:class:`Message`] The message that was sent. """ payload = {} if files is not None and file is not None: raise InvalidArgument('Cannot mix file and files keyword arguments.') if embeds is not None and embed is not None: raise InvalidArgument('Cannot mix embed and embeds keyword arguments.') if embeds is not None: if len(embeds) > 10: raise InvalidArgument('embeds has a maximum of 10 elements.') payload['embeds'] = [e.to_dict() for e in embeds] if embed is not None: payload['embeds'] = [embed.to_dict()] if content is not None: payload['content'] = str(content) payload['tts'] = tts if avatar_url: payload['avatar_url'] = str(avatar_url) if username: payload['username'] = username return self._adapter.execute_webhook(wait=wait, file=file, files=files, payload=payload)
[ "|maybecoro|" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/webhook.py#L645-L733
[ "def", "send", "(", "self", ",", "content", "=", "None", ",", "*", ",", "wait", "=", "False", ",", "username", "=", "None", ",", "avatar_url", "=", "None", ",", "tts", "=", "False", ",", "file", "=", "None", ",", "files", "=", "None", ",", "embed...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
Reaction.users
Returns an :class:`AsyncIterator` representing the users that have reacted to the message. The ``after`` parameter must represent a member and meet the :class:`abc.Snowflake` abc. Examples --------- Usage :: # I do not actually recommend doing this. async for user in reaction.users(): await channel.send('{0} has reacted with {1.emoji}!'.format(user, reaction)) Flattening into a list: :: users = await reaction.users().flatten() # users is now a list... winner = random.choice(users) await channel.send('{} has won the raffle.'.format(winner)) Parameters ------------ limit: :class:`int` The maximum number of results to return. If not provided, returns all the users who reacted to the message. after: :class:`abc.Snowflake` For pagination, reactions are sorted by member. Raises -------- HTTPException Getting the users for the reaction failed. Yields -------- Union[:class:`User`, :class:`Member`] The member (if retrievable) or the user that has reacted to this message. The case where it can be a :class:`Member` is in a guild message context. Sometimes it can be a :class:`User` if the member has left the guild.
discord/reaction.py
def users(self, limit=None, after=None): """Returns an :class:`AsyncIterator` representing the users that have reacted to the message. The ``after`` parameter must represent a member and meet the :class:`abc.Snowflake` abc. Examples --------- Usage :: # I do not actually recommend doing this. async for user in reaction.users(): await channel.send('{0} has reacted with {1.emoji}!'.format(user, reaction)) Flattening into a list: :: users = await reaction.users().flatten() # users is now a list... winner = random.choice(users) await channel.send('{} has won the raffle.'.format(winner)) Parameters ------------ limit: :class:`int` The maximum number of results to return. If not provided, returns all the users who reacted to the message. after: :class:`abc.Snowflake` For pagination, reactions are sorted by member. Raises -------- HTTPException Getting the users for the reaction failed. Yields -------- Union[:class:`User`, :class:`Member`] The member (if retrievable) or the user that has reacted to this message. The case where it can be a :class:`Member` is in a guild message context. Sometimes it can be a :class:`User` if the member has left the guild. """ if self.custom_emoji: emoji = '{0.name}:{0.id}'.format(self.emoji) else: emoji = self.emoji if limit is None: limit = self.count return ReactionIterator(self.message, emoji, limit, after)
def users(self, limit=None, after=None): """Returns an :class:`AsyncIterator` representing the users that have reacted to the message. The ``after`` parameter must represent a member and meet the :class:`abc.Snowflake` abc. Examples --------- Usage :: # I do not actually recommend doing this. async for user in reaction.users(): await channel.send('{0} has reacted with {1.emoji}!'.format(user, reaction)) Flattening into a list: :: users = await reaction.users().flatten() # users is now a list... winner = random.choice(users) await channel.send('{} has won the raffle.'.format(winner)) Parameters ------------ limit: :class:`int` The maximum number of results to return. If not provided, returns all the users who reacted to the message. after: :class:`abc.Snowflake` For pagination, reactions are sorted by member. Raises -------- HTTPException Getting the users for the reaction failed. Yields -------- Union[:class:`User`, :class:`Member`] The member (if retrievable) or the user that has reacted to this message. The case where it can be a :class:`Member` is in a guild message context. Sometimes it can be a :class:`User` if the member has left the guild. """ if self.custom_emoji: emoji = '{0.name}:{0.id}'.format(self.emoji) else: emoji = self.emoji if limit is None: limit = self.count return ReactionIterator(self.message, emoji, limit, after)
[ "Returns", "an", ":", "class", ":", "AsyncIterator", "representing", "the", "users", "that", "have", "reacted", "to", "the", "message", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/reaction.py#L124-L177
[ "def", "users", "(", "self", ",", "limit", "=", "None", ",", "after", "=", "None", ")", ":", "if", "self", ".", "custom_emoji", ":", "emoji", "=", "'{0.name}:{0.id}'", ".", "format", "(", "self", ".", "emoji", ")", "else", ":", "emoji", "=", "self", ...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
TextChannel.members
Returns a :class:`list` of :class:`Member` that can see this channel.
discord/channel.py
def members(self): """Returns a :class:`list` of :class:`Member` that can see this channel.""" return [m for m in self.guild.members if self.permissions_for(m).read_messages]
def members(self): """Returns a :class:`list` of :class:`Member` that can see this channel.""" return [m for m in self.guild.members if self.permissions_for(m).read_messages]
[ "Returns", "a", ":", "class", ":", "list", "of", ":", "class", ":", "Member", "that", "can", "see", "this", "channel", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/channel.py#L143-L145
[ "def", "members", "(", "self", ")", ":", "return", "[", "m", "for", "m", "in", "self", ".", "guild", ".", "members", "if", "self", ".", "permissions_for", "(", "m", ")", ".", "read_messages", "]" ]
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
TextChannel.delete_messages
|coro| Deletes a list of messages. This is similar to :meth:`Message.delete` except it bulk deletes multiple messages. As a special case, if the number of messages is 0, then nothing is done. If the number of messages is 1 then single message delete is done. If it's more than two, then bulk delete is used. You cannot bulk delete more than 100 messages or messages that are older than 14 days old. You must have the :attr:`~Permissions.manage_messages` permission to use this. Usable only by bot accounts. Parameters ----------- messages: Iterable[:class:`abc.Snowflake`] An iterable of messages denoting which ones to bulk delete. Raises ------ ClientException The number of messages to delete was more than 100. Forbidden You do not have proper permissions to delete the messages or you're not using a bot account. HTTPException Deleting the messages failed.
discord/channel.py
async def delete_messages(self, messages): """|coro| Deletes a list of messages. This is similar to :meth:`Message.delete` except it bulk deletes multiple messages. As a special case, if the number of messages is 0, then nothing is done. If the number of messages is 1 then single message delete is done. If it's more than two, then bulk delete is used. You cannot bulk delete more than 100 messages or messages that are older than 14 days old. You must have the :attr:`~Permissions.manage_messages` permission to use this. Usable only by bot accounts. Parameters ----------- messages: Iterable[:class:`abc.Snowflake`] An iterable of messages denoting which ones to bulk delete. Raises ------ ClientException The number of messages to delete was more than 100. Forbidden You do not have proper permissions to delete the messages or you're not using a bot account. HTTPException Deleting the messages failed. """ if not isinstance(messages, (list, tuple)): messages = list(messages) if len(messages) == 0: return # do nothing if len(messages) == 1: message_id = messages[0].id await self._state.http.delete_message(self.id, message_id) return if len(messages) > 100: raise ClientException('Can only bulk delete messages up to 100 messages') message_ids = [m.id for m in messages] await self._state.http.delete_messages(self.id, message_ids)
async def delete_messages(self, messages): """|coro| Deletes a list of messages. This is similar to :meth:`Message.delete` except it bulk deletes multiple messages. As a special case, if the number of messages is 0, then nothing is done. If the number of messages is 1 then single message delete is done. If it's more than two, then bulk delete is used. You cannot bulk delete more than 100 messages or messages that are older than 14 days old. You must have the :attr:`~Permissions.manage_messages` permission to use this. Usable only by bot accounts. Parameters ----------- messages: Iterable[:class:`abc.Snowflake`] An iterable of messages denoting which ones to bulk delete. Raises ------ ClientException The number of messages to delete was more than 100. Forbidden You do not have proper permissions to delete the messages or you're not using a bot account. HTTPException Deleting the messages failed. """ if not isinstance(messages, (list, tuple)): messages = list(messages) if len(messages) == 0: return # do nothing if len(messages) == 1: message_id = messages[0].id await self._state.http.delete_message(self.id, message_id) return if len(messages) > 100: raise ClientException('Can only bulk delete messages up to 100 messages') message_ids = [m.id for m in messages] await self._state.http.delete_messages(self.id, message_ids)
[ "|coro|" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/channel.py#L226-L274
[ "async", "def", "delete_messages", "(", "self", ",", "messages", ")", ":", "if", "not", "isinstance", "(", "messages", ",", "(", "list", ",", "tuple", ")", ")", ":", "messages", "=", "list", "(", "messages", ")", "if", "len", "(", "messages", ")", "=...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
TextChannel.purge
|coro| Purges a list of messages that meet the criteria given by the predicate ``check``. If a ``check`` is not provided then all messages are deleted without discrimination. You must have the :attr:`~Permissions.manage_messages` permission to delete messages even if they are your own (unless you are a user account). The :attr:`~Permissions.read_message_history` permission is also needed to retrieve message history. Internally, this employs a different number of strategies depending on the conditions met such as if a bulk delete is possible or if the account is a user bot or not. Examples --------- Deleting bot's messages :: def is_me(m): return m.author == client.user deleted = await channel.purge(limit=100, check=is_me) await channel.send('Deleted {} message(s)'.format(len(deleted))) Parameters ----------- limit: Optional[:class:`int`] The number of messages to search through. This is not the number of messages that will be deleted, though it can be. check: predicate The function used to check if a message should be deleted. It must take a :class:`Message` as its sole parameter. before Same as ``before`` in :meth:`history`. after Same as ``after`` in :meth:`history`. around Same as ``around`` in :meth:`history`. oldest_first Same as ``oldest_first`` in :meth:`history`. bulk: :class:`bool` If True, use bulk delete. bulk=False is useful for mass-deleting a bot's own messages without manage_messages. When True, will fall back to single delete if current account is a user bot, or if messages are older than two weeks. Raises ------- Forbidden You do not have proper permissions to do the actions required. HTTPException Purging the messages failed. Returns -------- List[:class:`.Message`] The list of messages that were deleted.
discord/channel.py
async def purge(self, *, limit=100, check=None, before=None, after=None, around=None, oldest_first=False, bulk=True): """|coro| Purges a list of messages that meet the criteria given by the predicate ``check``. If a ``check`` is not provided then all messages are deleted without discrimination. You must have the :attr:`~Permissions.manage_messages` permission to delete messages even if they are your own (unless you are a user account). The :attr:`~Permissions.read_message_history` permission is also needed to retrieve message history. Internally, this employs a different number of strategies depending on the conditions met such as if a bulk delete is possible or if the account is a user bot or not. Examples --------- Deleting bot's messages :: def is_me(m): return m.author == client.user deleted = await channel.purge(limit=100, check=is_me) await channel.send('Deleted {} message(s)'.format(len(deleted))) Parameters ----------- limit: Optional[:class:`int`] The number of messages to search through. This is not the number of messages that will be deleted, though it can be. check: predicate The function used to check if a message should be deleted. It must take a :class:`Message` as its sole parameter. before Same as ``before`` in :meth:`history`. after Same as ``after`` in :meth:`history`. around Same as ``around`` in :meth:`history`. oldest_first Same as ``oldest_first`` in :meth:`history`. bulk: :class:`bool` If True, use bulk delete. bulk=False is useful for mass-deleting a bot's own messages without manage_messages. When True, will fall back to single delete if current account is a user bot, or if messages are older than two weeks. Raises ------- Forbidden You do not have proper permissions to do the actions required. HTTPException Purging the messages failed. Returns -------- List[:class:`.Message`] The list of messages that were deleted. """ if check is None: check = lambda m: True iterator = self.history(limit=limit, before=before, after=after, oldest_first=oldest_first, around=around) ret = [] count = 0 minimum_time = int((time.time() - 14 * 24 * 60 * 60) * 1000.0 - 1420070400000) << 22 strategy = self.delete_messages if self._state.is_bot and bulk else _single_delete_strategy while True: try: msg = await iterator.next() except NoMoreItems: # no more messages to poll if count >= 2: # more than 2 messages -> bulk delete to_delete = ret[-count:] await strategy(to_delete) elif count == 1: # delete a single message await ret[-1].delete() return ret else: if count == 100: # we've reached a full 'queue' to_delete = ret[-100:] await strategy(to_delete) count = 0 await asyncio.sleep(1) if check(msg): if msg.id < minimum_time: # older than 14 days old if count == 1: await ret[-1].delete() elif count >= 2: to_delete = ret[-count:] await strategy(to_delete) count = 0 strategy = _single_delete_strategy count += 1 ret.append(msg)
async def purge(self, *, limit=100, check=None, before=None, after=None, around=None, oldest_first=False, bulk=True): """|coro| Purges a list of messages that meet the criteria given by the predicate ``check``. If a ``check`` is not provided then all messages are deleted without discrimination. You must have the :attr:`~Permissions.manage_messages` permission to delete messages even if they are your own (unless you are a user account). The :attr:`~Permissions.read_message_history` permission is also needed to retrieve message history. Internally, this employs a different number of strategies depending on the conditions met such as if a bulk delete is possible or if the account is a user bot or not. Examples --------- Deleting bot's messages :: def is_me(m): return m.author == client.user deleted = await channel.purge(limit=100, check=is_me) await channel.send('Deleted {} message(s)'.format(len(deleted))) Parameters ----------- limit: Optional[:class:`int`] The number of messages to search through. This is not the number of messages that will be deleted, though it can be. check: predicate The function used to check if a message should be deleted. It must take a :class:`Message` as its sole parameter. before Same as ``before`` in :meth:`history`. after Same as ``after`` in :meth:`history`. around Same as ``around`` in :meth:`history`. oldest_first Same as ``oldest_first`` in :meth:`history`. bulk: :class:`bool` If True, use bulk delete. bulk=False is useful for mass-deleting a bot's own messages without manage_messages. When True, will fall back to single delete if current account is a user bot, or if messages are older than two weeks. Raises ------- Forbidden You do not have proper permissions to do the actions required. HTTPException Purging the messages failed. Returns -------- List[:class:`.Message`] The list of messages that were deleted. """ if check is None: check = lambda m: True iterator = self.history(limit=limit, before=before, after=after, oldest_first=oldest_first, around=around) ret = [] count = 0 minimum_time = int((time.time() - 14 * 24 * 60 * 60) * 1000.0 - 1420070400000) << 22 strategy = self.delete_messages if self._state.is_bot and bulk else _single_delete_strategy while True: try: msg = await iterator.next() except NoMoreItems: # no more messages to poll if count >= 2: # more than 2 messages -> bulk delete to_delete = ret[-count:] await strategy(to_delete) elif count == 1: # delete a single message await ret[-1].delete() return ret else: if count == 100: # we've reached a full 'queue' to_delete = ret[-100:] await strategy(to_delete) count = 0 await asyncio.sleep(1) if check(msg): if msg.id < minimum_time: # older than 14 days old if count == 1: await ret[-1].delete() elif count >= 2: to_delete = ret[-count:] await strategy(to_delete) count = 0 strategy = _single_delete_strategy count += 1 ret.append(msg)
[ "|coro|" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/channel.py#L276-L383
[ "async", "def", "purge", "(", "self", ",", "*", ",", "limit", "=", "100", ",", "check", "=", "None", ",", "before", "=", "None", ",", "after", "=", "None", ",", "around", "=", "None", ",", "oldest_first", "=", "False", ",", "bulk", "=", "True", "...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
TextChannel.webhooks
|coro| Gets the list of webhooks from this channel. Requires :attr:`~.Permissions.manage_webhooks` permissions. Raises ------- Forbidden You don't have permissions to get the webhooks. Returns -------- List[:class:`Webhook`] The webhooks for this channel.
discord/channel.py
async def webhooks(self): """|coro| Gets the list of webhooks from this channel. Requires :attr:`~.Permissions.manage_webhooks` permissions. Raises ------- Forbidden You don't have permissions to get the webhooks. Returns -------- List[:class:`Webhook`] The webhooks for this channel. """ data = await self._state.http.channel_webhooks(self.id) return [Webhook.from_state(d, state=self._state) for d in data]
async def webhooks(self): """|coro| Gets the list of webhooks from this channel. Requires :attr:`~.Permissions.manage_webhooks` permissions. Raises ------- Forbidden You don't have permissions to get the webhooks. Returns -------- List[:class:`Webhook`] The webhooks for this channel. """ data = await self._state.http.channel_webhooks(self.id) return [Webhook.from_state(d, state=self._state) for d in data]
[ "|coro|" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/channel.py#L385-L404
[ "async", "def", "webhooks", "(", "self", ")", ":", "data", "=", "await", "self", ".", "_state", ".", "http", ".", "channel_webhooks", "(", "self", ".", "id", ")", "return", "[", "Webhook", ".", "from_state", "(", "d", ",", "state", "=", "self", ".", ...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
TextChannel.create_webhook
|coro| Creates a webhook for this channel. Requires :attr:`~.Permissions.manage_webhooks` permissions. .. versionchanged:: 1.1.0 Added the ``reason`` keyword-only parameter. Parameters ------------- name: :class:`str` The webhook's name. avatar: Optional[:class:`bytes`] A :term:`py:bytes-like object` representing the webhook's default avatar. This operates similarly to :meth:`~ClientUser.edit`. reason: Optional[:class:`str`] The reason for creating this webhook. Shows up in the audit logs. Raises ------- HTTPException Creating the webhook failed. Forbidden You do not have permissions to create a webhook. Returns -------- :class:`Webhook` The created webhook.
discord/channel.py
async def create_webhook(self, *, name, avatar=None, reason=None): """|coro| Creates a webhook for this channel. Requires :attr:`~.Permissions.manage_webhooks` permissions. .. versionchanged:: 1.1.0 Added the ``reason`` keyword-only parameter. Parameters ------------- name: :class:`str` The webhook's name. avatar: Optional[:class:`bytes`] A :term:`py:bytes-like object` representing the webhook's default avatar. This operates similarly to :meth:`~ClientUser.edit`. reason: Optional[:class:`str`] The reason for creating this webhook. Shows up in the audit logs. Raises ------- HTTPException Creating the webhook failed. Forbidden You do not have permissions to create a webhook. Returns -------- :class:`Webhook` The created webhook. """ if avatar is not None: avatar = utils._bytes_to_base64_data(avatar) data = await self._state.http.create_webhook(self.id, name=str(name), avatar=avatar, reason=reason) return Webhook.from_state(data, state=self._state)
async def create_webhook(self, *, name, avatar=None, reason=None): """|coro| Creates a webhook for this channel. Requires :attr:`~.Permissions.manage_webhooks` permissions. .. versionchanged:: 1.1.0 Added the ``reason`` keyword-only parameter. Parameters ------------- name: :class:`str` The webhook's name. avatar: Optional[:class:`bytes`] A :term:`py:bytes-like object` representing the webhook's default avatar. This operates similarly to :meth:`~ClientUser.edit`. reason: Optional[:class:`str`] The reason for creating this webhook. Shows up in the audit logs. Raises ------- HTTPException Creating the webhook failed. Forbidden You do not have permissions to create a webhook. Returns -------- :class:`Webhook` The created webhook. """ if avatar is not None: avatar = utils._bytes_to_base64_data(avatar) data = await self._state.http.create_webhook(self.id, name=str(name), avatar=avatar, reason=reason) return Webhook.from_state(data, state=self._state)
[ "|coro|" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/channel.py#L406-L443
[ "async", "def", "create_webhook", "(", "self", ",", "*", ",", "name", ",", "avatar", "=", "None", ",", "reason", "=", "None", ")", ":", "if", "avatar", "is", "not", "None", ":", "avatar", "=", "utils", ".", "_bytes_to_base64_data", "(", "avatar", ")", ...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
VoiceChannel.members
Returns a list of :class:`Member` that are currently inside this voice channel.
discord/channel.py
def members(self): """Returns a list of :class:`Member` that are currently inside this voice channel.""" ret = [] for user_id, state in self.guild._voice_states.items(): if state.channel.id == self.id: member = self.guild.get_member(user_id) if member is not None: ret.append(member) return ret
def members(self): """Returns a list of :class:`Member` that are currently inside this voice channel.""" ret = [] for user_id, state in self.guild._voice_states.items(): if state.channel.id == self.id: member = self.guild.get_member(user_id) if member is not None: ret.append(member) return ret
[ "Returns", "a", "list", "of", ":", "class", ":", "Member", "that", "are", "currently", "inside", "this", "voice", "channel", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/channel.py#L520-L528
[ "def", "members", "(", "self", ")", ":", "ret", "=", "[", "]", "for", "user_id", ",", "state", "in", "self", ".", "guild", ".", "_voice_states", ".", "items", "(", ")", ":", "if", "state", ".", "channel", ".", "id", "==", "self", ".", "id", ":", ...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
CategoryChannel.edit
|coro| Edits the channel. You must have the :attr:`~Permissions.manage_channels` permission to use this. Parameters ---------- name: :class:`str` The new category's name. position: :class:`int` The new category's position. nsfw: :class:`bool` To mark the category as NSFW or not. reason: Optional[:class:`str`] The reason for editing this category. Shows up on the audit log. Raises ------ InvalidArgument If position is less than 0 or greater than the number of categories. Forbidden You do not have permissions to edit the category. HTTPException Editing the category failed.
discord/channel.py
async def edit(self, *, reason=None, **options): """|coro| Edits the channel. You must have the :attr:`~Permissions.manage_channels` permission to use this. Parameters ---------- name: :class:`str` The new category's name. position: :class:`int` The new category's position. nsfw: :class:`bool` To mark the category as NSFW or not. reason: Optional[:class:`str`] The reason for editing this category. Shows up on the audit log. Raises ------ InvalidArgument If position is less than 0 or greater than the number of categories. Forbidden You do not have permissions to edit the category. HTTPException Editing the category failed. """ try: position = options.pop('position') except KeyError: pass else: await self._move(position, reason=reason) self.position = position if options: data = await self._state.http.edit_channel(self.id, reason=reason, **options) self._update(self.guild, data)
async def edit(self, *, reason=None, **options): """|coro| Edits the channel. You must have the :attr:`~Permissions.manage_channels` permission to use this. Parameters ---------- name: :class:`str` The new category's name. position: :class:`int` The new category's position. nsfw: :class:`bool` To mark the category as NSFW or not. reason: Optional[:class:`str`] The reason for editing this category. Shows up on the audit log. Raises ------ InvalidArgument If position is less than 0 or greater than the number of categories. Forbidden You do not have permissions to edit the category. HTTPException Editing the category failed. """ try: position = options.pop('position') except KeyError: pass else: await self._move(position, reason=reason) self.position = position if options: data = await self._state.http.edit_channel(self.id, reason=reason, **options) self._update(self.guild, data)
[ "|coro|" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/channel.py#L661-L700
[ "async", "def", "edit", "(", "self", ",", "*", ",", "reason", "=", "None", ",", "*", "*", "options", ")", ":", "try", ":", "position", "=", "options", ".", "pop", "(", "'position'", ")", "except", "KeyError", ":", "pass", "else", ":", "await", "sel...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
CategoryChannel.channels
List[:class:`abc.GuildChannel`]: Returns the channels that are under this category. These are sorted by the official Discord UI, which places voice channels below the text channels.
discord/channel.py
def channels(self): """List[:class:`abc.GuildChannel`]: Returns the channels that are under this category. These are sorted by the official Discord UI, which places voice channels below the text channels. """ def comparator(channel): return (not isinstance(channel, TextChannel), channel.position) ret = [c for c in self.guild.channels if c.category_id == self.id] ret.sort(key=comparator) return ret
def channels(self): """List[:class:`abc.GuildChannel`]: Returns the channels that are under this category. These are sorted by the official Discord UI, which places voice channels below the text channels. """ def comparator(channel): return (not isinstance(channel, TextChannel), channel.position) ret = [c for c in self.guild.channels if c.category_id == self.id] ret.sort(key=comparator) return ret
[ "List", "[", ":", "class", ":", "abc", ".", "GuildChannel", "]", ":", "Returns", "the", "channels", "that", "are", "under", "this", "category", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/channel.py#L703-L713
[ "def", "channels", "(", "self", ")", ":", "def", "comparator", "(", "channel", ")", ":", "return", "(", "not", "isinstance", "(", "channel", ",", "TextChannel", ")", ",", "channel", ".", "position", ")", "ret", "=", "[", "c", "for", "c", "in", "self"...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
CategoryChannel.text_channels
List[:class:`TextChannel`]: Returns the text channels that are under this category.
discord/channel.py
def text_channels(self): """List[:class:`TextChannel`]: Returns the text channels that are under this category.""" ret = [c for c in self.guild.channels if c.category_id == self.id and isinstance(c, TextChannel)] ret.sort(key=lambda c: (c.position, c.id)) return ret
def text_channels(self): """List[:class:`TextChannel`]: Returns the text channels that are under this category.""" ret = [c for c in self.guild.channels if c.category_id == self.id and isinstance(c, TextChannel)] ret.sort(key=lambda c: (c.position, c.id)) return ret
[ "List", "[", ":", "class", ":", "TextChannel", "]", ":", "Returns", "the", "text", "channels", "that", "are", "under", "this", "category", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/channel.py#L716-L722
[ "def", "text_channels", "(", "self", ")", ":", "ret", "=", "[", "c", "for", "c", "in", "self", ".", "guild", ".", "channels", "if", "c", ".", "category_id", "==", "self", ".", "id", "and", "isinstance", "(", "c", ",", "TextChannel", ")", "]", "ret"...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
CategoryChannel.voice_channels
List[:class:`VoiceChannel`]: Returns the voice channels that are under this category.
discord/channel.py
def voice_channels(self): """List[:class:`VoiceChannel`]: Returns the voice channels that are under this category.""" ret = [c for c in self.guild.channels if c.category_id == self.id and isinstance(c, VoiceChannel)] ret.sort(key=lambda c: (c.position, c.id)) return ret
def voice_channels(self): """List[:class:`VoiceChannel`]: Returns the voice channels that are under this category.""" ret = [c for c in self.guild.channels if c.category_id == self.id and isinstance(c, VoiceChannel)] ret.sort(key=lambda c: (c.position, c.id)) return ret
[ "List", "[", ":", "class", ":", "VoiceChannel", "]", ":", "Returns", "the", "voice", "channels", "that", "are", "under", "this", "category", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/channel.py#L725-L731
[ "def", "voice_channels", "(", "self", ")", ":", "ret", "=", "[", "c", "for", "c", "in", "self", ".", "guild", ".", "channels", "if", "c", ".", "category_id", "==", "self", ".", "id", "and", "isinstance", "(", "c", ",", "VoiceChannel", ")", "]", "re...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
CategoryChannel.create_text_channel
|coro| A shortcut method to :meth:`Guild.create_text_channel` to create a :class:`TextChannel` in the category.
discord/channel.py
async def create_text_channel(self, name, *, overwrites=None, reason=None, **options): """|coro| A shortcut method to :meth:`Guild.create_text_channel` to create a :class:`TextChannel` in the category. """ return await self.guild.create_text_channel(name, overwrites=overwrites, category=self, reason=reason, **options)
async def create_text_channel(self, name, *, overwrites=None, reason=None, **options): """|coro| A shortcut method to :meth:`Guild.create_text_channel` to create a :class:`TextChannel` in the category. """ return await self.guild.create_text_channel(name, overwrites=overwrites, category=self, reason=reason, **options)
[ "|coro|" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/channel.py#L733-L738
[ "async", "def", "create_text_channel", "(", "self", ",", "name", ",", "*", ",", "overwrites", "=", "None", ",", "reason", "=", "None", ",", "*", "*", "options", ")", ":", "return", "await", "self", ".", "guild", ".", "create_text_channel", "(", "name", ...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
CategoryChannel.create_voice_channel
|coro| A shortcut method to :meth:`Guild.create_voice_channel` to create a :class:`VoiceChannel` in the category.
discord/channel.py
async def create_voice_channel(self, name, *, overwrites=None, reason=None, **options): """|coro| A shortcut method to :meth:`Guild.create_voice_channel` to create a :class:`VoiceChannel` in the category. """ return await self.guild.create_voice_channel(name, overwrites=overwrites, category=self, reason=reason, **options)
async def create_voice_channel(self, name, *, overwrites=None, reason=None, **options): """|coro| A shortcut method to :meth:`Guild.create_voice_channel` to create a :class:`VoiceChannel` in the category. """ return await self.guild.create_voice_channel(name, overwrites=overwrites, category=self, reason=reason, **options)
[ "|coro|" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/channel.py#L740-L745
[ "async", "def", "create_voice_channel", "(", "self", ",", "name", ",", "*", ",", "overwrites", "=", "None", ",", "reason", "=", "None", ",", "*", "*", "options", ")", ":", "return", "await", "self", ".", "guild", ".", "create_voice_channel", "(", "name",...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
DMChannel.permissions_for
Handles permission resolution for a :class:`User`. This function is there for compatibility with other channel types. Actual direct messages do not really have the concept of permissions. This returns all the Text related permissions set to true except: - send_tts_messages: You cannot send TTS messages in a DM. - manage_messages: You cannot delete others messages in a DM. Parameters ----------- user: :class:`User` The user to check permissions for. This parameter is ignored but kept for compatibility. Returns -------- :class:`Permissions` The resolved permissions.
discord/channel.py
def permissions_for(self, user=None): """Handles permission resolution for a :class:`User`. This function is there for compatibility with other channel types. Actual direct messages do not really have the concept of permissions. This returns all the Text related permissions set to true except: - send_tts_messages: You cannot send TTS messages in a DM. - manage_messages: You cannot delete others messages in a DM. Parameters ----------- user: :class:`User` The user to check permissions for. This parameter is ignored but kept for compatibility. Returns -------- :class:`Permissions` The resolved permissions. """ base = Permissions.text() base.send_tts_messages = False base.manage_messages = False return base
def permissions_for(self, user=None): """Handles permission resolution for a :class:`User`. This function is there for compatibility with other channel types. Actual direct messages do not really have the concept of permissions. This returns all the Text related permissions set to true except: - send_tts_messages: You cannot send TTS messages in a DM. - manage_messages: You cannot delete others messages in a DM. Parameters ----------- user: :class:`User` The user to check permissions for. This parameter is ignored but kept for compatibility. Returns -------- :class:`Permissions` The resolved permissions. """ base = Permissions.text() base.send_tts_messages = False base.manage_messages = False return base
[ "Handles", "permission", "resolution", "for", "a", ":", "class", ":", "User", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/channel.py#L923-L950
[ "def", "permissions_for", "(", "self", ",", "user", "=", "None", ")", ":", "base", "=", "Permissions", ".", "text", "(", ")", "base", ".", "send_tts_messages", "=", "False", "base", ".", "manage_messages", "=", "False", "return", "base" ]
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
GroupChannel.permissions_for
Handles permission resolution for a :class:`User`. This function is there for compatibility with other channel types. Actual direct messages do not really have the concept of permissions. This returns all the Text related permissions set to true except: - send_tts_messages: You cannot send TTS messages in a DM. - manage_messages: You cannot delete others messages in a DM. This also checks the kick_members permission if the user is the owner. Parameters ----------- user: :class:`User` The user to check permissions for. Returns -------- :class:`Permissions` The resolved permissions for the user.
discord/channel.py
def permissions_for(self, user): """Handles permission resolution for a :class:`User`. This function is there for compatibility with other channel types. Actual direct messages do not really have the concept of permissions. This returns all the Text related permissions set to true except: - send_tts_messages: You cannot send TTS messages in a DM. - manage_messages: You cannot delete others messages in a DM. This also checks the kick_members permission if the user is the owner. Parameters ----------- user: :class:`User` The user to check permissions for. Returns -------- :class:`Permissions` The resolved permissions for the user. """ base = Permissions.text() base.send_tts_messages = False base.manage_messages = False base.mention_everyone = True if user.id == self.owner.id: base.kick_members = True return base
def permissions_for(self, user): """Handles permission resolution for a :class:`User`. This function is there for compatibility with other channel types. Actual direct messages do not really have the concept of permissions. This returns all the Text related permissions set to true except: - send_tts_messages: You cannot send TTS messages in a DM. - manage_messages: You cannot delete others messages in a DM. This also checks the kick_members permission if the user is the owner. Parameters ----------- user: :class:`User` The user to check permissions for. Returns -------- :class:`Permissions` The resolved permissions for the user. """ base = Permissions.text() base.send_tts_messages = False base.manage_messages = False base.mention_everyone = True if user.id == self.owner.id: base.kick_members = True return base
[ "Handles", "permission", "resolution", "for", "a", ":", "class", ":", "User", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/channel.py#L1041-L1074
[ "def", "permissions_for", "(", "self", ",", "user", ")", ":", "base", "=", "Permissions", ".", "text", "(", ")", "base", ".", "send_tts_messages", "=", "False", "base", ".", "manage_messages", "=", "False", "base", ".", "mention_everyone", "=", "True", "if...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
GroupChannel.add_recipients
r"""|coro| Adds recipients to this group. A group can only have a maximum of 10 members. Attempting to add more ends up in an exception. To add a recipient to the group, you must have a relationship with the user of type :attr:`RelationshipType.friend`. Parameters ----------- \*recipients: :class:`User` An argument list of users to add to this group. Raises ------- HTTPException Adding a recipient to this group failed.
discord/channel.py
async def add_recipients(self, *recipients): r"""|coro| Adds recipients to this group. A group can only have a maximum of 10 members. Attempting to add more ends up in an exception. To add a recipient to the group, you must have a relationship with the user of type :attr:`RelationshipType.friend`. Parameters ----------- \*recipients: :class:`User` An argument list of users to add to this group. Raises ------- HTTPException Adding a recipient to this group failed. """ # TODO: wait for the corresponding WS event req = self._state.http.add_group_recipient for recipient in recipients: await req(self.id, recipient.id)
async def add_recipients(self, *recipients): r"""|coro| Adds recipients to this group. A group can only have a maximum of 10 members. Attempting to add more ends up in an exception. To add a recipient to the group, you must have a relationship with the user of type :attr:`RelationshipType.friend`. Parameters ----------- \*recipients: :class:`User` An argument list of users to add to this group. Raises ------- HTTPException Adding a recipient to this group failed. """ # TODO: wait for the corresponding WS event req = self._state.http.add_group_recipient for recipient in recipients: await req(self.id, recipient.id)
[ "r", "|coro|" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/channel.py#L1076-L1101
[ "async", "def", "add_recipients", "(", "self", ",", "*", "recipients", ")", ":", "# TODO: wait for the corresponding WS event", "req", "=", "self", ".", "_state", ".", "http", ".", "add_group_recipient", "for", "recipient", "in", "recipients", ":", "await", "req",...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
GroupChannel.remove_recipients
r"""|coro| Removes recipients from this group. Parameters ----------- \*recipients: :class:`User` An argument list of users to remove from this group. Raises ------- HTTPException Removing a recipient from this group failed.
discord/channel.py
async def remove_recipients(self, *recipients): r"""|coro| Removes recipients from this group. Parameters ----------- \*recipients: :class:`User` An argument list of users to remove from this group. Raises ------- HTTPException Removing a recipient from this group failed. """ # TODO: wait for the corresponding WS event req = self._state.http.remove_group_recipient for recipient in recipients: await req(self.id, recipient.id)
async def remove_recipients(self, *recipients): r"""|coro| Removes recipients from this group. Parameters ----------- \*recipients: :class:`User` An argument list of users to remove from this group. Raises ------- HTTPException Removing a recipient from this group failed. """ # TODO: wait for the corresponding WS event req = self._state.http.remove_group_recipient for recipient in recipients: await req(self.id, recipient.id)
[ "r", "|coro|" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/channel.py#L1103-L1123
[ "async", "def", "remove_recipients", "(", "self", ",", "*", "recipients", ")", ":", "# TODO: wait for the corresponding WS event", "req", "=", "self", ".", "_state", ".", "http", ".", "remove_group_recipient", "for", "recipient", "in", "recipients", ":", "await", ...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
GroupChannel.edit
|coro| Edits the group. Parameters ----------- name: Optional[:class:`str`] The new name to change the group to. Could be ``None`` to remove the name. icon: Optional[:class:`bytes`] A :term:`py:bytes-like object` representing the new icon. Could be ``None`` to remove the icon. Raises ------- HTTPException Editing the group failed.
discord/channel.py
async def edit(self, **fields): """|coro| Edits the group. Parameters ----------- name: Optional[:class:`str`] The new name to change the group to. Could be ``None`` to remove the name. icon: Optional[:class:`bytes`] A :term:`py:bytes-like object` representing the new icon. Could be ``None`` to remove the icon. Raises ------- HTTPException Editing the group failed. """ try: icon_bytes = fields['icon'] except KeyError: pass else: if icon_bytes is not None: fields['icon'] = utils._bytes_to_base64_data(icon_bytes) data = await self._state.http.edit_group(self.id, **fields) self._update_group(data)
async def edit(self, **fields): """|coro| Edits the group. Parameters ----------- name: Optional[:class:`str`] The new name to change the group to. Could be ``None`` to remove the name. icon: Optional[:class:`bytes`] A :term:`py:bytes-like object` representing the new icon. Could be ``None`` to remove the icon. Raises ------- HTTPException Editing the group failed. """ try: icon_bytes = fields['icon'] except KeyError: pass else: if icon_bytes is not None: fields['icon'] = utils._bytes_to_base64_data(icon_bytes) data = await self._state.http.edit_group(self.id, **fields) self._update_group(data)
[ "|coro|" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/channel.py#L1125-L1154
[ "async", "def", "edit", "(", "self", ",", "*", "*", "fields", ")", ":", "try", ":", "icon_bytes", "=", "fields", "[", "'icon'", "]", "except", "KeyError", ":", "pass", "else", ":", "if", "icon_bytes", "is", "not", "None", ":", "fields", "[", "'icon'"...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
GuildChannel.changed_roles
Returns a :class:`list` of :class:`Roles` that have been overridden from their default values in the :attr:`Guild.roles` attribute.
discord/abc.py
def changed_roles(self): """Returns a :class:`list` of :class:`Roles` that have been overridden from their default values in the :attr:`Guild.roles` attribute.""" ret = [] g = self.guild for overwrite in filter(lambda o: o.type == 'role', self._overwrites): role = g.get_role(overwrite.id) if role is None: continue role = copy.copy(role) role.permissions.handle_overwrite(overwrite.allow, overwrite.deny) ret.append(role) return ret
def changed_roles(self): """Returns a :class:`list` of :class:`Roles` that have been overridden from their default values in the :attr:`Guild.roles` attribute.""" ret = [] g = self.guild for overwrite in filter(lambda o: o.type == 'role', self._overwrites): role = g.get_role(overwrite.id) if role is None: continue role = copy.copy(role) role.permissions.handle_overwrite(overwrite.allow, overwrite.deny) ret.append(role) return ret
[ "Returns", "a", ":", "class", ":", "list", "of", ":", "class", ":", "Roles", "that", "have", "been", "overridden", "from", "their", "default", "values", "in", "the", ":", "attr", ":", "Guild", ".", "roles", "attribute", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/abc.py#L290-L303
[ "def", "changed_roles", "(", "self", ")", ":", "ret", "=", "[", "]", "g", "=", "self", ".", "guild", "for", "overwrite", "in", "filter", "(", "lambda", "o", ":", "o", ".", "type", "==", "'role'", ",", "self", ".", "_overwrites", ")", ":", "role", ...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
GuildChannel.overwrites_for
Returns the channel-specific overwrites for a member or a role. Parameters ----------- obj The :class:`Role` or :class:`abc.User` denoting whose overwrite to get. Returns --------- :class:`PermissionOverwrite` The permission overwrites for this object.
discord/abc.py
def overwrites_for(self, obj): """Returns the channel-specific overwrites for a member or a role. Parameters ----------- obj The :class:`Role` or :class:`abc.User` denoting whose overwrite to get. Returns --------- :class:`PermissionOverwrite` The permission overwrites for this object. """ if isinstance(obj, User): predicate = lambda p: p.type == 'member' elif isinstance(obj, Role): predicate = lambda p: p.type == 'role' else: predicate = lambda p: True for overwrite in filter(predicate, self._overwrites): if overwrite.id == obj.id: allow = Permissions(overwrite.allow) deny = Permissions(overwrite.deny) return PermissionOverwrite.from_pair(allow, deny) return PermissionOverwrite()
def overwrites_for(self, obj): """Returns the channel-specific overwrites for a member or a role. Parameters ----------- obj The :class:`Role` or :class:`abc.User` denoting whose overwrite to get. Returns --------- :class:`PermissionOverwrite` The permission overwrites for this object. """ if isinstance(obj, User): predicate = lambda p: p.type == 'member' elif isinstance(obj, Role): predicate = lambda p: p.type == 'role' else: predicate = lambda p: True for overwrite in filter(predicate, self._overwrites): if overwrite.id == obj.id: allow = Permissions(overwrite.allow) deny = Permissions(overwrite.deny) return PermissionOverwrite.from_pair(allow, deny) return PermissionOverwrite()
[ "Returns", "the", "channel", "-", "specific", "overwrites", "for", "a", "member", "or", "a", "role", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/abc.py#L315-L343
[ "def", "overwrites_for", "(", "self", ",", "obj", ")", ":", "if", "isinstance", "(", "obj", ",", "User", ")", ":", "predicate", "=", "lambda", "p", ":", "p", ".", "type", "==", "'member'", "elif", "isinstance", "(", "obj", ",", "Role", ")", ":", "p...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
GuildChannel.overwrites
Returns all of the channel's overwrites. This is returned as a dictionary where the key contains the target which can be either a :class:`Role` or a :class:`Member` and the key is the overwrite as a :class:`PermissionOverwrite`. Returns -------- Mapping[Union[:class:`Role`, :class:`Member`], :class:`PermissionOverwrite`]: The channel's permission overwrites.
discord/abc.py
def overwrites(self): """Returns all of the channel's overwrites. This is returned as a dictionary where the key contains the target which can be either a :class:`Role` or a :class:`Member` and the key is the overwrite as a :class:`PermissionOverwrite`. Returns -------- Mapping[Union[:class:`Role`, :class:`Member`], :class:`PermissionOverwrite`]: The channel's permission overwrites. """ ret = {} for ow in self._overwrites: allow = Permissions(ow.allow) deny = Permissions(ow.deny) overwrite = PermissionOverwrite.from_pair(allow, deny) if ow.type == 'role': target = self.guild.get_role(ow.id) elif ow.type == 'member': target = self.guild.get_member(ow.id) # TODO: There is potential data loss here in the non-chunked # case, i.e. target is None because get_member returned nothing. # This can be fixed with a slight breaking change to the return type, # i.e. adding discord.Object to the list of it # However, for now this is an acceptable compromise. if target is not None: ret[target] = overwrite return ret
def overwrites(self): """Returns all of the channel's overwrites. This is returned as a dictionary where the key contains the target which can be either a :class:`Role` or a :class:`Member` and the key is the overwrite as a :class:`PermissionOverwrite`. Returns -------- Mapping[Union[:class:`Role`, :class:`Member`], :class:`PermissionOverwrite`]: The channel's permission overwrites. """ ret = {} for ow in self._overwrites: allow = Permissions(ow.allow) deny = Permissions(ow.deny) overwrite = PermissionOverwrite.from_pair(allow, deny) if ow.type == 'role': target = self.guild.get_role(ow.id) elif ow.type == 'member': target = self.guild.get_member(ow.id) # TODO: There is potential data loss here in the non-chunked # case, i.e. target is None because get_member returned nothing. # This can be fixed with a slight breaking change to the return type, # i.e. adding discord.Object to the list of it # However, for now this is an acceptable compromise. if target is not None: ret[target] = overwrite return ret
[ "Returns", "all", "of", "the", "channel", "s", "overwrites", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/abc.py#L346-L376
[ "def", "overwrites", "(", "self", ")", ":", "ret", "=", "{", "}", "for", "ow", "in", "self", ".", "_overwrites", ":", "allow", "=", "Permissions", "(", "ow", ".", "allow", ")", "deny", "=", "Permissions", "(", "ow", ".", "deny", ")", "overwrite", "...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
GuildChannel.permissions_for
Handles permission resolution for the current :class:`Member`. This function takes into consideration the following cases: - Guild owner - Guild roles - Channel overrides - Member overrides Parameters ---------- member: :class:`Member` The member to resolve permissions for. Returns ------- :class:`Permissions` The resolved permissions for the member.
discord/abc.py
def permissions_for(self, member): """Handles permission resolution for the current :class:`Member`. This function takes into consideration the following cases: - Guild owner - Guild roles - Channel overrides - Member overrides Parameters ---------- member: :class:`Member` The member to resolve permissions for. Returns ------- :class:`Permissions` The resolved permissions for the member. """ # The current cases can be explained as: # Guild owner get all permissions -- no questions asked. Otherwise... # The @everyone role gets the first application. # After that, the applied roles that the user has in the channel # (or otherwise) are then OR'd together. # After the role permissions are resolved, the member permissions # have to take into effect. # After all that is done.. you have to do the following: # If manage permissions is True, then all permissions are set to True. # The operation first takes into consideration the denied # and then the allowed. o = self.guild.owner if o is not None and member.id == o.id: return Permissions.all() default = self.guild.default_role base = Permissions(default.permissions.value) roles = member.roles # Apply guild roles that the member has. for role in roles: base.value |= role.permissions.value # Guild-wide Administrator -> True for everything # Bypass all channel-specific overrides if base.administrator: return Permissions.all() # Apply @everyone allow/deny first since it's special try: maybe_everyone = self._overwrites[0] if maybe_everyone.id == self.guild.id: base.handle_overwrite(allow=maybe_everyone.allow, deny=maybe_everyone.deny) remaining_overwrites = self._overwrites[1:] else: remaining_overwrites = self._overwrites except IndexError: remaining_overwrites = self._overwrites # not sure if doing member._roles.get(...) is better than the # set approach. While this is O(N) to re-create into a set for O(1) # the direct approach would just be O(log n) for searching with no # extra memory overhead. For now, I'll keep the set cast # Note that the member.roles accessor up top also creates a # temporary list member_role_ids = {r.id for r in roles} denies = 0 allows = 0 # Apply channel specific role permission overwrites for overwrite in remaining_overwrites: if overwrite.type == 'role' and overwrite.id in member_role_ids: denies |= overwrite.deny allows |= overwrite.allow base.handle_overwrite(allow=allows, deny=denies) # Apply member specific permission overwrites for overwrite in remaining_overwrites: if overwrite.type == 'member' and overwrite.id == member.id: base.handle_overwrite(allow=overwrite.allow, deny=overwrite.deny) break # if you can't send a message in a channel then you can't have certain # permissions as well if not base.send_messages: base.send_tts_messages = False base.mention_everyone = False base.embed_links = False base.attach_files = False # if you can't read a channel then you have no permissions there if not base.read_messages: denied = Permissions.all_channel() base.value &= ~denied.value return base
def permissions_for(self, member): """Handles permission resolution for the current :class:`Member`. This function takes into consideration the following cases: - Guild owner - Guild roles - Channel overrides - Member overrides Parameters ---------- member: :class:`Member` The member to resolve permissions for. Returns ------- :class:`Permissions` The resolved permissions for the member. """ # The current cases can be explained as: # Guild owner get all permissions -- no questions asked. Otherwise... # The @everyone role gets the first application. # After that, the applied roles that the user has in the channel # (or otherwise) are then OR'd together. # After the role permissions are resolved, the member permissions # have to take into effect. # After all that is done.. you have to do the following: # If manage permissions is True, then all permissions are set to True. # The operation first takes into consideration the denied # and then the allowed. o = self.guild.owner if o is not None and member.id == o.id: return Permissions.all() default = self.guild.default_role base = Permissions(default.permissions.value) roles = member.roles # Apply guild roles that the member has. for role in roles: base.value |= role.permissions.value # Guild-wide Administrator -> True for everything # Bypass all channel-specific overrides if base.administrator: return Permissions.all() # Apply @everyone allow/deny first since it's special try: maybe_everyone = self._overwrites[0] if maybe_everyone.id == self.guild.id: base.handle_overwrite(allow=maybe_everyone.allow, deny=maybe_everyone.deny) remaining_overwrites = self._overwrites[1:] else: remaining_overwrites = self._overwrites except IndexError: remaining_overwrites = self._overwrites # not sure if doing member._roles.get(...) is better than the # set approach. While this is O(N) to re-create into a set for O(1) # the direct approach would just be O(log n) for searching with no # extra memory overhead. For now, I'll keep the set cast # Note that the member.roles accessor up top also creates a # temporary list member_role_ids = {r.id for r in roles} denies = 0 allows = 0 # Apply channel specific role permission overwrites for overwrite in remaining_overwrites: if overwrite.type == 'role' and overwrite.id in member_role_ids: denies |= overwrite.deny allows |= overwrite.allow base.handle_overwrite(allow=allows, deny=denies) # Apply member specific permission overwrites for overwrite in remaining_overwrites: if overwrite.type == 'member' and overwrite.id == member.id: base.handle_overwrite(allow=overwrite.allow, deny=overwrite.deny) break # if you can't send a message in a channel then you can't have certain # permissions as well if not base.send_messages: base.send_tts_messages = False base.mention_everyone = False base.embed_links = False base.attach_files = False # if you can't read a channel then you have no permissions there if not base.read_messages: denied = Permissions.all_channel() base.value &= ~denied.value return base
[ "Handles", "permission", "resolution", "for", "the", "current", ":", "class", ":", "Member", "." ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/abc.py#L386-L486
[ "def", "permissions_for", "(", "self", ",", "member", ")", ":", "# The current cases can be explained as:", "# Guild owner get all permissions -- no questions asked. Otherwise...", "# The @everyone role gets the first application.", "# After that, the applied roles that the user has in the cha...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
GuildChannel.delete
|coro| Deletes the channel. You must have :attr:`~.Permissions.manage_channels` permission to use this. Parameters ----------- reason: Optional[:class:`str`] The reason for deleting this channel. Shows up on the audit log. Raises ------- Forbidden You do not have proper permissions to delete the channel. NotFound The channel was not found or was already deleted. HTTPException Deleting the channel failed.
discord/abc.py
async def delete(self, *, reason=None): """|coro| Deletes the channel. You must have :attr:`~.Permissions.manage_channels` permission to use this. Parameters ----------- reason: Optional[:class:`str`] The reason for deleting this channel. Shows up on the audit log. Raises ------- Forbidden You do not have proper permissions to delete the channel. NotFound The channel was not found or was already deleted. HTTPException Deleting the channel failed. """ await self._state.http.delete_channel(self.id, reason=reason)
async def delete(self, *, reason=None): """|coro| Deletes the channel. You must have :attr:`~.Permissions.manage_channels` permission to use this. Parameters ----------- reason: Optional[:class:`str`] The reason for deleting this channel. Shows up on the audit log. Raises ------- Forbidden You do not have proper permissions to delete the channel. NotFound The channel was not found or was already deleted. HTTPException Deleting the channel failed. """ await self._state.http.delete_channel(self.id, reason=reason)
[ "|coro|" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/abc.py#L488-L510
[ "async", "def", "delete", "(", "self", ",", "*", ",", "reason", "=", "None", ")", ":", "await", "self", ".", "_state", ".", "http", ".", "delete_channel", "(", "self", ".", "id", ",", "reason", "=", "reason", ")" ]
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
GuildChannel.set_permissions
r"""|coro| Sets the channel specific permission overwrites for a target in the channel. The ``target`` parameter should either be a :class:`Member` or a :class:`Role` that belongs to guild. The ``overwrite`` parameter, if given, must either be ``None`` or :class:`PermissionOverwrite`. For convenience, you can pass in keyword arguments denoting :class:`Permissions` attributes. If this is done, then you cannot mix the keyword arguments with the ``overwrite`` parameter. If the ``overwrite`` parameter is ``None``, then the permission overwrites are deleted. You must have the :attr:`~Permissions.manage_roles` permission to use this. Examples ---------- Setting allow and deny: :: await message.channel.set_permissions(message.author, read_messages=True, send_messages=False) Deleting overwrites :: await channel.set_permissions(member, overwrite=None) Using :class:`PermissionOverwrite` :: overwrite = discord.PermissionOverwrite() overwrite.send_messages = False overwrite.read_messages = True await channel.set_permissions(member, overwrite=overwrite) Parameters ----------- target The :class:`Member` or :class:`Role` to overwrite permissions for. overwrite: :class:`PermissionOverwrite` The permissions to allow and deny to the target. \*\*permissions A keyword argument list of permissions to set for ease of use. Cannot be mixed with ``overwrite``. reason: Optional[:class:`str`] The reason for doing this action. Shows up on the audit log. Raises ------- Forbidden You do not have permissions to edit channel specific permissions. HTTPException Editing channel specific permissions failed. NotFound The role or member being edited is not part of the guild. InvalidArgument The overwrite parameter invalid or the target type was not :class:`Role` or :class:`Member`.
discord/abc.py
async def set_permissions(self, target, *, overwrite=_undefined, reason=None, **permissions): r"""|coro| Sets the channel specific permission overwrites for a target in the channel. The ``target`` parameter should either be a :class:`Member` or a :class:`Role` that belongs to guild. The ``overwrite`` parameter, if given, must either be ``None`` or :class:`PermissionOverwrite`. For convenience, you can pass in keyword arguments denoting :class:`Permissions` attributes. If this is done, then you cannot mix the keyword arguments with the ``overwrite`` parameter. If the ``overwrite`` parameter is ``None``, then the permission overwrites are deleted. You must have the :attr:`~Permissions.manage_roles` permission to use this. Examples ---------- Setting allow and deny: :: await message.channel.set_permissions(message.author, read_messages=True, send_messages=False) Deleting overwrites :: await channel.set_permissions(member, overwrite=None) Using :class:`PermissionOverwrite` :: overwrite = discord.PermissionOverwrite() overwrite.send_messages = False overwrite.read_messages = True await channel.set_permissions(member, overwrite=overwrite) Parameters ----------- target The :class:`Member` or :class:`Role` to overwrite permissions for. overwrite: :class:`PermissionOverwrite` The permissions to allow and deny to the target. \*\*permissions A keyword argument list of permissions to set for ease of use. Cannot be mixed with ``overwrite``. reason: Optional[:class:`str`] The reason for doing this action. Shows up on the audit log. Raises ------- Forbidden You do not have permissions to edit channel specific permissions. HTTPException Editing channel specific permissions failed. NotFound The role or member being edited is not part of the guild. InvalidArgument The overwrite parameter invalid or the target type was not :class:`Role` or :class:`Member`. """ http = self._state.http if isinstance(target, User): perm_type = 'member' elif isinstance(target, Role): perm_type = 'role' else: raise InvalidArgument('target parameter must be either Member or Role') if isinstance(overwrite, _Undefined): if len(permissions) == 0: raise InvalidArgument('No overwrite provided.') try: overwrite = PermissionOverwrite(**permissions) except (ValueError, TypeError): raise InvalidArgument('Invalid permissions given to keyword arguments.') else: if len(permissions) > 0: raise InvalidArgument('Cannot mix overwrite and keyword arguments.') # TODO: wait for event if overwrite is None: await http.delete_channel_permissions(self.id, target.id, reason=reason) elif isinstance(overwrite, PermissionOverwrite): (allow, deny) = overwrite.pair() await http.edit_channel_permissions(self.id, target.id, allow.value, deny.value, perm_type, reason=reason) else: raise InvalidArgument('Invalid overwrite type provided.')
async def set_permissions(self, target, *, overwrite=_undefined, reason=None, **permissions): r"""|coro| Sets the channel specific permission overwrites for a target in the channel. The ``target`` parameter should either be a :class:`Member` or a :class:`Role` that belongs to guild. The ``overwrite`` parameter, if given, must either be ``None`` or :class:`PermissionOverwrite`. For convenience, you can pass in keyword arguments denoting :class:`Permissions` attributes. If this is done, then you cannot mix the keyword arguments with the ``overwrite`` parameter. If the ``overwrite`` parameter is ``None``, then the permission overwrites are deleted. You must have the :attr:`~Permissions.manage_roles` permission to use this. Examples ---------- Setting allow and deny: :: await message.channel.set_permissions(message.author, read_messages=True, send_messages=False) Deleting overwrites :: await channel.set_permissions(member, overwrite=None) Using :class:`PermissionOverwrite` :: overwrite = discord.PermissionOverwrite() overwrite.send_messages = False overwrite.read_messages = True await channel.set_permissions(member, overwrite=overwrite) Parameters ----------- target The :class:`Member` or :class:`Role` to overwrite permissions for. overwrite: :class:`PermissionOverwrite` The permissions to allow and deny to the target. \*\*permissions A keyword argument list of permissions to set for ease of use. Cannot be mixed with ``overwrite``. reason: Optional[:class:`str`] The reason for doing this action. Shows up on the audit log. Raises ------- Forbidden You do not have permissions to edit channel specific permissions. HTTPException Editing channel specific permissions failed. NotFound The role or member being edited is not part of the guild. InvalidArgument The overwrite parameter invalid or the target type was not :class:`Role` or :class:`Member`. """ http = self._state.http if isinstance(target, User): perm_type = 'member' elif isinstance(target, Role): perm_type = 'role' else: raise InvalidArgument('target parameter must be either Member or Role') if isinstance(overwrite, _Undefined): if len(permissions) == 0: raise InvalidArgument('No overwrite provided.') try: overwrite = PermissionOverwrite(**permissions) except (ValueError, TypeError): raise InvalidArgument('Invalid permissions given to keyword arguments.') else: if len(permissions) > 0: raise InvalidArgument('Cannot mix overwrite and keyword arguments.') # TODO: wait for event if overwrite is None: await http.delete_channel_permissions(self.id, target.id, reason=reason) elif isinstance(overwrite, PermissionOverwrite): (allow, deny) = overwrite.pair() await http.edit_channel_permissions(self.id, target.id, allow.value, deny.value, perm_type, reason=reason) else: raise InvalidArgument('Invalid overwrite type provided.')
[ "r", "|coro|" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/abc.py#L512-L604
[ "async", "def", "set_permissions", "(", "self", ",", "target", ",", "*", ",", "overwrite", "=", "_undefined", ",", "reason", "=", "None", ",", "*", "*", "permissions", ")", ":", "http", "=", "self", ".", "_state", ".", "http", "if", "isinstance", "(", ...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
GuildChannel.create_invite
|coro| Creates an instant invite. You must have :attr:`~.Permissions.create_instant_invite` permission to do this. Parameters ------------ max_age: :class:`int` How long the invite should last. If it's 0 then the invite doesn't expire. Defaults to 0. max_uses: :class:`int` How many uses the invite could be used for. If it's 0 then there are unlimited uses. Defaults to 0. temporary: :class:`bool` Denotes that the invite grants temporary membership (i.e. they get kicked after they disconnect). Defaults to False. unique: :class:`bool` Indicates if a unique invite URL should be created. Defaults to True. If this is set to False then it will return a previously created invite. reason: Optional[:class:`str`] The reason for creating this invite. Shows up on the audit log. Raises ------- HTTPException Invite creation failed. Returns -------- :class:`Invite` The invite that was created.
discord/abc.py
async def create_invite(self, *, reason=None, **fields): """|coro| Creates an instant invite. You must have :attr:`~.Permissions.create_instant_invite` permission to do this. Parameters ------------ max_age: :class:`int` How long the invite should last. If it's 0 then the invite doesn't expire. Defaults to 0. max_uses: :class:`int` How many uses the invite could be used for. If it's 0 then there are unlimited uses. Defaults to 0. temporary: :class:`bool` Denotes that the invite grants temporary membership (i.e. they get kicked after they disconnect). Defaults to False. unique: :class:`bool` Indicates if a unique invite URL should be created. Defaults to True. If this is set to False then it will return a previously created invite. reason: Optional[:class:`str`] The reason for creating this invite. Shows up on the audit log. Raises ------- HTTPException Invite creation failed. Returns -------- :class:`Invite` The invite that was created. """ data = await self._state.http.create_invite(self.id, reason=reason, **fields) return Invite.from_incomplete(data=data, state=self._state)
async def create_invite(self, *, reason=None, **fields): """|coro| Creates an instant invite. You must have :attr:`~.Permissions.create_instant_invite` permission to do this. Parameters ------------ max_age: :class:`int` How long the invite should last. If it's 0 then the invite doesn't expire. Defaults to 0. max_uses: :class:`int` How many uses the invite could be used for. If it's 0 then there are unlimited uses. Defaults to 0. temporary: :class:`bool` Denotes that the invite grants temporary membership (i.e. they get kicked after they disconnect). Defaults to False. unique: :class:`bool` Indicates if a unique invite URL should be created. Defaults to True. If this is set to False then it will return a previously created invite. reason: Optional[:class:`str`] The reason for creating this invite. Shows up on the audit log. Raises ------- HTTPException Invite creation failed. Returns -------- :class:`Invite` The invite that was created. """ data = await self._state.http.create_invite(self.id, reason=reason, **fields) return Invite.from_incomplete(data=data, state=self._state)
[ "|coro|" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/abc.py#L646-L684
[ "async", "def", "create_invite", "(", "self", ",", "*", ",", "reason", "=", "None", ",", "*", "*", "fields", ")", ":", "data", "=", "await", "self", ".", "_state", ".", "http", ".", "create_invite", "(", "self", ".", "id", ",", "reason", "=", "reas...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
GuildChannel.invites
|coro| Returns a list of all active instant invites from this channel. You must have :attr:`~.Permissions.manage_guild` to get this information. Raises ------- Forbidden You do not have proper permissions to get the information. HTTPException An error occurred while fetching the information. Returns ------- List[:class:`Invite`] The list of invites that are currently active.
discord/abc.py
async def invites(self): """|coro| Returns a list of all active instant invites from this channel. You must have :attr:`~.Permissions.manage_guild` to get this information. Raises ------- Forbidden You do not have proper permissions to get the information. HTTPException An error occurred while fetching the information. Returns ------- List[:class:`Invite`] The list of invites that are currently active. """ state = self._state data = await state.http.invites_from_channel(self.id) result = [] for invite in data: invite['channel'] = self invite['guild'] = self.guild result.append(Invite(state=state, data=invite)) return result
async def invites(self): """|coro| Returns a list of all active instant invites from this channel. You must have :attr:`~.Permissions.manage_guild` to get this information. Raises ------- Forbidden You do not have proper permissions to get the information. HTTPException An error occurred while fetching the information. Returns ------- List[:class:`Invite`] The list of invites that are currently active. """ state = self._state data = await state.http.invites_from_channel(self.id) result = [] for invite in data: invite['channel'] = self invite['guild'] = self.guild result.append(Invite(state=state, data=invite)) return result
[ "|coro|" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/abc.py#L686-L715
[ "async", "def", "invites", "(", "self", ")", ":", "state", "=", "self", ".", "_state", "data", "=", "await", "state", ".", "http", ".", "invites_from_channel", "(", "self", ".", "id", ")", "result", "=", "[", "]", "for", "invite", "in", "data", ":", ...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
Messageable.send
|coro| Sends a message to the destination with the content given. The content must be a type that can convert to a string through ``str(content)``. If the content is set to ``None`` (the default), then the ``embed`` parameter must be provided. To upload a single file, the ``file`` parameter should be used with a single :class:`.File` object. To upload multiple files, the ``files`` parameter should be used with a :class:`list` of :class:`.File` objects. **Specifying both parameters will lead to an exception**. If the ``embed`` parameter is provided, it must be of type :class:`.Embed` and it must be a rich embed type. Parameters ------------ content The content of the message to send. tts: :class:`bool` Indicates if the message should be sent using text-to-speech. embed: :class:`.Embed` The rich embed for the content. file: :class:`.File` The file to upload. files: List[:class:`.File`] A list of files to upload. Must be a maximum of 10. nonce: :class:`int` The nonce to use for sending this message. If the message was successfully sent, then the message will have a nonce with this value. delete_after: :class:`float` If provided, the number of seconds to wait in the background before deleting the message we just sent. If the deletion fails, then it is silently ignored. Raises -------- :exc:`.HTTPException` Sending the message failed. :exc:`.Forbidden` You do not have the proper permissions to send the message. :exc:`.InvalidArgument` The ``files`` list is not of the appropriate size or you specified both ``file`` and ``files``. Returns --------- :class:`.Message` The message that was sent.
discord/abc.py
async def send(self, content=None, *, tts=False, embed=None, file=None, files=None, delete_after=None, nonce=None): """|coro| Sends a message to the destination with the content given. The content must be a type that can convert to a string through ``str(content)``. If the content is set to ``None`` (the default), then the ``embed`` parameter must be provided. To upload a single file, the ``file`` parameter should be used with a single :class:`.File` object. To upload multiple files, the ``files`` parameter should be used with a :class:`list` of :class:`.File` objects. **Specifying both parameters will lead to an exception**. If the ``embed`` parameter is provided, it must be of type :class:`.Embed` and it must be a rich embed type. Parameters ------------ content The content of the message to send. tts: :class:`bool` Indicates if the message should be sent using text-to-speech. embed: :class:`.Embed` The rich embed for the content. file: :class:`.File` The file to upload. files: List[:class:`.File`] A list of files to upload. Must be a maximum of 10. nonce: :class:`int` The nonce to use for sending this message. If the message was successfully sent, then the message will have a nonce with this value. delete_after: :class:`float` If provided, the number of seconds to wait in the background before deleting the message we just sent. If the deletion fails, then it is silently ignored. Raises -------- :exc:`.HTTPException` Sending the message failed. :exc:`.Forbidden` You do not have the proper permissions to send the message. :exc:`.InvalidArgument` The ``files`` list is not of the appropriate size or you specified both ``file`` and ``files``. Returns --------- :class:`.Message` The message that was sent. """ channel = await self._get_channel() state = self._state content = str(content) if content is not None else None if embed is not None: embed = embed.to_dict() if file is not None and files is not None: raise InvalidArgument('cannot pass both file and files parameter to send()') if file is not None: if not isinstance(file, File): raise InvalidArgument('file parameter must be File') try: data = await state.http.send_files(channel.id, files=[file], content=content, tts=tts, embed=embed, nonce=nonce) finally: file.close() elif files is not None: if len(files) > 10: raise InvalidArgument('files parameter must be a list of up to 10 elements') elif not all(isinstance(file, File) for file in files): raise InvalidArgument('files parameter must be a list of File') try: data = await state.http.send_files(channel.id, files=files, content=content, tts=tts, embed=embed, nonce=nonce) finally: for f in files: f.close() else: data = await state.http.send_message(channel.id, content, tts=tts, embed=embed, nonce=nonce) ret = state.create_message(channel=channel, data=data) if delete_after is not None: await ret.delete(delay=delete_after) return ret
async def send(self, content=None, *, tts=False, embed=None, file=None, files=None, delete_after=None, nonce=None): """|coro| Sends a message to the destination with the content given. The content must be a type that can convert to a string through ``str(content)``. If the content is set to ``None`` (the default), then the ``embed`` parameter must be provided. To upload a single file, the ``file`` parameter should be used with a single :class:`.File` object. To upload multiple files, the ``files`` parameter should be used with a :class:`list` of :class:`.File` objects. **Specifying both parameters will lead to an exception**. If the ``embed`` parameter is provided, it must be of type :class:`.Embed` and it must be a rich embed type. Parameters ------------ content The content of the message to send. tts: :class:`bool` Indicates if the message should be sent using text-to-speech. embed: :class:`.Embed` The rich embed for the content. file: :class:`.File` The file to upload. files: List[:class:`.File`] A list of files to upload. Must be a maximum of 10. nonce: :class:`int` The nonce to use for sending this message. If the message was successfully sent, then the message will have a nonce with this value. delete_after: :class:`float` If provided, the number of seconds to wait in the background before deleting the message we just sent. If the deletion fails, then it is silently ignored. Raises -------- :exc:`.HTTPException` Sending the message failed. :exc:`.Forbidden` You do not have the proper permissions to send the message. :exc:`.InvalidArgument` The ``files`` list is not of the appropriate size or you specified both ``file`` and ``files``. Returns --------- :class:`.Message` The message that was sent. """ channel = await self._get_channel() state = self._state content = str(content) if content is not None else None if embed is not None: embed = embed.to_dict() if file is not None and files is not None: raise InvalidArgument('cannot pass both file and files parameter to send()') if file is not None: if not isinstance(file, File): raise InvalidArgument('file parameter must be File') try: data = await state.http.send_files(channel.id, files=[file], content=content, tts=tts, embed=embed, nonce=nonce) finally: file.close() elif files is not None: if len(files) > 10: raise InvalidArgument('files parameter must be a list of up to 10 elements') elif not all(isinstance(file, File) for file in files): raise InvalidArgument('files parameter must be a list of File') try: data = await state.http.send_files(channel.id, files=files, content=content, tts=tts, embed=embed, nonce=nonce) finally: for f in files: f.close() else: data = await state.http.send_message(channel.id, content, tts=tts, embed=embed, nonce=nonce) ret = state.create_message(channel=channel, data=data) if delete_after is not None: await ret.delete(delay=delete_after) return ret
[ "|coro|" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/abc.py#L738-L828
[ "async", "def", "send", "(", "self", ",", "content", "=", "None", ",", "*", ",", "tts", "=", "False", ",", "embed", "=", "None", ",", "file", "=", "None", ",", "files", "=", "None", ",", "delete_after", "=", "None", ",", "nonce", "=", "None", ")"...
05d4f7f9620ef33635d6ac965b26528e09cdaf5b
train
Messageable.trigger_typing
|coro| Triggers a *typing* indicator to the destination. *Typing* indicator will go away after 10 seconds, or after a message is sent.
discord/abc.py
async def trigger_typing(self): """|coro| Triggers a *typing* indicator to the destination. *Typing* indicator will go away after 10 seconds, or after a message is sent. """ channel = await self._get_channel() await self._state.http.send_typing(channel.id)
async def trigger_typing(self): """|coro| Triggers a *typing* indicator to the destination. *Typing* indicator will go away after 10 seconds, or after a message is sent. """ channel = await self._get_channel() await self._state.http.send_typing(channel.id)
[ "|coro|" ]
Rapptz/discord.py
python
https://github.com/Rapptz/discord.py/blob/05d4f7f9620ef33635d6ac965b26528e09cdaf5b/discord/abc.py#L830-L839
[ "async", "def", "trigger_typing", "(", "self", ")", ":", "channel", "=", "await", "self", ".", "_get_channel", "(", ")", "await", "self", ".", "_state", ".", "http", ".", "send_typing", "(", "channel", ".", "id", ")" ]
05d4f7f9620ef33635d6ac965b26528e09cdaf5b