repo
stringlengths
7
55
path
stringlengths
4
223
func_name
stringlengths
1
134
original_string
stringlengths
75
104k
language
stringclasses
1 value
code
stringlengths
75
104k
code_tokens
listlengths
19
28.4k
docstring
stringlengths
1
46.9k
docstring_tokens
listlengths
1
1.97k
sha
stringlengths
40
40
url
stringlengths
87
315
partition
stringclasses
1 value
apache/incubator-mxnet
python/mxnet/autograd.py
is_recording
def is_recording(): """Get status on recording/not recording. Returns ------- Current state of recording. """ curr = ctypes.c_bool() check_call(_LIB.MXAutogradIsRecording(ctypes.byref(curr))) return curr.value
python
def is_recording(): """Get status on recording/not recording. Returns ------- Current state of recording. """ curr = ctypes.c_bool() check_call(_LIB.MXAutogradIsRecording(ctypes.byref(curr))) return curr.value
[ "def", "is_recording", "(", ")", ":", "curr", "=", "ctypes", ".", "c_bool", "(", ")", "check_call", "(", "_LIB", ".", "MXAutogradIsRecording", "(", "ctypes", ".", "byref", "(", "curr", ")", ")", ")", "return", "curr", ".", "value" ]
Get status on recording/not recording. Returns ------- Current state of recording.
[ "Get", "status", "on", "recording", "/", "not", "recording", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/autograd.py#L70-L79
train
apache/incubator-mxnet
python/mxnet/autograd.py
is_training
def is_training(): """Get status on training/predicting. Returns ------- Current state of training/predicting. """ curr = ctypes.c_bool() check_call(_LIB.MXAutogradIsTraining(ctypes.byref(curr))) return curr.value
python
def is_training(): """Get status on training/predicting. Returns ------- Current state of training/predicting. """ curr = ctypes.c_bool() check_call(_LIB.MXAutogradIsTraining(ctypes.byref(curr))) return curr.value
[ "def", "is_training", "(", ")", ":", "curr", "=", "ctypes", ".", "c_bool", "(", ")", "check_call", "(", "_LIB", ".", "MXAutogradIsTraining", "(", "ctypes", ".", "byref", "(", "curr", ")", ")", ")", "return", "curr", ".", "value" ]
Get status on training/predicting. Returns ------- Current state of training/predicting.
[ "Get", "status", "on", "training", "/", "predicting", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/autograd.py#L81-L90
train
apache/incubator-mxnet
python/mxnet/autograd.py
mark_variables
def mark_variables(variables, gradients, grad_reqs='write'): """Mark NDArrays as variables to compute gradient for autograd. Parameters ---------- variables: NDArray or list of NDArray gradients: NDArray or list of NDArray grad_reqs: str or list of str """ if isinstance(variables, NDArr...
python
def mark_variables(variables, gradients, grad_reqs='write'): """Mark NDArrays as variables to compute gradient for autograd. Parameters ---------- variables: NDArray or list of NDArray gradients: NDArray or list of NDArray grad_reqs: str or list of str """ if isinstance(variables, NDArr...
[ "def", "mark_variables", "(", "variables", ",", "gradients", ",", "grad_reqs", "=", "'write'", ")", ":", "if", "isinstance", "(", "variables", ",", "NDArray", ")", ":", "assert", "isinstance", "(", "gradients", ",", "NDArray", ")", "variables", "=", "[", "...
Mark NDArrays as variables to compute gradient for autograd. Parameters ---------- variables: NDArray or list of NDArray gradients: NDArray or list of NDArray grad_reqs: str or list of str
[ "Mark", "NDArrays", "as", "variables", "to", "compute", "gradient", "for", "autograd", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/autograd.py#L197-L220
train
apache/incubator-mxnet
python/mxnet/autograd.py
_parse_head
def _parse_head(heads, head_grads): """parse head gradient for backward and grad.""" if isinstance(heads, NDArray): heads = [heads] if isinstance(head_grads, NDArray): head_grads = [head_grads] head_handles = c_handle_array(heads) if head_grads is None: hgrad_handles = ctyp...
python
def _parse_head(heads, head_grads): """parse head gradient for backward and grad.""" if isinstance(heads, NDArray): heads = [heads] if isinstance(head_grads, NDArray): head_grads = [head_grads] head_handles = c_handle_array(heads) if head_grads is None: hgrad_handles = ctyp...
[ "def", "_parse_head", "(", "heads", ",", "head_grads", ")", ":", "if", "isinstance", "(", "heads", ",", "NDArray", ")", ":", "heads", "=", "[", "heads", "]", "if", "isinstance", "(", "head_grads", ",", "NDArray", ")", ":", "head_grads", "=", "[", "head...
parse head gradient for backward and grad.
[ "parse", "head", "gradient", "for", "backward", "and", "grad", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/autograd.py#L223-L240
train
apache/incubator-mxnet
python/mxnet/autograd.py
backward
def backward(heads, head_grads=None, retain_graph=False, train_mode=True): #pylint: disable=redefined-outer-name """Compute the gradients of heads w.r.t previously marked variables. Parameters ---------- heads: NDArray or list of NDArray Output NDArray(s) head_grads: NDArray or list of NDAr...
python
def backward(heads, head_grads=None, retain_graph=False, train_mode=True): #pylint: disable=redefined-outer-name """Compute the gradients of heads w.r.t previously marked variables. Parameters ---------- heads: NDArray or list of NDArray Output NDArray(s) head_grads: NDArray or list of NDAr...
[ "def", "backward", "(", "heads", ",", "head_grads", "=", "None", ",", "retain_graph", "=", "False", ",", "train_mode", "=", "True", ")", ":", "#pylint: disable=redefined-outer-name", "head_handles", ",", "hgrad_handles", "=", "_parse_head", "(", "heads", ",", "h...
Compute the gradients of heads w.r.t previously marked variables. Parameters ---------- heads: NDArray or list of NDArray Output NDArray(s) head_grads: NDArray or list of NDArray or None Gradients with respect to heads. train_mode: bool, optional Whether to do backward for t...
[ "Compute", "the", "gradients", "of", "heads", "w", ".", "r", ".", "t", "previously", "marked", "variables", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/autograd.py#L243-L267
train
apache/incubator-mxnet
python/mxnet/autograd.py
grad
def grad(heads, variables, head_grads=None, retain_graph=None, create_graph=False, train_mode=True): #pylint: disable=redefined-outer-name """Compute the gradients of heads w.r.t variables. Gradients will be returned as new NDArrays instead of stored into `variable.grad`. Supports recording gradie...
python
def grad(heads, variables, head_grads=None, retain_graph=None, create_graph=False, train_mode=True): #pylint: disable=redefined-outer-name """Compute the gradients of heads w.r.t variables. Gradients will be returned as new NDArrays instead of stored into `variable.grad`. Supports recording gradie...
[ "def", "grad", "(", "heads", ",", "variables", ",", "head_grads", "=", "None", ",", "retain_graph", "=", "None", ",", "create_graph", "=", "False", ",", "train_mode", "=", "True", ")", ":", "#pylint: disable=redefined-outer-name", "head_handles", ",", "hgrad_han...
Compute the gradients of heads w.r.t variables. Gradients will be returned as new NDArrays instead of stored into `variable.grad`. Supports recording gradient graph for computing higher order gradients. .. note:: Currently only a very limited set of operators support higher order \ gradients. ...
[ "Compute", "the", "gradients", "of", "heads", "w", ".", "r", ".", "t", "variables", ".", "Gradients", "will", "be", "returned", "as", "new", "NDArrays", "instead", "of", "stored", "into", "variable", ".", "grad", ".", "Supports", "recording", "gradient", "...
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/autograd.py#L270-L344
train
apache/incubator-mxnet
python/mxnet/autograd.py
get_symbol
def get_symbol(x): """Retrieve recorded computation history as `Symbol`. Parameters ---------- x : NDArray Array representing the head of computation graph. Returns ------- Symbol The retrieved Symbol. """ hdl = SymbolHandle() check_call(_LIB.MXAutogradGetSymbol...
python
def get_symbol(x): """Retrieve recorded computation history as `Symbol`. Parameters ---------- x : NDArray Array representing the head of computation graph. Returns ------- Symbol The retrieved Symbol. """ hdl = SymbolHandle() check_call(_LIB.MXAutogradGetSymbol...
[ "def", "get_symbol", "(", "x", ")", ":", "hdl", "=", "SymbolHandle", "(", ")", "check_call", "(", "_LIB", ".", "MXAutogradGetSymbol", "(", "x", ".", "handle", ",", "ctypes", ".", "byref", "(", "hdl", ")", ")", ")", "return", "Symbol", "(", "hdl", ")"...
Retrieve recorded computation history as `Symbol`. Parameters ---------- x : NDArray Array representing the head of computation graph. Returns ------- Symbol The retrieved Symbol.
[ "Retrieve", "recorded", "computation", "history", "as", "Symbol", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/autograd.py#L347-L362
train
apache/incubator-mxnet
example/recommenders/movielens_data.py
load_mldataset
def load_mldataset(filename): """Not particularly fast code to parse the text file and load it into three NDArray's and product an NDArrayIter """ user = [] item = [] score = [] with open(filename) as f: for line in f: tks = line.strip().split('\t') if len(tks...
python
def load_mldataset(filename): """Not particularly fast code to parse the text file and load it into three NDArray's and product an NDArrayIter """ user = [] item = [] score = [] with open(filename) as f: for line in f: tks = line.strip().split('\t') if len(tks...
[ "def", "load_mldataset", "(", "filename", ")", ":", "user", "=", "[", "]", "item", "=", "[", "]", "score", "=", "[", "]", "with", "open", "(", "filename", ")", "as", "f", ":", "for", "line", "in", "f", ":", "tks", "=", "line", ".", "strip", "("...
Not particularly fast code to parse the text file and load it into three NDArray's and product an NDArrayIter
[ "Not", "particularly", "fast", "code", "to", "parse", "the", "text", "file", "and", "load", "it", "into", "three", "NDArray", "s", "and", "product", "an", "NDArrayIter" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/example/recommenders/movielens_data.py#L25-L43
train
apache/incubator-mxnet
cpp-package/scripts/OpWrapperGenerator.py
ParseAllOps
def ParseAllOps(): """ MXNET_DLL int MXSymbolListAtomicSymbolCreators(mx_uint *out_size, AtomicSymbolCreator **out_array); MXNET_DLL int MXSymbolGetAtomicSymbolInfo(AtomicSymbolCreator creator, const char **nam...
python
def ParseAllOps(): """ MXNET_DLL int MXSymbolListAtomicSymbolCreators(mx_uint *out_size, AtomicSymbolCreator **out_array); MXNET_DLL int MXSymbolGetAtomicSymbolInfo(AtomicSymbolCreator creator, const char **nam...
[ "def", "ParseAllOps", "(", ")", ":", "cdll", ".", "libmxnet", "=", "cdll", ".", "LoadLibrary", "(", "sys", ".", "argv", "[", "1", "]", ")", "ListOP", "=", "cdll", ".", "libmxnet", ".", "MXSymbolListAtomicSymbolCreators", "GetOpInfo", "=", "cdll", ".", "l...
MXNET_DLL int MXSymbolListAtomicSymbolCreators(mx_uint *out_size, AtomicSymbolCreator **out_array); MXNET_DLL int MXSymbolGetAtomicSymbolInfo(AtomicSymbolCreator creator, const char **name, ...
[ "MXNET_DLL", "int", "MXSymbolListAtomicSymbolCreators", "(", "mx_uint", "*", "out_size", "AtomicSymbolCreator", "**", "out_array", ")", ";" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/cpp-package/scripts/OpWrapperGenerator.py#L306-L371
train
apache/incubator-mxnet
tools/caffe_translator/scripts/convert_caffe_model.py
main
def main(): """Read .caffemodel path and .params path as input from command line and use CaffeModelConverter to do the conversion""" parser = argparse.ArgumentParser(description='.caffemodel to MXNet .params converter.') parser.add_argument('caffemodel', help='Path to the .caffemodel file to convert.') ...
python
def main(): """Read .caffemodel path and .params path as input from command line and use CaffeModelConverter to do the conversion""" parser = argparse.ArgumentParser(description='.caffemodel to MXNet .params converter.') parser.add_argument('caffemodel', help='Path to the .caffemodel file to convert.') ...
[ "def", "main", "(", ")", ":", "parser", "=", "argparse", ".", "ArgumentParser", "(", "description", "=", "'.caffemodel to MXNet .params converter.'", ")", "parser", ".", "add_argument", "(", "'caffemodel'", ",", "help", "=", "'Path to the .caffemodel file to convert.'",...
Read .caffemodel path and .params path as input from command line and use CaffeModelConverter to do the conversion
[ "Read", ".", "caffemodel", "path", "and", ".", "params", "path", "as", "input", "from", "command", "line", "and", "use", "CaffeModelConverter", "to", "do", "the", "conversion" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/tools/caffe_translator/scripts/convert_caffe_model.py#L108-L118
train
apache/incubator-mxnet
tools/caffe_translator/scripts/convert_caffe_model.py
CaffeModelConverter.add_param
def add_param(self, param_name, layer_index, blob_index): """Add a param to the .params file""" blobs = self.layers[layer_index].blobs self.dict_param[param_name] = mx.nd.array(caffe.io.blobproto_to_array(blobs[blob_index]))
python
def add_param(self, param_name, layer_index, blob_index): """Add a param to the .params file""" blobs = self.layers[layer_index].blobs self.dict_param[param_name] = mx.nd.array(caffe.io.blobproto_to_array(blobs[blob_index]))
[ "def", "add_param", "(", "self", ",", "param_name", ",", "layer_index", ",", "blob_index", ")", ":", "blobs", "=", "self", ".", "layers", "[", "layer_index", "]", ".", "blobs", "self", ".", "dict_param", "[", "param_name", "]", "=", "mx", ".", "nd", "....
Add a param to the .params file
[ "Add", "a", "param", "to", "the", ".", "params", "file" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/tools/caffe_translator/scripts/convert_caffe_model.py#L33-L36
train
apache/incubator-mxnet
tools/caffe_translator/scripts/convert_caffe_model.py
CaffeModelConverter.add_arg_param
def add_arg_param(self, param_name, layer_index, blob_index): """Add an arg param to .params file. Example: weights of a fully connected layer.""" self.add_param('arg:%s' % param_name, layer_index, blob_index)
python
def add_arg_param(self, param_name, layer_index, blob_index): """Add an arg param to .params file. Example: weights of a fully connected layer.""" self.add_param('arg:%s' % param_name, layer_index, blob_index)
[ "def", "add_arg_param", "(", "self", ",", "param_name", ",", "layer_index", ",", "blob_index", ")", ":", "self", ".", "add_param", "(", "'arg:%s'", "%", "param_name", ",", "layer_index", ",", "blob_index", ")" ]
Add an arg param to .params file. Example: weights of a fully connected layer.
[ "Add", "an", "arg", "param", "to", ".", "params", "file", ".", "Example", ":", "weights", "of", "a", "fully", "connected", "layer", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/tools/caffe_translator/scripts/convert_caffe_model.py#L38-L40
train
apache/incubator-mxnet
tools/caffe_translator/scripts/convert_caffe_model.py
CaffeModelConverter.add_aux_param
def add_aux_param(self, param_name, layer_index, blob_index): """Add an aux param to .params file. Example: moving_mean in BatchNorm layer """ self.add_param('aux:%s' % param_name, layer_index, blob_index)
python
def add_aux_param(self, param_name, layer_index, blob_index): """Add an aux param to .params file. Example: moving_mean in BatchNorm layer """ self.add_param('aux:%s' % param_name, layer_index, blob_index)
[ "def", "add_aux_param", "(", "self", ",", "param_name", ",", "layer_index", ",", "blob_index", ")", ":", "self", ".", "add_param", "(", "'aux:%s'", "%", "param_name", ",", "layer_index", ",", "blob_index", ")" ]
Add an aux param to .params file. Example: moving_mean in BatchNorm layer
[ "Add", "an", "aux", "param", "to", ".", "params", "file", ".", "Example", ":", "moving_mean", "in", "BatchNorm", "layer" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/tools/caffe_translator/scripts/convert_caffe_model.py#L42-L44
train
apache/incubator-mxnet
tools/caffe_translator/scripts/convert_caffe_model.py
CaffeModelConverter.add_optional_arg_param
def add_optional_arg_param(self, param_name, layer_index, blob_index): """Add an arg param. If there is no such param in .caffemodel fie, silently ignore it.""" blobs = self.layers[layer_index].blobs if blob_index < len(blobs): self.add_arg_param(param_name, layer_index, blob_index)
python
def add_optional_arg_param(self, param_name, layer_index, blob_index): """Add an arg param. If there is no such param in .caffemodel fie, silently ignore it.""" blobs = self.layers[layer_index].blobs if blob_index < len(blobs): self.add_arg_param(param_name, layer_index, blob_index)
[ "def", "add_optional_arg_param", "(", "self", ",", "param_name", ",", "layer_index", ",", "blob_index", ")", ":", "blobs", "=", "self", ".", "layers", "[", "layer_index", "]", ".", "blobs", "if", "blob_index", "<", "len", "(", "blobs", ")", ":", "self", ...
Add an arg param. If there is no such param in .caffemodel fie, silently ignore it.
[ "Add", "an", "arg", "param", ".", "If", "there", "is", "no", "such", "param", "in", ".", "caffemodel", "fie", "silently", "ignore", "it", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/tools/caffe_translator/scripts/convert_caffe_model.py#L46-L50
train
apache/incubator-mxnet
tools/caffe_translator/scripts/convert_caffe_model.py
CaffeModelConverter.convert
def convert(self, caffemodel_path, outmodel_path): """Convert a Caffe .caffemodel file to MXNet .params file""" net_param = caffe_pb2.NetParameter() with open(caffemodel_path, 'rb') as caffe_model_file: net_param.ParseFromString(caffe_model_file.read()) layers = net_param.la...
python
def convert(self, caffemodel_path, outmodel_path): """Convert a Caffe .caffemodel file to MXNet .params file""" net_param = caffe_pb2.NetParameter() with open(caffemodel_path, 'rb') as caffe_model_file: net_param.ParseFromString(caffe_model_file.read()) layers = net_param.la...
[ "def", "convert", "(", "self", ",", "caffemodel_path", ",", "outmodel_path", ")", ":", "net_param", "=", "caffe_pb2", ".", "NetParameter", "(", ")", "with", "open", "(", "caffemodel_path", ",", "'rb'", ")", "as", "caffe_model_file", ":", "net_param", ".", "P...
Convert a Caffe .caffemodel file to MXNet .params file
[ "Convert", "a", "Caffe", ".", "caffemodel", "file", "to", "MXNet", ".", "params", "file" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/tools/caffe_translator/scripts/convert_caffe_model.py#L52-L106
train
apache/incubator-mxnet
example/rcnn/symnet/proposal_target.py
sample_rois
def sample_rois(rois, gt_boxes, num_classes, rois_per_image, fg_rois_per_image, fg_overlap, box_stds): """ generate random sample of ROIs comprising foreground and background examples :param rois: [n, 5] (batch_index, x1, y1, x2, y2) :param gt_boxes: [n, 5] (x1, y1, x2, y2, cls) :param num_classes: ...
python
def sample_rois(rois, gt_boxes, num_classes, rois_per_image, fg_rois_per_image, fg_overlap, box_stds): """ generate random sample of ROIs comprising foreground and background examples :param rois: [n, 5] (batch_index, x1, y1, x2, y2) :param gt_boxes: [n, 5] (x1, y1, x2, y2, cls) :param num_classes: ...
[ "def", "sample_rois", "(", "rois", ",", "gt_boxes", ",", "num_classes", ",", "rois_per_image", ",", "fg_rois_per_image", ",", "fg_overlap", ",", "box_stds", ")", ":", "overlaps", "=", "bbox_overlaps", "(", "rois", "[", ":", ",", "1", ":", "]", ",", "gt_box...
generate random sample of ROIs comprising foreground and background examples :param rois: [n, 5] (batch_index, x1, y1, x2, y2) :param gt_boxes: [n, 5] (x1, y1, x2, y2, cls) :param num_classes: number of classes :param rois_per_image: total roi number :param fg_rois_per_image: foreground roi number ...
[ "generate", "random", "sample", "of", "ROIs", "comprising", "foreground", "and", "background", "examples", ":", "param", "rois", ":", "[", "n", "5", "]", "(", "batch_index", "x1", "y1", "x2", "y2", ")", ":", "param", "gt_boxes", ":", "[", "n", "5", "]"...
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/example/rcnn/symnet/proposal_target.py#L28-L85
train
apache/incubator-mxnet
python/mxnet/operator.py
register
def register(reg_name): """Register a subclass of CustomOpProp to the registry with name reg_name.""" def do_register(prop_cls): """Register a subclass of CustomOpProp to the registry.""" fb_functype = CFUNCTYPE(c_int, c_int, POINTER(c_void_p), POINTER(c_int), POI...
python
def register(reg_name): """Register a subclass of CustomOpProp to the registry with name reg_name.""" def do_register(prop_cls): """Register a subclass of CustomOpProp to the registry.""" fb_functype = CFUNCTYPE(c_int, c_int, POINTER(c_void_p), POINTER(c_int), POI...
[ "def", "register", "(", "reg_name", ")", ":", "def", "do_register", "(", "prop_cls", ")", ":", "\"\"\"Register a subclass of CustomOpProp to the registry.\"\"\"", "fb_functype", "=", "CFUNCTYPE", "(", "c_int", ",", "c_int", ",", "POINTER", "(", "c_void_p", ")", ",",...
Register a subclass of CustomOpProp to the registry with name reg_name.
[ "Register", "a", "subclass", "of", "CustomOpProp", "to", "the", "registry", "with", "name", "reg_name", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/operator.py#L692-L1099
train
apache/incubator-mxnet
python/mxnet/operator.py
NDArrayOp.declare_backward_dependency
def declare_backward_dependency(self, out_grad, in_data, out_data): """Declare dependencies of this operator for backward pass. Parameters ---------- out_grad : list of int ids of out_grad blobs. in_data : list of int ids of in_data blobs. out_dat...
python
def declare_backward_dependency(self, out_grad, in_data, out_data): """Declare dependencies of this operator for backward pass. Parameters ---------- out_grad : list of int ids of out_grad blobs. in_data : list of int ids of in_data blobs. out_dat...
[ "def", "declare_backward_dependency", "(", "self", ",", "out_grad", ",", "in_data", ",", "out_data", ")", ":", "deps", "=", "[", "]", "if", "self", ".", "need_top_grad", "(", ")", ":", "deps", ".", "extend", "(", "out_grad", ")", "deps", ".", "extend", ...
Declare dependencies of this operator for backward pass. Parameters ---------- out_grad : list of int ids of out_grad blobs. in_data : list of int ids of in_data blobs. out_data: list of int ids of out_data blobs. Returns ----...
[ "Declare", "dependencies", "of", "this", "operator", "for", "backward", "pass", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/operator.py#L402-L424
train
apache/incubator-mxnet
python/mxnet/operator.py
CustomOp.assign
def assign(self, dst, req, src): """Helper function for assigning into dst depending on requirements.""" if req == 'null': return elif req in ('write', 'inplace'): dst[:] = src elif req == 'add': dst[:] += src
python
def assign(self, dst, req, src): """Helper function for assigning into dst depending on requirements.""" if req == 'null': return elif req in ('write', 'inplace'): dst[:] = src elif req == 'add': dst[:] += src
[ "def", "assign", "(", "self", ",", "dst", ",", "req", ",", "src", ")", ":", "if", "req", "==", "'null'", ":", "return", "elif", "req", "in", "(", "'write'", ",", "'inplace'", ")", ":", "dst", "[", ":", "]", "=", "src", "elif", "req", "==", "'ad...
Helper function for assigning into dst depending on requirements.
[ "Helper", "function", "for", "assigning", "into", "dst", "depending", "on", "requirements", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/operator.py#L463-L470
train
apache/incubator-mxnet
python/mxnet/operator.py
CustomOpProp.infer_type
def infer_type(self, in_type): """infer_type interface. override to create new operators Parameters ---------- in_type : list of np.dtype list of argument types in the same order as declared in list_arguments. Returns ------- in_type : li...
python
def infer_type(self, in_type): """infer_type interface. override to create new operators Parameters ---------- in_type : list of np.dtype list of argument types in the same order as declared in list_arguments. Returns ------- in_type : li...
[ "def", "infer_type", "(", "self", ",", "in_type", ")", ":", "return", "in_type", ",", "[", "in_type", "[", "0", "]", "]", "*", "len", "(", "self", ".", "list_outputs", "(", ")", ")", ",", "[", "in_type", "[", "0", "]", "]", "*", "len", "(", "se...
infer_type interface. override to create new operators Parameters ---------- in_type : list of np.dtype list of argument types in the same order as declared in list_arguments. Returns ------- in_type : list list of argument types. Can...
[ "infer_type", "interface", ".", "override", "to", "create", "new", "operators" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/operator.py#L506-L527
train
apache/incubator-mxnet
python/mxnet/operator.py
CustomOpProp.infer_storage_type
def infer_storage_type(self, in_stype): """infer_storage_type interface. Used to infer storage type of inputs and outputs in the forward pass. When this interface is not implemented, all stypes will be inferred as default. Parameters ---------- in_stype : list of stypes,...
python
def infer_storage_type(self, in_stype): """infer_storage_type interface. Used to infer storage type of inputs and outputs in the forward pass. When this interface is not implemented, all stypes will be inferred as default. Parameters ---------- in_stype : list of stypes,...
[ "def", "infer_storage_type", "(", "self", ",", "in_stype", ")", ":", "for", "i", ",", "stype", "in", "enumerate", "(", "in_stype", ")", ":", "assert", "stype", "==", "_STORAGE_TYPE_ID_TO_STR", "[", "_STORAGE_TYPE_DEFAULT", "]", ",", "\"Default infer_storage_type i...
infer_storage_type interface. Used to infer storage type of inputs and outputs in the forward pass. When this interface is not implemented, all stypes will be inferred as default. Parameters ---------- in_stype : list of stypes, valid stypes are default, row_sparse and ...
[ "infer_storage_type", "interface", ".", "Used", "to", "infer", "storage", "type", "of", "inputs", "and", "outputs", "in", "the", "forward", "pass", ".", "When", "this", "interface", "is", "not", "implemented", "all", "stypes", "will", "be", "inferred", "as", ...
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/operator.py#L529-L558
train
apache/incubator-mxnet
python/mxnet/operator.py
CustomOpProp.infer_storage_type_backward
def infer_storage_type_backward(self, ograd_stype, in_stype, out_stype, igrad_stype, aux_stype): """infer_storage_type_backward interface. Used to infer storage type of inputs and outputs in the backward pass. Will raise an error if undefined storage type is returned. Returned lists hav...
python
def infer_storage_type_backward(self, ograd_stype, in_stype, out_stype, igrad_stype, aux_stype): """infer_storage_type_backward interface. Used to infer storage type of inputs and outputs in the backward pass. Will raise an error if undefined storage type is returned. Returned lists hav...
[ "def", "infer_storage_type_backward", "(", "self", ",", "ograd_stype", ",", "in_stype", ",", "out_stype", ",", "igrad_stype", ",", "aux_stype", ")", ":", "for", "i", ",", "stype", "in", "enumerate", "(", "ograd_stype", ")", ":", "assert", "stype", "==", "_ST...
infer_storage_type_backward interface. Used to infer storage type of inputs and outputs in the backward pass. Will raise an error if undefined storage type is returned. Returned lists have to be the same size as the input lists to infer_storage_type_backward, otherwise an exception will...
[ "infer_storage_type_backward", "interface", ".", "Used", "to", "infer", "storage", "type", "of", "inputs", "and", "outputs", "in", "the", "backward", "pass", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/operator.py#L560-L612
train
apache/incubator-mxnet
python/mxnet/operator.py
CustomOpProp.declare_backward_dependency
def declare_backward_dependency(self, out_grad, in_data, out_data): """Declare dependencies of this operator for backward pass. Parameters ---------- out_grad : list of int ids of out_grad blobs. in_data : list of int ids of in_data blobs. out_dat...
python
def declare_backward_dependency(self, out_grad, in_data, out_data): """Declare dependencies of this operator for backward pass. Parameters ---------- out_grad : list of int ids of out_grad blobs. in_data : list of int ids of in_data blobs. out_dat...
[ "def", "declare_backward_dependency", "(", "self", ",", "out_grad", ",", "in_data", ",", "out_data", ")", ":", "deps", "=", "[", "]", "if", "self", ".", "need_top_grad_", ":", "deps", ".", "extend", "(", "out_grad", ")", "deps", ".", "extend", "(", "in_d...
Declare dependencies of this operator for backward pass. Parameters ---------- out_grad : list of int ids of out_grad blobs. in_data : list of int ids of in_data blobs. out_data: list of int ids of out_data blobs. Returns ----...
[ "Declare", "dependencies", "of", "this", "operator", "for", "backward", "pass", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/operator.py#L644-L666
train
apache/incubator-mxnet
python/mxnet/operator.py
_Registry.inc
def inc(self): """Get index for new entry.""" self.lock.acquire() cur = self.counter self.counter += 1 self.lock.release() return cur
python
def inc(self): """Get index for new entry.""" self.lock.acquire() cur = self.counter self.counter += 1 self.lock.release() return cur
[ "def", "inc", "(", "self", ")", ":", "self", ".", "lock", ".", "acquire", "(", ")", "cur", "=", "self", ".", "counter", "self", ".", "counter", "+=", "1", "self", ".", "lock", ".", "release", "(", ")", "return", "cur" ]
Get index for new entry.
[ "Get", "index", "for", "new", "entry", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/operator.py#L682-L688
train
apache/incubator-mxnet
tools/rec2idx.py
IndexCreator.close
def close(self): """Closes the record and index files.""" if not self.is_open: return super(IndexCreator, self).close() self.fidx.close()
python
def close(self): """Closes the record and index files.""" if not self.is_open: return super(IndexCreator, self).close() self.fidx.close()
[ "def", "close", "(", "self", ")", ":", "if", "not", "self", ".", "is_open", ":", "return", "super", "(", "IndexCreator", ",", "self", ")", ".", "close", "(", ")", "self", ".", "fidx", ".", "close", "(", ")" ]
Closes the record and index files.
[ "Closes", "the", "record", "and", "index", "files", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/tools/rec2idx.py#L58-L63
train
apache/incubator-mxnet
tools/rec2idx.py
IndexCreator.tell
def tell(self): """Returns the current position of read head. """ pos = ctypes.c_size_t() check_call(_LIB.MXRecordIOReaderTell(self.handle, ctypes.byref(pos))) return pos.value
python
def tell(self): """Returns the current position of read head. """ pos = ctypes.c_size_t() check_call(_LIB.MXRecordIOReaderTell(self.handle, ctypes.byref(pos))) return pos.value
[ "def", "tell", "(", "self", ")", ":", "pos", "=", "ctypes", ".", "c_size_t", "(", ")", "check_call", "(", "_LIB", ".", "MXRecordIOReaderTell", "(", "self", ".", "handle", ",", "ctypes", ".", "byref", "(", "pos", ")", ")", ")", "return", "pos", ".", ...
Returns the current position of read head.
[ "Returns", "the", "current", "position", "of", "read", "head", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/tools/rec2idx.py#L65-L70
train
apache/incubator-mxnet
tools/rec2idx.py
IndexCreator.create_index
def create_index(self): """Creates the index file from open record file """ self.reset() counter = 0 pre_time = time.time() while True: if counter % 1000 == 0: cur_time = time.time() print('time:', cur_time - pre_time, ' count:'...
python
def create_index(self): """Creates the index file from open record file """ self.reset() counter = 0 pre_time = time.time() while True: if counter % 1000 == 0: cur_time = time.time() print('time:', cur_time - pre_time, ' count:'...
[ "def", "create_index", "(", "self", ")", ":", "self", ".", "reset", "(", ")", "counter", "=", "0", "pre_time", "=", "time", ".", "time", "(", ")", "while", "True", ":", "if", "counter", "%", "1000", "==", "0", ":", "cur_time", "=", "time", ".", "...
Creates the index file from open record file
[ "Creates", "the", "index", "file", "from", "open", "record", "file" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/tools/rec2idx.py#L72-L88
train
apache/incubator-mxnet
docs/mxdoc.py
_run_cmd
def _run_cmd(cmds): """Run commands, raise exception if failed""" if not isinstance(cmds, str): cmds = "".join(cmds) print("Execute \"%s\"" % cmds) try: subprocess.check_call(cmds, shell=True) except subprocess.CalledProcessError as err: print(err) raise err
python
def _run_cmd(cmds): """Run commands, raise exception if failed""" if not isinstance(cmds, str): cmds = "".join(cmds) print("Execute \"%s\"" % cmds) try: subprocess.check_call(cmds, shell=True) except subprocess.CalledProcessError as err: print(err) raise err
[ "def", "_run_cmd", "(", "cmds", ")", ":", "if", "not", "isinstance", "(", "cmds", ",", "str", ")", ":", "cmds", "=", "\"\"", ".", "join", "(", "cmds", ")", "print", "(", "\"Execute \\\"%s\\\"\"", "%", "cmds", ")", "try", ":", "subprocess", ".", "chec...
Run commands, raise exception if failed
[ "Run", "commands", "raise", "exception", "if", "failed" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/docs/mxdoc.py#L73-L82
train
apache/incubator-mxnet
docs/mxdoc.py
generate_doxygen
def generate_doxygen(app): """Run the doxygen make commands""" _run_cmd("cd %s/.. && make doxygen" % app.builder.srcdir) _run_cmd("cp -rf doxygen/html %s/doxygen" % app.builder.outdir)
python
def generate_doxygen(app): """Run the doxygen make commands""" _run_cmd("cd %s/.. && make doxygen" % app.builder.srcdir) _run_cmd("cp -rf doxygen/html %s/doxygen" % app.builder.outdir)
[ "def", "generate_doxygen", "(", "app", ")", ":", "_run_cmd", "(", "\"cd %s/.. && make doxygen\"", "%", "app", ".", "builder", ".", "srcdir", ")", "_run_cmd", "(", "\"cp -rf doxygen/html %s/doxygen\"", "%", "app", ".", "builder", ".", "outdir", ")" ]
Run the doxygen make commands
[ "Run", "the", "doxygen", "make", "commands" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/docs/mxdoc.py#L84-L87
train
apache/incubator-mxnet
docs/mxdoc.py
build_mxnet
def build_mxnet(app): """Build mxnet .so lib""" if not os.path.exists(os.path.join(app.builder.srcdir, '..', 'config.mk')): _run_cmd("cd %s/.. && cp make/config.mk config.mk && make -j$(nproc) USE_MKLDNN=0 USE_CPP_PACKAGE=1 " % app.builder.srcdir) else: _run_cmd("cd %s/.. && ...
python
def build_mxnet(app): """Build mxnet .so lib""" if not os.path.exists(os.path.join(app.builder.srcdir, '..', 'config.mk')): _run_cmd("cd %s/.. && cp make/config.mk config.mk && make -j$(nproc) USE_MKLDNN=0 USE_CPP_PACKAGE=1 " % app.builder.srcdir) else: _run_cmd("cd %s/.. && ...
[ "def", "build_mxnet", "(", "app", ")", ":", "if", "not", "os", ".", "path", ".", "exists", "(", "os", ".", "path", ".", "join", "(", "app", ".", "builder", ".", "srcdir", ",", "'..'", ",", "'config.mk'", ")", ")", ":", "_run_cmd", "(", "\"cd %s/.. ...
Build mxnet .so lib
[ "Build", "mxnet", ".", "so", "lib" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/docs/mxdoc.py#L89-L96
train
apache/incubator-mxnet
docs/mxdoc.py
build_r_docs
def build_r_docs(app): """build r pdf""" r_root = app.builder.srcdir + '/../R-package' pdf_path = app.builder.srcdir + '/api/r/mxnet-r-reference-manual.pdf' _run_cmd('cd ' + r_root + '; R -e "roxygen2::roxygenize()"; R CMD Rd2pdf . --no-preview -o ' + pdf_path) dest_path = app.builder.o...
python
def build_r_docs(app): """build r pdf""" r_root = app.builder.srcdir + '/../R-package' pdf_path = app.builder.srcdir + '/api/r/mxnet-r-reference-manual.pdf' _run_cmd('cd ' + r_root + '; R -e "roxygen2::roxygenize()"; R CMD Rd2pdf . --no-preview -o ' + pdf_path) dest_path = app.builder.o...
[ "def", "build_r_docs", "(", "app", ")", ":", "r_root", "=", "app", ".", "builder", ".", "srcdir", "+", "'/../R-package'", "pdf_path", "=", "app", ".", "builder", ".", "srcdir", "+", "'/api/r/mxnet-r-reference-manual.pdf'", "_run_cmd", "(", "'cd '", "+", "r_roo...
build r pdf
[ "build", "r", "pdf" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/docs/mxdoc.py#L98-L105
train
apache/incubator-mxnet
docs/mxdoc.py
build_scala
def build_scala(app): """build scala for scala docs, java docs, and clojure docs to use""" if any(v in _BUILD_VER for v in ['1.2.', '1.3.', '1.4.']): _run_cmd("cd %s/.. && make scalapkg" % app.builder.srcdir) _run_cmd("cd %s/.. && make scalainstall" % app.builder.srcdir) else: _run_c...
python
def build_scala(app): """build scala for scala docs, java docs, and clojure docs to use""" if any(v in _BUILD_VER for v in ['1.2.', '1.3.', '1.4.']): _run_cmd("cd %s/.. && make scalapkg" % app.builder.srcdir) _run_cmd("cd %s/.. && make scalainstall" % app.builder.srcdir) else: _run_c...
[ "def", "build_scala", "(", "app", ")", ":", "if", "any", "(", "v", "in", "_BUILD_VER", "for", "v", "in", "[", "'1.2.'", ",", "'1.3.'", ",", "'1.4.'", "]", ")", ":", "_run_cmd", "(", "\"cd %s/.. && make scalapkg\"", "%", "app", ".", "builder", ".", "src...
build scala for scala docs, java docs, and clojure docs to use
[ "build", "scala", "for", "scala", "docs", "java", "docs", "and", "clojure", "docs", "to", "use" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/docs/mxdoc.py#L107-L113
train
apache/incubator-mxnet
docs/mxdoc.py
build_scala_docs
def build_scala_docs(app): """build scala doc and then move the outdir""" scala_path = app.builder.srcdir + '/../scala-package' scala_doc_sources = 'find . -type f -name "*.scala" | egrep \"\.\/core|\.\/infer\" | egrep -v \"\/javaapi\" | egrep -v \"Suite\"' scala_doc_classpath = ':'.join([ '`fi...
python
def build_scala_docs(app): """build scala doc and then move the outdir""" scala_path = app.builder.srcdir + '/../scala-package' scala_doc_sources = 'find . -type f -name "*.scala" | egrep \"\.\/core|\.\/infer\" | egrep -v \"\/javaapi\" | egrep -v \"Suite\"' scala_doc_classpath = ':'.join([ '`fi...
[ "def", "build_scala_docs", "(", "app", ")", ":", "scala_path", "=", "app", ".", "builder", ".", "srcdir", "+", "'/../scala-package'", "scala_doc_sources", "=", "'find . -type f -name \"*.scala\" | egrep \\\"\\.\\/core|\\.\\/infer\\\" | egrep -v \\\"\\/javaapi\\\" | egrep -v \\\"Su...
build scala doc and then move the outdir
[ "build", "scala", "doc", "and", "then", "move", "the", "outdir" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/docs/mxdoc.py#L115-L135
train
apache/incubator-mxnet
docs/mxdoc.py
build_java_docs
def build_java_docs(app): """build java docs and then move the outdir""" java_path = app.builder.srcdir + '/../scala-package' java_doc_sources = 'find . -type f -name "*.scala" | egrep \"\.\/core|\.\/infer\" | egrep \"\/javaapi\" | egrep -v \"Suite\"' java_doc_classpath = ':'.join([ '`find nativ...
python
def build_java_docs(app): """build java docs and then move the outdir""" java_path = app.builder.srcdir + '/../scala-package' java_doc_sources = 'find . -type f -name "*.scala" | egrep \"\.\/core|\.\/infer\" | egrep \"\/javaapi\" | egrep -v \"Suite\"' java_doc_classpath = ':'.join([ '`find nativ...
[ "def", "build_java_docs", "(", "app", ")", ":", "java_path", "=", "app", ".", "builder", ".", "srcdir", "+", "'/../scala-package'", "java_doc_sources", "=", "'find . -type f -name \"*.scala\" | egrep \\\"\\.\\/core|\\.\\/infer\\\" | egrep \\\"\\/javaapi\\\" | egrep -v \\\"Suite\\\"...
build java docs and then move the outdir
[ "build", "java", "docs", "and", "then", "move", "the", "outdir" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/docs/mxdoc.py#L137-L154
train
apache/incubator-mxnet
docs/mxdoc.py
build_clojure_docs
def build_clojure_docs(app): """build clojure doc and then move the outdir""" clojure_path = app.builder.srcdir + '/../contrib/clojure-package' _run_cmd('cd ' + clojure_path + '; lein codox') dest_path = app.builder.outdir + '/api/clojure/docs' _run_cmd('rm -rf ' + dest_path) _run_cmd('mkdir -p ...
python
def build_clojure_docs(app): """build clojure doc and then move the outdir""" clojure_path = app.builder.srcdir + '/../contrib/clojure-package' _run_cmd('cd ' + clojure_path + '; lein codox') dest_path = app.builder.outdir + '/api/clojure/docs' _run_cmd('rm -rf ' + dest_path) _run_cmd('mkdir -p ...
[ "def", "build_clojure_docs", "(", "app", ")", ":", "clojure_path", "=", "app", ".", "builder", ".", "srcdir", "+", "'/../contrib/clojure-package'", "_run_cmd", "(", "'cd '", "+", "clojure_path", "+", "'; lein codox'", ")", "dest_path", "=", "app", ".", "builder"...
build clojure doc and then move the outdir
[ "build", "clojure", "doc", "and", "then", "move", "the", "outdir" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/docs/mxdoc.py#L156-L164
train
apache/incubator-mxnet
docs/mxdoc.py
_convert_md_table_to_rst
def _convert_md_table_to_rst(table): """Convert a markdown table to rst format""" if len(table) < 3: return '' out = '```eval_rst\n.. list-table::\n :header-rows: 1\n\n' for i,l in enumerate(table): cols = l.split('|')[1:-1] if i == 0: ncol = len(cols) else:...
python
def _convert_md_table_to_rst(table): """Convert a markdown table to rst format""" if len(table) < 3: return '' out = '```eval_rst\n.. list-table::\n :header-rows: 1\n\n' for i,l in enumerate(table): cols = l.split('|')[1:-1] if i == 0: ncol = len(cols) else:...
[ "def", "_convert_md_table_to_rst", "(", "table", ")", ":", "if", "len", "(", "table", ")", "<", "3", ":", "return", "''", "out", "=", "'```eval_rst\\n.. list-table::\\n :header-rows: 1\\n\\n'", "for", "i", ",", "l", "in", "enumerate", "(", "table", ")", ":",...
Convert a markdown table to rst format
[ "Convert", "a", "markdown", "table", "to", "rst", "format" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/docs/mxdoc.py#L166-L188
train
apache/incubator-mxnet
docs/mxdoc.py
convert_table
def convert_table(app, docname, source): """Find tables in a markdown and then convert them into the rst format""" num_tables = 0 for i,j in enumerate(source): table = [] output = '' in_table = False for l in j.split('\n'): r = l.strip() if r.startswit...
python
def convert_table(app, docname, source): """Find tables in a markdown and then convert them into the rst format""" num_tables = 0 for i,j in enumerate(source): table = [] output = '' in_table = False for l in j.split('\n'): r = l.strip() if r.startswit...
[ "def", "convert_table", "(", "app", ",", "docname", ",", "source", ")", ":", "num_tables", "=", "0", "for", "i", ",", "j", "in", "enumerate", "(", "source", ")", ":", "table", "=", "[", "]", "output", "=", "''", "in_table", "=", "False", "for", "l"...
Find tables in a markdown and then convert them into the rst format
[ "Find", "tables", "in", "a", "markdown", "and", "then", "convert", "them", "into", "the", "rst", "format" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/docs/mxdoc.py#L191-L217
train
apache/incubator-mxnet
docs/mxdoc.py
_parse_code_lines
def _parse_code_lines(lines): """A iterator that returns if a line is within a code block Returns ------- iterator of (str, bool, str, int) - line: the line - in_code: if this line is in a code block - lang: the code block langunage - indent: the code indent """ ...
python
def _parse_code_lines(lines): """A iterator that returns if a line is within a code block Returns ------- iterator of (str, bool, str, int) - line: the line - in_code: if this line is in a code block - lang: the code block langunage - indent: the code indent """ ...
[ "def", "_parse_code_lines", "(", "lines", ")", ":", "in_code", "=", "False", "lang", "=", "None", "indent", "=", "None", "for", "l", "in", "lines", ":", "m", "=", "_CODE_MARK", ".", "match", "(", "l", ")", "if", "m", "is", "not", "None", ":", "if",...
A iterator that returns if a line is within a code block Returns ------- iterator of (str, bool, str, int) - line: the line - in_code: if this line is in a code block - lang: the code block langunage - indent: the code indent
[ "A", "iterator", "that", "returns", "if", "a", "line", "is", "within", "a", "code", "block" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/docs/mxdoc.py#L219-L248
train
apache/incubator-mxnet
docs/mxdoc.py
_get_blocks
def _get_blocks(lines): """split lines into code and non-code blocks Returns ------- iterator of (bool, str, list of str) - if it is a code block - source language - lines of source """ cur_block = [] pre_lang = None pre_in_code = None for (l, in_code, cur_lang, _)...
python
def _get_blocks(lines): """split lines into code and non-code blocks Returns ------- iterator of (bool, str, list of str) - if it is a code block - source language - lines of source """ cur_block = [] pre_lang = None pre_in_code = None for (l, in_code, cur_lang, _)...
[ "def", "_get_blocks", "(", "lines", ")", ":", "cur_block", "=", "[", "]", "pre_lang", "=", "None", "pre_in_code", "=", "None", "for", "(", "l", ",", "in_code", ",", "cur_lang", ",", "_", ")", "in", "_parse_code_lines", "(", "lines", ")", ":", "if", "...
split lines into code and non-code blocks Returns ------- iterator of (bool, str, list of str) - if it is a code block - source language - lines of source
[ "split", "lines", "into", "code", "and", "non", "-", "code", "blocks" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/docs/mxdoc.py#L260-L296
train
apache/incubator-mxnet
docs/mxdoc.py
_get_python_block_output
def _get_python_block_output(src, global_dict, local_dict): """Evaluate python source codes Returns (bool, str): - True if success - output """ src = '\n'.join([l for l in src.split('\n') if not l.startswith('%') and not 'plt.show()' in l]) ret_status = True ...
python
def _get_python_block_output(src, global_dict, local_dict): """Evaluate python source codes Returns (bool, str): - True if success - output """ src = '\n'.join([l for l in src.split('\n') if not l.startswith('%') and not 'plt.show()' in l]) ret_status = True ...
[ "def", "_get_python_block_output", "(", "src", ",", "global_dict", ",", "local_dict", ")", ":", "src", "=", "'\\n'", ".", "join", "(", "[", "l", "for", "l", "in", "src", ".", "split", "(", "'\\n'", ")", "if", "not", "l", ".", "startswith", "(", "'%'"...
Evaluate python source codes Returns (bool, str): - True if success - output
[ "Evaluate", "python", "source", "codes" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/docs/mxdoc.py#L321-L339
train
apache/incubator-mxnet
docs/mxdoc.py
copy_artifacts
def copy_artifacts(app): """Copies artifacts needed for website presentation""" dest_path = app.builder.outdir + '/error' source_path = app.builder.srcdir + '/build_version_doc/artifacts' _run_cmd('cd ' + app.builder.srcdir) _run_cmd('rm -rf ' + dest_path) _run_cmd('mkdir -p ' + dest_path) _...
python
def copy_artifacts(app): """Copies artifacts needed for website presentation""" dest_path = app.builder.outdir + '/error' source_path = app.builder.srcdir + '/build_version_doc/artifacts' _run_cmd('cd ' + app.builder.srcdir) _run_cmd('rm -rf ' + dest_path) _run_cmd('mkdir -p ' + dest_path) _...
[ "def", "copy_artifacts", "(", "app", ")", ":", "dest_path", "=", "app", ".", "builder", ".", "outdir", "+", "'/error'", "source_path", "=", "app", ".", "builder", ".", "srcdir", "+", "'/build_version_doc/artifacts'", "_run_cmd", "(", "'cd '", "+", "app", "."...
Copies artifacts needed for website presentation
[ "Copies", "artifacts", "needed", "for", "website", "presentation" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/docs/mxdoc.py#L443-L455
train
apache/incubator-mxnet
tools/caffe_converter/convert_caffe_modelzoo.py
download_caffe_model
def download_caffe_model(model_name, meta_info, dst_dir='./model'): """Download caffe model into disk by the given meta info """ if not os.path.isdir(dst_dir): os.mkdir(dst_dir) model_name = os.path.join(dst_dir, model_name) assert 'prototxt' in meta_info, "missing prototxt url" proto_url, ...
python
def download_caffe_model(model_name, meta_info, dst_dir='./model'): """Download caffe model into disk by the given meta info """ if not os.path.isdir(dst_dir): os.mkdir(dst_dir) model_name = os.path.join(dst_dir, model_name) assert 'prototxt' in meta_info, "missing prototxt url" proto_url, ...
[ "def", "download_caffe_model", "(", "model_name", ",", "meta_info", ",", "dst_dir", "=", "'./model'", ")", ":", "if", "not", "os", ".", "path", ".", "isdir", "(", "dst_dir", ")", ":", "os", ".", "mkdir", "(", "dst_dir", ")", "model_name", "=", "os", "....
Download caffe model into disk by the given meta info
[ "Download", "caffe", "model", "into", "disk", "by", "the", "given", "meta", "info" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/tools/caffe_converter/convert_caffe_modelzoo.py#L118-L142
train
apache/incubator-mxnet
tools/caffe_converter/convert_caffe_modelzoo.py
convert_caffe_model
def convert_caffe_model(model_name, meta_info, dst_dir='./model'): """Download, convert and save a caffe model""" (prototxt, caffemodel, mean) = download_caffe_model(model_name, meta_info, dst_dir) model_name = os.path.join(dst_dir, model_name) convert_model(prototxt, caffemodel, model_name) if isi...
python
def convert_caffe_model(model_name, meta_info, dst_dir='./model'): """Download, convert and save a caffe model""" (prototxt, caffemodel, mean) = download_caffe_model(model_name, meta_info, dst_dir) model_name = os.path.join(dst_dir, model_name) convert_model(prototxt, caffemodel, model_name) if isi...
[ "def", "convert_caffe_model", "(", "model_name", ",", "meta_info", ",", "dst_dir", "=", "'./model'", ")", ":", "(", "prototxt", ",", "caffemodel", ",", "mean", ")", "=", "download_caffe_model", "(", "model_name", ",", "meta_info", ",", "dst_dir", ")", "model_n...
Download, convert and save a caffe model
[ "Download", "convert", "and", "save", "a", "caffe", "model" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/tools/caffe_converter/convert_caffe_modelzoo.py#L144-L154
train
apache/incubator-mxnet
example/gluon/lipnet/utils/multi.py
multi_p_run
def multi_p_run(tot_num, _func, worker, params, n_process): """ Run _func with multi-process using params. """ from multiprocessing import Process, Queue out_q = Queue() procs = [] split_num = split_seq(list(range(0, tot_num)), n_process) print(tot_num, ">>", split_num) split_len ...
python
def multi_p_run(tot_num, _func, worker, params, n_process): """ Run _func with multi-process using params. """ from multiprocessing import Process, Queue out_q = Queue() procs = [] split_num = split_seq(list(range(0, tot_num)), n_process) print(tot_num, ">>", split_num) split_len ...
[ "def", "multi_p_run", "(", "tot_num", ",", "_func", ",", "worker", ",", "params", ",", "n_process", ")", ":", "from", "multiprocessing", "import", "Process", ",", "Queue", "out_q", "=", "Queue", "(", ")", "procs", "=", "[", "]", "split_num", "=", "split_...
Run _func with multi-process using params.
[ "Run", "_func", "with", "multi", "-", "process", "using", "params", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/example/gluon/lipnet/utils/multi.py#L23-L63
train
apache/incubator-mxnet
example/gluon/lipnet/utils/multi.py
split_seq
def split_seq(sam_num, n_tile): """ Split the number(sam_num) into numbers by n_tile """ import math print(sam_num) print(n_tile) start_num = sam_num[0::int(math.ceil(len(sam_num) / (n_tile)))] end_num = start_num[1::] end_num.append(len(sam_num)) return [[i, j] for i, j in zip(s...
python
def split_seq(sam_num, n_tile): """ Split the number(sam_num) into numbers by n_tile """ import math print(sam_num) print(n_tile) start_num = sam_num[0::int(math.ceil(len(sam_num) / (n_tile)))] end_num = start_num[1::] end_num.append(len(sam_num)) return [[i, j] for i, j in zip(s...
[ "def", "split_seq", "(", "sam_num", ",", "n_tile", ")", ":", "import", "math", "print", "(", "sam_num", ")", "print", "(", "n_tile", ")", "start_num", "=", "sam_num", "[", "0", ":", ":", "int", "(", "math", ".", "ceil", "(", "len", "(", "sam_num", ...
Split the number(sam_num) into numbers by n_tile
[ "Split", "the", "number", "(", "sam_num", ")", "into", "numbers", "by", "n_tile" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/example/gluon/lipnet/utils/multi.py#L66-L76
train
apache/incubator-mxnet
example/gluon/lipnet/utils/multi.py
put_worker
def put_worker(func, from_idx, to_idx, params, out_q): """ put worker """ succ, fail = func(from_idx, to_idx, params) return out_q.put({'succ': succ, 'fail': fail})
python
def put_worker(func, from_idx, to_idx, params, out_q): """ put worker """ succ, fail = func(from_idx, to_idx, params) return out_q.put({'succ': succ, 'fail': fail})
[ "def", "put_worker", "(", "func", ",", "from_idx", ",", "to_idx", ",", "params", ",", "out_q", ")", ":", "succ", ",", "fail", "=", "func", "(", "from_idx", ",", "to_idx", ",", "params", ")", "return", "out_q", ".", "put", "(", "{", "'succ'", ":", "...
put worker
[ "put", "worker" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/example/gluon/lipnet/utils/multi.py#L79-L84
train
apache/incubator-mxnet
example/ssd/config/utils.py
namedtuple_with_defaults
def namedtuple_with_defaults(typename, field_names, default_values=()): """ create a namedtuple with default values """ T = collections.namedtuple(typename, field_names) T.__new__.__defaults__ = (None, ) * len(T._fields) if isinstance(default_values, collections.Mapping): prototype = T(**default...
python
def namedtuple_with_defaults(typename, field_names, default_values=()): """ create a namedtuple with default values """ T = collections.namedtuple(typename, field_names) T.__new__.__defaults__ = (None, ) * len(T._fields) if isinstance(default_values, collections.Mapping): prototype = T(**default...
[ "def", "namedtuple_with_defaults", "(", "typename", ",", "field_names", ",", "default_values", "=", "(", ")", ")", ":", "T", "=", "collections", ".", "namedtuple", "(", "typename", ",", "field_names", ")", "T", ".", "__new__", ".", "__defaults__", "=", "(", ...
create a namedtuple with default values
[ "create", "a", "namedtuple", "with", "default", "values" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/example/ssd/config/utils.py#L61-L70
train
apache/incubator-mxnet
example/ssd/config/utils.py
merge_dict
def merge_dict(a, b): """ merge dict a, b, with b overriding keys in a """ c = a.copy() c.update(b) return c
python
def merge_dict(a, b): """ merge dict a, b, with b overriding keys in a """ c = a.copy() c.update(b) return c
[ "def", "merge_dict", "(", "a", ",", "b", ")", ":", "c", "=", "a", ".", "copy", "(", ")", "c", ".", "update", "(", "b", ")", "return", "c" ]
merge dict a, b, with b overriding keys in a
[ "merge", "dict", "a", "b", "with", "b", "overriding", "keys", "in", "a" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/example/ssd/config/utils.py#L72-L76
train
apache/incubator-mxnet
example/ssd/config/utils.py
zip_namedtuple
def zip_namedtuple(nt_list): """ accept list of namedtuple, return a dict of zipped fields """ if not nt_list: return dict() if not isinstance(nt_list, list): nt_list = [nt_list] for nt in nt_list: assert type(nt) == type(nt_list[0]) ret = {k : [v] for k, v in nt_list[0]._asd...
python
def zip_namedtuple(nt_list): """ accept list of namedtuple, return a dict of zipped fields """ if not nt_list: return dict() if not isinstance(nt_list, list): nt_list = [nt_list] for nt in nt_list: assert type(nt) == type(nt_list[0]) ret = {k : [v] for k, v in nt_list[0]._asd...
[ "def", "zip_namedtuple", "(", "nt_list", ")", ":", "if", "not", "nt_list", ":", "return", "dict", "(", ")", "if", "not", "isinstance", "(", "nt_list", ",", "list", ")", ":", "nt_list", "=", "[", "nt_list", "]", "for", "nt", "in", "nt_list", ":", "ass...
accept list of namedtuple, return a dict of zipped fields
[ "accept", "list", "of", "namedtuple", "return", "a", "dict", "of", "zipped", "fields" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/example/ssd/config/utils.py#L78-L90
train
apache/incubator-mxnet
example/ssd/config/utils.py
config_as_dict
def config_as_dict(cfg): """ convert raw configuration to unified dictionary """ ret = cfg.__dict__.copy() # random cropping params del ret['rand_crop_samplers'] assert isinstance(cfg.rand_crop_samplers, list) ret = merge_dict(ret, zip_namedtuple(cfg.rand_crop_samplers)) num_crop_sampler = l...
python
def config_as_dict(cfg): """ convert raw configuration to unified dictionary """ ret = cfg.__dict__.copy() # random cropping params del ret['rand_crop_samplers'] assert isinstance(cfg.rand_crop_samplers, list) ret = merge_dict(ret, zip_namedtuple(cfg.rand_crop_samplers)) num_crop_sampler = l...
[ "def", "config_as_dict", "(", "cfg", ")", ":", "ret", "=", "cfg", ".", "__dict__", ".", "copy", "(", ")", "# random cropping params", "del", "ret", "[", "'rand_crop_samplers'", "]", "assert", "isinstance", "(", "cfg", ".", "rand_crop_samplers", ",", "list", ...
convert raw configuration to unified dictionary
[ "convert", "raw", "configuration", "to", "unified", "dictionary" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/example/ssd/config/utils.py#L92-L108
train
apache/incubator-mxnet
python/mxnet/contrib/onnx/onnx2mx/import_model.py
import_model
def import_model(model_file): """Imports the ONNX model file, passed as a parameter, into MXNet symbol and parameters. Operator support and coverage - https://cwiki.apache.org/confluence/display/MXNET/MXNet-ONNX+Integration Parameters ---------- model_file : str ONNX model file name ...
python
def import_model(model_file): """Imports the ONNX model file, passed as a parameter, into MXNet symbol and parameters. Operator support and coverage - https://cwiki.apache.org/confluence/display/MXNET/MXNet-ONNX+Integration Parameters ---------- model_file : str ONNX model file name ...
[ "def", "import_model", "(", "model_file", ")", ":", "graph", "=", "GraphProto", "(", ")", "try", ":", "import", "onnx", "except", "ImportError", ":", "raise", "ImportError", "(", "\"Onnx and protobuf need to be installed. \"", "+", "\"Instructions to install - https://g...
Imports the ONNX model file, passed as a parameter, into MXNet symbol and parameters. Operator support and coverage - https://cwiki.apache.org/confluence/display/MXNET/MXNet-ONNX+Integration Parameters ---------- model_file : str ONNX model file name Returns ------- sym : :clas...
[ "Imports", "the", "ONNX", "model", "file", "passed", "as", "a", "parameter", "into", "MXNet", "symbol", "and", "parameters", ".", "Operator", "support", "and", "coverage", "-", "https", ":", "//", "cwiki", ".", "apache", ".", "org", "/", "confluence", "/",...
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/contrib/onnx/onnx2mx/import_model.py#L24-L60
train
apache/incubator-mxnet
python/mxnet/contrib/onnx/onnx2mx/import_model.py
get_model_metadata
def get_model_metadata(model_file): """ Returns the name and shape information of input and output tensors of the given ONNX model file. Notes ----- This method is available when you ``import mxnet.contrib.onnx`` Parameters ---------- model_file : str ONNX model file name ...
python
def get_model_metadata(model_file): """ Returns the name and shape information of input and output tensors of the given ONNX model file. Notes ----- This method is available when you ``import mxnet.contrib.onnx`` Parameters ---------- model_file : str ONNX model file name ...
[ "def", "get_model_metadata", "(", "model_file", ")", ":", "graph", "=", "GraphProto", "(", ")", "try", ":", "import", "onnx", "except", "ImportError", ":", "raise", "ImportError", "(", "\"Onnx and protobuf need to be installed. \"", "+", "\"Instructions to install - htt...
Returns the name and shape information of input and output tensors of the given ONNX model file. Notes ----- This method is available when you ``import mxnet.contrib.onnx`` Parameters ---------- model_file : str ONNX model file name Returns ------- model_metadata : dict ...
[ "Returns", "the", "name", "and", "shape", "information", "of", "input", "and", "output", "tensors", "of", "the", "given", "ONNX", "model", "file", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/contrib/onnx/onnx2mx/import_model.py#L62-L93
train
apache/incubator-mxnet
example/ssd/symbol/common.py
conv_act_layer
def conv_act_layer(from_layer, name, num_filter, kernel=(1,1), pad=(0,0), \ stride=(1,1), act_type="relu", use_batchnorm=False): """ wrapper for a small Convolution group Parameters: ---------- from_layer : mx.symbol continue on which layer name : str base name of the new la...
python
def conv_act_layer(from_layer, name, num_filter, kernel=(1,1), pad=(0,0), \ stride=(1,1), act_type="relu", use_batchnorm=False): """ wrapper for a small Convolution group Parameters: ---------- from_layer : mx.symbol continue on which layer name : str base name of the new la...
[ "def", "conv_act_layer", "(", "from_layer", ",", "name", ",", "num_filter", ",", "kernel", "=", "(", "1", ",", "1", ")", ",", "pad", "=", "(", "0", ",", "0", ")", ",", "stride", "=", "(", "1", ",", "1", ")", ",", "act_type", "=", "\"relu\"", ",...
wrapper for a small Convolution group Parameters: ---------- from_layer : mx.symbol continue on which layer name : str base name of the new layers num_filter : int how many filters to use in Convolution layer kernel : tuple (int, int) kernel size (h, w) pad :...
[ "wrapper", "for", "a", "small", "Convolution", "group" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/example/ssd/symbol/common.py#L21-L55
train
apache/incubator-mxnet
example/ssd/symbol/common.py
legacy_conv_act_layer
def legacy_conv_act_layer(from_layer, name, num_filter, kernel=(1,1), pad=(0,0), \ stride=(1,1), act_type="relu", use_batchnorm=False): """ wrapper for a small Convolution group Parameters: ---------- from_layer : mx.symbol continue on which layer name : str base name of the...
python
def legacy_conv_act_layer(from_layer, name, num_filter, kernel=(1,1), pad=(0,0), \ stride=(1,1), act_type="relu", use_batchnorm=False): """ wrapper for a small Convolution group Parameters: ---------- from_layer : mx.symbol continue on which layer name : str base name of the...
[ "def", "legacy_conv_act_layer", "(", "from_layer", ",", "name", ",", "num_filter", ",", "kernel", "=", "(", "1", ",", "1", ")", ",", "pad", "=", "(", "0", ",", "0", ")", ",", "stride", "=", "(", "1", ",", "1", ")", ",", "act_type", "=", "\"relu\"...
wrapper for a small Convolution group Parameters: ---------- from_layer : mx.symbol continue on which layer name : str base name of the new layers num_filter : int how many filters to use in Convolution layer kernel : tuple (int, int) kernel size (h, w) pad :...
[ "wrapper", "for", "a", "small", "Convolution", "group" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/example/ssd/symbol/common.py#L57-L94
train
apache/incubator-mxnet
example/ssd/symbol/common.py
multi_layer_feature
def multi_layer_feature(body, from_layers, num_filters, strides, pads, min_filter=128): """Wrapper function to extract features from base network, attaching extra layers and SSD specific layers Parameters ---------- from_layers : list of str feature extraction layers, use '' for add extra l...
python
def multi_layer_feature(body, from_layers, num_filters, strides, pads, min_filter=128): """Wrapper function to extract features from base network, attaching extra layers and SSD specific layers Parameters ---------- from_layers : list of str feature extraction layers, use '' for add extra l...
[ "def", "multi_layer_feature", "(", "body", ",", "from_layers", ",", "num_filters", ",", "strides", ",", "pads", ",", "min_filter", "=", "128", ")", ":", "# arguments check", "assert", "len", "(", "from_layers", ")", ">", "0", "assert", "isinstance", "(", "fr...
Wrapper function to extract features from base network, attaching extra layers and SSD specific layers Parameters ---------- from_layers : list of str feature extraction layers, use '' for add extra layers For example: from_layers = ['relu4_3', 'fc7', '', '', '', ''] whi...
[ "Wrapper", "function", "to", "extract", "features", "from", "base", "network", "attaching", "extra", "layers", "and", "SSD", "specific", "layers" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/example/ssd/symbol/common.py#L96-L151
train
apache/incubator-mxnet
example/ssd/symbol/common.py
multibox_layer
def multibox_layer(from_layers, num_classes, sizes=[.2, .95], ratios=[1], normalization=-1, num_channels=[], clip=False, interm_layer=0, steps=[]): """ the basic aggregation module for SSD detection. Takes in multiple layers, generate multiple object detection targets...
python
def multibox_layer(from_layers, num_classes, sizes=[.2, .95], ratios=[1], normalization=-1, num_channels=[], clip=False, interm_layer=0, steps=[]): """ the basic aggregation module for SSD detection. Takes in multiple layers, generate multiple object detection targets...
[ "def", "multibox_layer", "(", "from_layers", ",", "num_classes", ",", "sizes", "=", "[", ".2", ",", ".95", "]", ",", "ratios", "=", "[", "1", "]", ",", "normalization", "=", "-", "1", ",", "num_channels", "=", "[", "]", ",", "clip", "=", "False", "...
the basic aggregation module for SSD detection. Takes in multiple layers, generate multiple object detection targets by customized layers Parameters: ---------- from_layers : list of mx.symbol generate multibox detection from layers num_classes : int number of classes excluding back...
[ "the", "basic", "aggregation", "module", "for", "SSD", "detection", ".", "Takes", "in", "multiple", "layers", "generate", "multiple", "object", "detection", "targets", "by", "customized", "layers" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/example/ssd/symbol/common.py#L153-L304
train
apache/incubator-mxnet
python/mxnet/gluon/loss.py
_apply_weighting
def _apply_weighting(F, loss, weight=None, sample_weight=None): """Apply weighting to loss. Parameters ---------- loss : Symbol The loss to be weighted. weight : float or None Global scalar weight for loss. sample_weight : Symbol or None Per sample weighting. Must be bro...
python
def _apply_weighting(F, loss, weight=None, sample_weight=None): """Apply weighting to loss. Parameters ---------- loss : Symbol The loss to be weighted. weight : float or None Global scalar weight for loss. sample_weight : Symbol or None Per sample weighting. Must be bro...
[ "def", "_apply_weighting", "(", "F", ",", "loss", ",", "weight", "=", "None", ",", "sample_weight", "=", "None", ")", ":", "if", "sample_weight", "is", "not", "None", ":", "loss", "=", "F", ".", "broadcast_mul", "(", "loss", ",", "sample_weight", ")", ...
Apply weighting to loss. Parameters ---------- loss : Symbol The loss to be weighted. weight : float or None Global scalar weight for loss. sample_weight : Symbol or None Per sample weighting. Must be broadcastable to the same shape as loss. For example, if loss has ...
[ "Apply", "weighting", "to", "loss", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/gluon/loss.py#L34-L62
train
apache/incubator-mxnet
python/mxnet/gluon/loss.py
_reshape_like
def _reshape_like(F, x, y): """Reshapes x to the same shape as y.""" return x.reshape(y.shape) if F is ndarray else F.reshape_like(x, y)
python
def _reshape_like(F, x, y): """Reshapes x to the same shape as y.""" return x.reshape(y.shape) if F is ndarray else F.reshape_like(x, y)
[ "def", "_reshape_like", "(", "F", ",", "x", ",", "y", ")", ":", "return", "x", ".", "reshape", "(", "y", ".", "shape", ")", "if", "F", "is", "ndarray", "else", "F", ".", "reshape_like", "(", "x", ",", "y", ")" ]
Reshapes x to the same shape as y.
[ "Reshapes", "x", "to", "the", "same", "shape", "as", "y", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/gluon/loss.py#L65-L67
train
apache/incubator-mxnet
example/neural-style/nstyle.py
get_tv_grad_executor
def get_tv_grad_executor(img, ctx, tv_weight): """create TV gradient executor with input binded on img """ if tv_weight <= 0.0: return None nchannel = img.shape[1] simg = mx.sym.Variable("img") skernel = mx.sym.Variable("kernel") channels = mx.sym.SliceChannel(simg, num_outputs=nchan...
python
def get_tv_grad_executor(img, ctx, tv_weight): """create TV gradient executor with input binded on img """ if tv_weight <= 0.0: return None nchannel = img.shape[1] simg = mx.sym.Variable("img") skernel = mx.sym.Variable("kernel") channels = mx.sym.SliceChannel(simg, num_outputs=nchan...
[ "def", "get_tv_grad_executor", "(", "img", ",", "ctx", ",", "tv_weight", ")", ":", "if", "tv_weight", "<=", "0.0", ":", "return", "None", "nchannel", "=", "img", ".", "shape", "[", "1", "]", "simg", "=", "mx", ".", "sym", ".", "Variable", "(", "\"img...
create TV gradient executor with input binded on img
[ "create", "TV", "gradient", "executor", "with", "input", "binded", "on", "img" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/example/neural-style/nstyle.py#L143-L165
train
apache/incubator-mxnet
example/neural-style/nstyle.py
train_nstyle
def train_nstyle(args, callback=None): """Train a neural style network. Args are from argparse and control input, output, hyper-parameters. callback allows for display of training progress. """ # input dev = mx.gpu(args.gpu) if args.gpu >= 0 else mx.cpu() content_np = PreprocessContentImage(...
python
def train_nstyle(args, callback=None): """Train a neural style network. Args are from argparse and control input, output, hyper-parameters. callback allows for display of training progress. """ # input dev = mx.gpu(args.gpu) if args.gpu >= 0 else mx.cpu() content_np = PreprocessContentImage(...
[ "def", "train_nstyle", "(", "args", ",", "callback", "=", "None", ")", ":", "# input", "dev", "=", "mx", ".", "gpu", "(", "args", ".", "gpu", ")", "if", "args", ".", "gpu", ">=", "0", "else", "mx", ".", "cpu", "(", ")", "content_np", "=", "Prepro...
Train a neural style network. Args are from argparse and control input, output, hyper-parameters. callback allows for display of training progress.
[ "Train", "a", "neural", "style", "network", ".", "Args", "are", "from", "argparse", "and", "control", "input", "output", "hyper", "-", "parameters", ".", "callback", "allows", "for", "display", "of", "training", "progress", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/example/neural-style/nstyle.py#L167-L271
train
apache/incubator-mxnet
example/ssd/dataset/iterator.py
DetIter._get_batch
def _get_batch(self): """ Load data/label from dataset """ batch_data = mx.nd.zeros((self.batch_size, 3, self._data_shape[0], self._data_shape[1])) batch_label = [] for i in range(self.batch_size): if (self._current + i) >= self._size: if not s...
python
def _get_batch(self): """ Load data/label from dataset """ batch_data = mx.nd.zeros((self.batch_size, 3, self._data_shape[0], self._data_shape[1])) batch_label = [] for i in range(self.batch_size): if (self._current + i) >= self._size: if not s...
[ "def", "_get_batch", "(", "self", ")", ":", "batch_data", "=", "mx", ".", "nd", ".", "zeros", "(", "(", "self", ".", "batch_size", ",", "3", ",", "self", ".", "_data_shape", "[", "0", "]", ",", "self", ".", "_data_shape", "[", "1", "]", ")", ")",...
Load data/label from dataset
[ "Load", "data", "/", "label", "from", "dataset" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/example/ssd/dataset/iterator.py#L228-L257
train
apache/incubator-mxnet
example/ssd/dataset/iterator.py
DetIter._data_augmentation
def _data_augmentation(self, data, label): """ perform data augmentations: crop, mirror, resize, sub mean, swap channels... """ if self.is_train and self._rand_samplers: rand_crops = [] for rs in self._rand_samplers: rand_crops += rs.sample(label) ...
python
def _data_augmentation(self, data, label): """ perform data augmentations: crop, mirror, resize, sub mean, swap channels... """ if self.is_train and self._rand_samplers: rand_crops = [] for rs in self._rand_samplers: rand_crops += rs.sample(label) ...
[ "def", "_data_augmentation", "(", "self", ",", "data", ",", "label", ")", ":", "if", "self", ".", "is_train", "and", "self", ".", "_rand_samplers", ":", "rand_crops", "=", "[", "]", "for", "rs", "in", "self", ".", "_rand_samplers", ":", "rand_crops", "+=...
perform data augmentations: crop, mirror, resize, sub mean, swap channels...
[ "perform", "data", "augmentations", ":", "crop", "mirror", "resize", "sub", "mean", "swap", "channels", "..." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/example/ssd/dataset/iterator.py#L259-L307
train
apache/incubator-mxnet
example/deep-embedded-clustering/data.py
get_mnist
def get_mnist(): """ Gets MNIST dataset """ np.random.seed(1234) # set seed for deterministic ordering mnist_data = mx.test_utils.get_mnist() X = np.concatenate([mnist_data['train_data'], mnist_data['test_data']]) Y = np.concatenate([mnist_data['train_label'], mnist_data['test_label']]) p = np....
python
def get_mnist(): """ Gets MNIST dataset """ np.random.seed(1234) # set seed for deterministic ordering mnist_data = mx.test_utils.get_mnist() X = np.concatenate([mnist_data['train_data'], mnist_data['test_data']]) Y = np.concatenate([mnist_data['train_label'], mnist_data['test_label']]) p = np....
[ "def", "get_mnist", "(", ")", ":", "np", ".", "random", ".", "seed", "(", "1234", ")", "# set seed for deterministic ordering", "mnist_data", "=", "mx", ".", "test_utils", ".", "get_mnist", "(", ")", "X", "=", "np", ".", "concatenate", "(", "[", "mnist_dat...
Gets MNIST dataset
[ "Gets", "MNIST", "dataset" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/example/deep-embedded-clustering/data.py#L25-L35
train
apache/incubator-mxnet
python/mxnet/executor_manager.py
_split_input_slice
def _split_input_slice(batch_size, work_load_list): """Get input slice from the input shape. Parameters ---------- batch_size : int The number of samples in a mini-batch. work_load_list : list of float or int, optional The list of work load for different devices, in the same...
python
def _split_input_slice(batch_size, work_load_list): """Get input slice from the input shape. Parameters ---------- batch_size : int The number of samples in a mini-batch. work_load_list : list of float or int, optional The list of work load for different devices, in the same...
[ "def", "_split_input_slice", "(", "batch_size", ",", "work_load_list", ")", ":", "total_work_load", "=", "sum", "(", "work_load_list", ")", "batch_num_list", "=", "[", "round", "(", "work_load", "*", "batch_size", "/", "total_work_load", ")", "for", "work_load", ...
Get input slice from the input shape. Parameters ---------- batch_size : int The number of samples in a mini-batch. work_load_list : list of float or int, optional The list of work load for different devices, in the same order as `ctx`. Returns ------- slices : list...
[ "Get", "input", "slice", "from", "the", "input", "shape", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/executor_manager.py#L31-L66
train
apache/incubator-mxnet
python/mxnet/executor_manager.py
_check_arguments
def _check_arguments(symbol): """Check the argument names of symbol. This function checks the duplication of arguments in Symbol. The check is done for feedforward net for now. Parameters ---------- symbol : Symbol The network configuration. """ arg_set = set() arg_names = s...
python
def _check_arguments(symbol): """Check the argument names of symbol. This function checks the duplication of arguments in Symbol. The check is done for feedforward net for now. Parameters ---------- symbol : Symbol The network configuration. """ arg_set = set() arg_names = s...
[ "def", "_check_arguments", "(", "symbol", ")", ":", "arg_set", "=", "set", "(", ")", "arg_names", "=", "symbol", ".", "list_arguments", "(", ")", "for", "name", "in", "arg_names", ":", "if", "name", "in", "arg_set", ":", "raise", "ValueError", "(", "(", ...
Check the argument names of symbol. This function checks the duplication of arguments in Symbol. The check is done for feedforward net for now. Parameters ---------- symbol : Symbol The network configuration.
[ "Check", "the", "argument", "names", "of", "symbol", ".", "This", "function", "checks", "the", "duplication", "of", "arguments", "in", "Symbol", ".", "The", "check", "is", "done", "for", "feedforward", "net", "for", "now", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/executor_manager.py#L68-L96
train
apache/incubator-mxnet
python/mxnet/executor_manager.py
_load_general
def _load_general(data, targets): """Load a list of arrays into a list of arrays specified by slices.""" for d_src, d_targets in zip(data, targets): if isinstance(d_targets, nd.NDArray): d_src.copyto(d_targets) else: assert d_targets[-1][0].stop == d_src.shape[0], \ ...
python
def _load_general(data, targets): """Load a list of arrays into a list of arrays specified by slices.""" for d_src, d_targets in zip(data, targets): if isinstance(d_targets, nd.NDArray): d_src.copyto(d_targets) else: assert d_targets[-1][0].stop == d_src.shape[0], \ ...
[ "def", "_load_general", "(", "data", ",", "targets", ")", ":", "for", "d_src", ",", "d_targets", "in", "zip", "(", "data", ",", "targets", ")", ":", "if", "isinstance", "(", "d_targets", ",", "nd", ".", "NDArray", ")", ":", "d_src", ".", "copyto", "(...
Load a list of arrays into a list of arrays specified by slices.
[ "Load", "a", "list", "of", "arrays", "into", "a", "list", "of", "arrays", "specified", "by", "slices", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/executor_manager.py#L98-L108
train
apache/incubator-mxnet
python/mxnet/executor_manager.py
_bind_exec
def _bind_exec(sym, ctx, input_shapes, param_names, need_grad=False, base_exec=None, shared_data_arrays=None, input_types=None, logger=logging): """bind executor for bucketing, potentially sharing data with an existing executor.""" arg_shape, _, aux_shape = sym.infer_shape(**input_shapes) ass...
python
def _bind_exec(sym, ctx, input_shapes, param_names, need_grad=False, base_exec=None, shared_data_arrays=None, input_types=None, logger=logging): """bind executor for bucketing, potentially sharing data with an existing executor.""" arg_shape, _, aux_shape = sym.infer_shape(**input_shapes) ass...
[ "def", "_bind_exec", "(", "sym", ",", "ctx", ",", "input_shapes", ",", "param_names", ",", "need_grad", "=", "False", ",", "base_exec", "=", "None", ",", "shared_data_arrays", "=", "None", ",", "input_types", "=", "None", ",", "logger", "=", "logging", ")"...
bind executor for bucketing, potentially sharing data with an existing executor.
[ "bind", "executor", "for", "bucketing", "potentially", "sharing", "data", "with", "an", "existing", "executor", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/executor_manager.py#L119-L202
train
apache/incubator-mxnet
python/mxnet/executor_manager.py
DataParallelExecutorGroup.load_data_batch
def load_data_batch(self, data_batch): """Load data and labels into arrays.""" _load_data(data_batch, self.data_arrays) _load_label(data_batch, self.label_arrays)
python
def load_data_batch(self, data_batch): """Load data and labels into arrays.""" _load_data(data_batch, self.data_arrays) _load_label(data_batch, self.label_arrays)
[ "def", "load_data_batch", "(", "self", ",", "data_batch", ")", ":", "_load_data", "(", "data_batch", ",", "self", ".", "data_arrays", ")", "_load_label", "(", "data_batch", ",", "self", ".", "label_arrays", ")" ]
Load data and labels into arrays.
[ "Load", "data", "and", "labels", "into", "arrays", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/executor_manager.py#L274-L277
train
apache/incubator-mxnet
python/mxnet/executor_manager.py
DataParallelExecutorGroup.forward
def forward(self, is_train=False): """Perform a forward pass on each executor.""" for texec in self.train_execs: texec.forward(is_train=is_train)
python
def forward(self, is_train=False): """Perform a forward pass on each executor.""" for texec in self.train_execs: texec.forward(is_train=is_train)
[ "def", "forward", "(", "self", ",", "is_train", "=", "False", ")", ":", "for", "texec", "in", "self", ".", "train_execs", ":", "texec", ".", "forward", "(", "is_train", "=", "is_train", ")" ]
Perform a forward pass on each executor.
[ "Perform", "a", "forward", "pass", "on", "each", "executor", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/executor_manager.py#L279-L282
train
apache/incubator-mxnet
python/mxnet/executor_manager.py
DataParallelExecutorGroup.update_metric
def update_metric(self, metric, labels, pre_sliced=False): """Update evaluation metric with label and current outputs.""" for current_exec, (texec, islice) in enumerate(zip(self.train_execs, self.slices)): if not pre_sliced: labels_slice = [label[islice] for label in labels] ...
python
def update_metric(self, metric, labels, pre_sliced=False): """Update evaluation metric with label and current outputs.""" for current_exec, (texec, islice) in enumerate(zip(self.train_execs, self.slices)): if not pre_sliced: labels_slice = [label[islice] for label in labels] ...
[ "def", "update_metric", "(", "self", ",", "metric", ",", "labels", ",", "pre_sliced", "=", "False", ")", ":", "for", "current_exec", ",", "(", "texec", ",", "islice", ")", "in", "enumerate", "(", "zip", "(", "self", ".", "train_execs", ",", "self", "."...
Update evaluation metric with label and current outputs.
[ "Update", "evaluation", "metric", "with", "label", "and", "current", "outputs", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/executor_manager.py#L289-L296
train
apache/incubator-mxnet
python/mxnet/executor_manager.py
DataParallelExecutorManager.install_monitor
def install_monitor(self, monitor): """Install monitor on all executors.""" if self.sym_gen is not None: raise NotImplementedError("Monitoring is not implemented for bucketing") for train_exec in self.execgrp.train_execs: monitor.install(train_exec)
python
def install_monitor(self, monitor): """Install monitor on all executors.""" if self.sym_gen is not None: raise NotImplementedError("Monitoring is not implemented for bucketing") for train_exec in self.execgrp.train_execs: monitor.install(train_exec)
[ "def", "install_monitor", "(", "self", ",", "monitor", ")", ":", "if", "self", ".", "sym_gen", "is", "not", "None", ":", "raise", "NotImplementedError", "(", "\"Monitoring is not implemented for bucketing\"", ")", "for", "train_exec", "in", "self", ".", "execgrp",...
Install monitor on all executors.
[ "Install", "monitor", "on", "all", "executors", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/executor_manager.py#L355-L361
train
apache/incubator-mxnet
python/mxnet/executor_manager.py
DataParallelExecutorManager.set_params
def set_params(self, arg_params, aux_params): """Set parameter and aux values. Parameters ---------- arg_params : list of NDArray Source parameter arrays aux_params : list of NDArray Source aux arrays. """ for texec in self.execgrp.train_...
python
def set_params(self, arg_params, aux_params): """Set parameter and aux values. Parameters ---------- arg_params : list of NDArray Source parameter arrays aux_params : list of NDArray Source aux arrays. """ for texec in self.execgrp.train_...
[ "def", "set_params", "(", "self", ",", "arg_params", ",", "aux_params", ")", ":", "for", "texec", "in", "self", ".", "execgrp", ".", "train_execs", ":", "texec", ".", "copy_params_from", "(", "arg_params", ",", "aux_params", ")" ]
Set parameter and aux values. Parameters ---------- arg_params : list of NDArray Source parameter arrays aux_params : list of NDArray Source aux arrays.
[ "Set", "parameter", "and", "aux", "values", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/executor_manager.py#L363-L375
train
apache/incubator-mxnet
python/mxnet/executor_manager.py
DataParallelExecutorManager.load_data_batch
def load_data_batch(self, data_batch): """Load data and labels into arrays.""" if self.sym_gen is not None: key = data_batch.bucket_key if key not in self.execgrp_bucket: # create new bucket entry symbol = self.sym_gen(key) execgrp ...
python
def load_data_batch(self, data_batch): """Load data and labels into arrays.""" if self.sym_gen is not None: key = data_batch.bucket_key if key not in self.execgrp_bucket: # create new bucket entry symbol = self.sym_gen(key) execgrp ...
[ "def", "load_data_batch", "(", "self", ",", "data_batch", ")", ":", "if", "self", ".", "sym_gen", "is", "not", "None", ":", "key", "=", "data_batch", ".", "bucket_key", "if", "key", "not", "in", "self", ".", "execgrp_bucket", ":", "# create new bucket entry"...
Load data and labels into arrays.
[ "Load", "data", "and", "labels", "into", "arrays", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/executor_manager.py#L415-L432
train
apache/incubator-mxnet
python/mxnet/executor_manager.py
DataParallelExecutorManager.update_metric
def update_metric(self, metric, labels, pre_sliced=False): """Update metric with the current executor.""" self.curr_execgrp.update_metric(metric, labels, pre_sliced)
python
def update_metric(self, metric, labels, pre_sliced=False): """Update metric with the current executor.""" self.curr_execgrp.update_metric(metric, labels, pre_sliced)
[ "def", "update_metric", "(", "self", ",", "metric", ",", "labels", ",", "pre_sliced", "=", "False", ")", ":", "self", ".", "curr_execgrp", ".", "update_metric", "(", "metric", ",", "labels", ",", "pre_sliced", ")" ]
Update metric with the current executor.
[ "Update", "metric", "with", "the", "current", "executor", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/executor_manager.py#L442-L444
train
apache/incubator-mxnet
example/reinforcement-learning/dqn/replay_memory.py
ReplayMemory.clear
def clear(self): """ Clear all contents in the relay memory """ self.states[:] = 0 self.actions[:] = 0 self.rewards[:] = 0 self.terminate_flags[:] = 0 self.top = 0 self.size = 0
python
def clear(self): """ Clear all contents in the relay memory """ self.states[:] = 0 self.actions[:] = 0 self.rewards[:] = 0 self.terminate_flags[:] = 0 self.top = 0 self.size = 0
[ "def", "clear", "(", "self", ")", ":", "self", ".", "states", "[", ":", "]", "=", "0", "self", ".", "actions", "[", ":", "]", "=", "0", "self", ".", "rewards", "[", ":", "]", "=", "0", "self", ".", "terminate_flags", "[", ":", "]", "=", "0", ...
Clear all contents in the relay memory
[ "Clear", "all", "contents", "in", "the", "relay", "memory" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/example/reinforcement-learning/dqn/replay_memory.py#L63-L72
train
apache/incubator-mxnet
cpp-package/scripts/lint.py
get_header_guard_dmlc
def get_header_guard_dmlc(filename): """Get Header Guard Convention for DMLC Projects. For headers in include, directly use the path For headers in src, use project name plus path Examples: with project-name = dmlc include/dmlc/timer.h -> DMLC_TIMTER_H_ src/io/libsvm_parser.h -> DMLC_IO_...
python
def get_header_guard_dmlc(filename): """Get Header Guard Convention for DMLC Projects. For headers in include, directly use the path For headers in src, use project name plus path Examples: with project-name = dmlc include/dmlc/timer.h -> DMLC_TIMTER_H_ src/io/libsvm_parser.h -> DMLC_IO_...
[ "def", "get_header_guard_dmlc", "(", "filename", ")", ":", "fileinfo", "=", "cpplint", ".", "FileInfo", "(", "filename", ")", "file_path_from_root", "=", "fileinfo", ".", "RepositoryName", "(", ")", "inc_list", "=", "[", "'include'", ",", "'api'", ",", "'wrapp...
Get Header Guard Convention for DMLC Projects. For headers in include, directly use the path For headers in src, use project name plus path Examples: with project-name = dmlc include/dmlc/timer.h -> DMLC_TIMTER_H_ src/io/libsvm_parser.h -> DMLC_IO_LIBSVM_PARSER_H_
[ "Get", "Header", "Guard", "Convention", "for", "DMLC", "Projects", ".", "For", "headers", "in", "include", "directly", "use", "the", "path", "For", "headers", "in", "src", "use", "project", "name", "plus", "path", "Examples", ":", "with", "project", "-", "...
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/cpp-package/scripts/lint.py#L123-L144
train
apache/incubator-mxnet
cpp-package/scripts/lint.py
process
def process(fname, allow_type): """Process a file.""" fname = str(fname) # HACK: ignore op.h which is automatically generated if fname.endswith('op.h'): return arr = fname.rsplit('.', 1) if fname.find('#') != -1 or arr[-1] not in allow_type: return if arr[-1] in CXX_SUFFIX: ...
python
def process(fname, allow_type): """Process a file.""" fname = str(fname) # HACK: ignore op.h which is automatically generated if fname.endswith('op.h'): return arr = fname.rsplit('.', 1) if fname.find('#') != -1 or arr[-1] not in allow_type: return if arr[-1] in CXX_SUFFIX: ...
[ "def", "process", "(", "fname", ",", "allow_type", ")", ":", "fname", "=", "str", "(", "fname", ")", "# HACK: ignore op.h which is automatically generated", "if", "fname", ".", "endswith", "(", "'op.h'", ")", ":", "return", "arr", "=", "fname", ".", "rsplit", ...
Process a file.
[ "Process", "a", "file", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/cpp-package/scripts/lint.py#L148-L160
train
apache/incubator-mxnet
cpp-package/scripts/lint.py
main
def main(): """Main entry function.""" if len(sys.argv) < 3: print('Usage: <project-name> <filetype> <list-of-path to traverse>') print('\tfiletype can be python/cpp/all') exit(-1) _HELPER.project_name = sys.argv[1] file_type = sys.argv[2] allow_type = [] if file_type == ...
python
def main(): """Main entry function.""" if len(sys.argv) < 3: print('Usage: <project-name> <filetype> <list-of-path to traverse>') print('\tfiletype can be python/cpp/all') exit(-1) _HELPER.project_name = sys.argv[1] file_type = sys.argv[2] allow_type = [] if file_type == ...
[ "def", "main", "(", ")", ":", "if", "len", "(", "sys", ".", "argv", ")", "<", "3", ":", "print", "(", "'Usage: <project-name> <filetype> <list-of-path to traverse>'", ")", "print", "(", "'\\tfiletype can be python/cpp/all'", ")", "exit", "(", "-", "1", ")", "_...
Main entry function.
[ "Main", "entry", "function", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/cpp-package/scripts/lint.py#L162-L190
train
apache/incubator-mxnet
cpp-package/scripts/lint.py
LintHelper._print_summary_map
def _print_summary_map(strm, result_map, ftype): """Print summary of certain result map.""" if len(result_map) == 0: return 0 npass = len([x for k, x in result_map.iteritems() if len(x) == 0]) strm.write('=====%d/%d %s files passed check=====\n' % (npass, len(result_map), fty...
python
def _print_summary_map(strm, result_map, ftype): """Print summary of certain result map.""" if len(result_map) == 0: return 0 npass = len([x for k, x in result_map.iteritems() if len(x) == 0]) strm.write('=====%d/%d %s files passed check=====\n' % (npass, len(result_map), fty...
[ "def", "_print_summary_map", "(", "strm", ",", "result_map", ",", "ftype", ")", ":", "if", "len", "(", "result_map", ")", "==", "0", ":", "return", "0", "npass", "=", "len", "(", "[", "x", "for", "k", ",", "x", "in", "result_map", ".", "iteritems", ...
Print summary of certain result map.
[ "Print", "summary", "of", "certain", "result", "map", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/cpp-package/scripts/lint.py#L40-L51
train
apache/incubator-mxnet
cpp-package/scripts/lint.py
LintHelper.process_cpp
def process_cpp(self, path, suffix): """Process a cpp file.""" _cpplint_state.ResetErrorCounts() cpplint.ProcessFile(str(path), _cpplint_state.verbose_level) _cpplint_state.PrintErrorCounts() errors = _cpplint_state.errors_by_category.copy() if suffix == 'h': ...
python
def process_cpp(self, path, suffix): """Process a cpp file.""" _cpplint_state.ResetErrorCounts() cpplint.ProcessFile(str(path), _cpplint_state.verbose_level) _cpplint_state.PrintErrorCounts() errors = _cpplint_state.errors_by_category.copy() if suffix == 'h': ...
[ "def", "process_cpp", "(", "self", ",", "path", ",", "suffix", ")", ":", "_cpplint_state", ".", "ResetErrorCounts", "(", ")", "cpplint", ".", "ProcessFile", "(", "str", "(", "path", ")", ",", "_cpplint_state", ".", "verbose_level", ")", "_cpplint_state", "."...
Process a cpp file.
[ "Process", "a", "cpp", "file", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/cpp-package/scripts/lint.py#L78-L88
train
apache/incubator-mxnet
cpp-package/scripts/lint.py
LintHelper.process_python
def process_python(self, path): """Process a python file.""" (pylint_stdout, pylint_stderr) = epylint.py_run( ' '.join([str(path)] + self.pylint_opts), return_std=True) emap = {} print(pylint_stderr.read()) for line in pylint_stdout: sys.stderr.write(line)...
python
def process_python(self, path): """Process a python file.""" (pylint_stdout, pylint_stderr) = epylint.py_run( ' '.join([str(path)] + self.pylint_opts), return_std=True) emap = {} print(pylint_stderr.read()) for line in pylint_stdout: sys.stderr.write(line)...
[ "def", "process_python", "(", "self", ",", "path", ")", ":", "(", "pylint_stdout", ",", "pylint_stderr", ")", "=", "epylint", ".", "py_run", "(", "' '", ".", "join", "(", "[", "str", "(", "path", ")", "]", "+", "self", ".", "pylint_opts", ")", ",", ...
Process a python file.
[ "Process", "a", "python", "file", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/cpp-package/scripts/lint.py#L90-L106
train
apache/incubator-mxnet
cpp-package/scripts/lint.py
LintHelper.print_summary
def print_summary(self, strm): """Print summary of lint.""" nerr = 0 nerr += LintHelper._print_summary_map(strm, self.cpp_header_map, 'cpp-header') nerr += LintHelper._print_summary_map(strm, self.cpp_src_map, 'cpp-soruce') nerr += LintHelper._print_summary_map(strm, self.python_...
python
def print_summary(self, strm): """Print summary of lint.""" nerr = 0 nerr += LintHelper._print_summary_map(strm, self.cpp_header_map, 'cpp-header') nerr += LintHelper._print_summary_map(strm, self.cpp_src_map, 'cpp-soruce') nerr += LintHelper._print_summary_map(strm, self.python_...
[ "def", "print_summary", "(", "self", ",", "strm", ")", ":", "nerr", "=", "0", "nerr", "+=", "LintHelper", ".", "_print_summary_map", "(", "strm", ",", "self", ".", "cpp_header_map", ",", "'cpp-header'", ")", "nerr", "+=", "LintHelper", ".", "_print_summary_m...
Print summary of lint.
[ "Print", "summary", "of", "lint", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/cpp-package/scripts/lint.py#L108-L118
train
apache/incubator-mxnet
python/mxnet/kvstore_server.py
_init_kvstore_server_module
def _init_kvstore_server_module(): """Start server/scheduler.""" is_worker = ctypes.c_int() check_call(_LIB.MXKVStoreIsWorkerNode(ctypes.byref(is_worker))) if is_worker.value == 0: kvstore = create('dist') server = KVStoreServer(kvstore) server.run() sys.exit()
python
def _init_kvstore_server_module(): """Start server/scheduler.""" is_worker = ctypes.c_int() check_call(_LIB.MXKVStoreIsWorkerNode(ctypes.byref(is_worker))) if is_worker.value == 0: kvstore = create('dist') server = KVStoreServer(kvstore) server.run() sys.exit()
[ "def", "_init_kvstore_server_module", "(", ")", ":", "is_worker", "=", "ctypes", ".", "c_int", "(", ")", "check_call", "(", "_LIB", ".", "MXKVStoreIsWorkerNode", "(", "ctypes", ".", "byref", "(", "is_worker", ")", ")", ")", "if", "is_worker", ".", "value", ...
Start server/scheduler.
[ "Start", "server", "/", "scheduler", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/kvstore_server.py#L75-L83
train
apache/incubator-mxnet
python/mxnet/kvstore_server.py
KVStoreServer._controller
def _controller(self): """Return the server controller.""" def server_controller(cmd_id, cmd_body, _): """Server controler.""" if not self.init_logginig: # the reason put the codes here is because we cannot get # kvstore.rank earlier ...
python
def _controller(self): """Return the server controller.""" def server_controller(cmd_id, cmd_body, _): """Server controler.""" if not self.init_logginig: # the reason put the codes here is because we cannot get # kvstore.rank earlier ...
[ "def", "_controller", "(", "self", ")", ":", "def", "server_controller", "(", "cmd_id", ",", "cmd_body", ",", "_", ")", ":", "\"\"\"Server controler.\"\"\"", "if", "not", "self", ".", "init_logginig", ":", "# the reason put the codes here is because we cannot get", "#...
Return the server controller.
[ "Return", "the", "server", "controller", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/kvstore_server.py#L41-L62
train
apache/incubator-mxnet
python/mxnet/kvstore_server.py
KVStoreServer.run
def run(self): """Run the server, whose behavior is like. >>> while receive(x): ... if is_command x: controller(x) ... else if is_key_value x: updater(x) """ _ctrl_proto = ctypes.CFUNCTYPE(None, ctypes.c_int, ctypes.c_char_p, ctypes.c_void_p) check_call(...
python
def run(self): """Run the server, whose behavior is like. >>> while receive(x): ... if is_command x: controller(x) ... else if is_key_value x: updater(x) """ _ctrl_proto = ctypes.CFUNCTYPE(None, ctypes.c_int, ctypes.c_char_p, ctypes.c_void_p) check_call(...
[ "def", "run", "(", "self", ")", ":", "_ctrl_proto", "=", "ctypes", ".", "CFUNCTYPE", "(", "None", ",", "ctypes", ".", "c_int", ",", "ctypes", ".", "c_char_p", ",", "ctypes", ".", "c_void_p", ")", "check_call", "(", "_LIB", ".", "MXKVStoreRunServer", "(",...
Run the server, whose behavior is like. >>> while receive(x): ... if is_command x: controller(x) ... else if is_key_value x: updater(x)
[ "Run", "the", "server", "whose", "behavior", "is", "like", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/kvstore_server.py#L64-L73
train
apache/incubator-mxnet
python/mxnet/ndarray/register.py
_generate_ndarray_function_code
def _generate_ndarray_function_code(handle, name, func_name, signature_only=False): """Generate function for ndarray op by handle and function name.""" real_name = ctypes.c_char_p() desc = ctypes.c_char_p() num_args = mx_uint() arg_names = ctypes.POINTER(ctypes.c_char_p)() arg_types = ctypes.POI...
python
def _generate_ndarray_function_code(handle, name, func_name, signature_only=False): """Generate function for ndarray op by handle and function name.""" real_name = ctypes.c_char_p() desc = ctypes.c_char_p() num_args = mx_uint() arg_names = ctypes.POINTER(ctypes.c_char_p)() arg_types = ctypes.POI...
[ "def", "_generate_ndarray_function_code", "(", "handle", ",", "name", ",", "func_name", ",", "signature_only", "=", "False", ")", ":", "real_name", "=", "ctypes", ".", "c_char_p", "(", ")", "desc", "=", "ctypes", ".", "c_char_p", "(", ")", "num_args", "=", ...
Generate function for ndarray op by handle and function name.
[ "Generate", "function", "for", "ndarray", "op", "by", "handle", "and", "function", "name", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/ndarray/register.py#L31-L154
train
apache/incubator-mxnet
python/mxnet/ndarray/register.py
_make_ndarray_function
def _make_ndarray_function(handle, name, func_name): """Create a NDArray function from the FunctionHandle.""" code, doc_str = _generate_ndarray_function_code(handle, name, func_name) local = {} exec(code, None, local) # pylint: disable=exec-used ndarray_function = local[func_name] ndarray_func...
python
def _make_ndarray_function(handle, name, func_name): """Create a NDArray function from the FunctionHandle.""" code, doc_str = _generate_ndarray_function_code(handle, name, func_name) local = {} exec(code, None, local) # pylint: disable=exec-used ndarray_function = local[func_name] ndarray_func...
[ "def", "_make_ndarray_function", "(", "handle", ",", "name", ",", "func_name", ")", ":", "code", ",", "doc_str", "=", "_generate_ndarray_function_code", "(", "handle", ",", "name", ",", "func_name", ")", "local", "=", "{", "}", "exec", "(", "code", ",", "N...
Create a NDArray function from the FunctionHandle.
[ "Create", "a", "NDArray", "function", "from", "the", "FunctionHandle", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/ndarray/register.py#L158-L168
train
apache/incubator-mxnet
python/mxnet/contrib/text/utils.py
count_tokens_from_str
def count_tokens_from_str(source_str, token_delim=' ', seq_delim='\n', to_lower=False, counter_to_update=None): """Counts tokens in the specified string. For token_delim=\'<td>\' and seq_delim=\'<sd>\', a specified string of two sequences of tokens may look like:: <td>token1<...
python
def count_tokens_from_str(source_str, token_delim=' ', seq_delim='\n', to_lower=False, counter_to_update=None): """Counts tokens in the specified string. For token_delim=\'<td>\' and seq_delim=\'<sd>\', a specified string of two sequences of tokens may look like:: <td>token1<...
[ "def", "count_tokens_from_str", "(", "source_str", ",", "token_delim", "=", "' '", ",", "seq_delim", "=", "'\\n'", ",", "to_lower", "=", "False", ",", "counter_to_update", "=", "None", ")", ":", "source_str", "=", "filter", "(", "None", ",", "re", ".", "sp...
Counts tokens in the specified string. For token_delim=\'<td>\' and seq_delim=\'<sd>\', a specified string of two sequences of tokens may look like:: <td>token1<td>token2<td>token3<td><sd><td>token4<td>token5<td><sd> <td> and <sd> are regular expressions. Make use of \\\\ to allow special characters ...
[ "Counts", "tokens", "in", "the", "specified", "string", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/contrib/text/utils.py#L28-L85
train
apache/incubator-mxnet
python/mxnet/ndarray/utils.py
zeros
def zeros(shape, ctx=None, dtype=None, stype=None, **kwargs): """Return a new array of given shape and type, filled with zeros. Parameters ---------- shape : int or tuple of int The shape of the empty array ctx : Context, optional An optional device context (default is the current d...
python
def zeros(shape, ctx=None, dtype=None, stype=None, **kwargs): """Return a new array of given shape and type, filled with zeros. Parameters ---------- shape : int or tuple of int The shape of the empty array ctx : Context, optional An optional device context (default is the current d...
[ "def", "zeros", "(", "shape", ",", "ctx", "=", "None", ",", "dtype", "=", "None", ",", "stype", "=", "None", ",", "*", "*", "kwargs", ")", ":", "if", "stype", "is", "None", "or", "stype", "==", "'default'", ":", "return", "_zeros_ndarray", "(", "sh...
Return a new array of given shape and type, filled with zeros. Parameters ---------- shape : int or tuple of int The shape of the empty array ctx : Context, optional An optional device context (default is the current default context) dtype : str or numpy.dtype, optional An o...
[ "Return", "a", "new", "array", "of", "given", "shape", "and", "type", "filled", "with", "zeros", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/ndarray/utils.py#L40-L69
train
apache/incubator-mxnet
python/mxnet/ndarray/utils.py
empty
def empty(shape, ctx=None, dtype=None, stype=None): """Returns a new array of given shape and type, without initializing entries. Parameters ---------- shape : int or tuple of int The shape of the empty array. ctx : Context, optional An optional device context (default is the curren...
python
def empty(shape, ctx=None, dtype=None, stype=None): """Returns a new array of given shape and type, without initializing entries. Parameters ---------- shape : int or tuple of int The shape of the empty array. ctx : Context, optional An optional device context (default is the curren...
[ "def", "empty", "(", "shape", ",", "ctx", "=", "None", ",", "dtype", "=", "None", ",", "stype", "=", "None", ")", ":", "if", "stype", "is", "None", "or", "stype", "==", "'default'", ":", "return", "_empty_ndarray", "(", "shape", ",", "ctx", ",", "d...
Returns a new array of given shape and type, without initializing entries. Parameters ---------- shape : int or tuple of int The shape of the empty array. ctx : Context, optional An optional device context (default is the current default context). dtype : str or numpy.dtype, optiona...
[ "Returns", "a", "new", "array", "of", "given", "shape", "and", "type", "without", "initializing", "entries", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/ndarray/utils.py#L72-L105
train
apache/incubator-mxnet
python/mxnet/ndarray/utils.py
array
def array(source_array, ctx=None, dtype=None): """Creates an array from any object exposing the array interface. Parameters ---------- source_array : array_like An object exposing the array interface, an object whose `__array__` method returns an array, or any (nested) sequence. ctx...
python
def array(source_array, ctx=None, dtype=None): """Creates an array from any object exposing the array interface. Parameters ---------- source_array : array_like An object exposing the array interface, an object whose `__array__` method returns an array, or any (nested) sequence. ctx...
[ "def", "array", "(", "source_array", ",", "ctx", "=", "None", ",", "dtype", "=", "None", ")", ":", "if", "spsp", "is", "not", "None", "and", "isinstance", "(", "source_array", ",", "spsp", ".", "csr", ".", "csr_matrix", ")", ":", "return", "_sparse_arr...
Creates an array from any object exposing the array interface. Parameters ---------- source_array : array_like An object exposing the array interface, an object whose `__array__` method returns an array, or any (nested) sequence. ctx : Context, optional Device context (default i...
[ "Creates", "an", "array", "from", "any", "object", "exposing", "the", "array", "interface", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/ndarray/utils.py#L108-L146
train
apache/incubator-mxnet
python/mxnet/ndarray/utils.py
load
def load(fname): """Loads an array from file. See more details in ``save``. Parameters ---------- fname : str The filename. Returns ------- list of NDArray, RowSparseNDArray or CSRNDArray, or \ dict of str to NDArray, RowSparseNDArray or CSRNDArray Loaded data. ...
python
def load(fname): """Loads an array from file. See more details in ``save``. Parameters ---------- fname : str The filename. Returns ------- list of NDArray, RowSparseNDArray or CSRNDArray, or \ dict of str to NDArray, RowSparseNDArray or CSRNDArray Loaded data. ...
[ "def", "load", "(", "fname", ")", ":", "if", "not", "isinstance", "(", "fname", ",", "string_types", ")", ":", "raise", "TypeError", "(", "'fname required to be a string'", ")", "out_size", "=", "mx_uint", "(", ")", "out_name_size", "=", "mx_uint", "(", ")",...
Loads an array from file. See more details in ``save``. Parameters ---------- fname : str The filename. Returns ------- list of NDArray, RowSparseNDArray or CSRNDArray, or \ dict of str to NDArray, RowSparseNDArray or CSRNDArray Loaded data.
[ "Loads", "an", "array", "from", "file", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/ndarray/utils.py#L149-L182
train
apache/incubator-mxnet
python/mxnet/ndarray/utils.py
load_frombuffer
def load_frombuffer(buf): """Loads an array dictionary or list from a buffer See more details in ``save``. Parameters ---------- buf : str Buffer containing contents of a file as a string or bytes. Returns ------- list of NDArray, RowSparseNDArray or CSRNDArray, or \ dict ...
python
def load_frombuffer(buf): """Loads an array dictionary or list from a buffer See more details in ``save``. Parameters ---------- buf : str Buffer containing contents of a file as a string or bytes. Returns ------- list of NDArray, RowSparseNDArray or CSRNDArray, or \ dict ...
[ "def", "load_frombuffer", "(", "buf", ")", ":", "if", "not", "isinstance", "(", "buf", ",", "string_types", "+", "tuple", "(", "[", "bytes", "]", ")", ")", ":", "raise", "TypeError", "(", "'buf required to be a string or bytes'", ")", "out_size", "=", "mx_ui...
Loads an array dictionary or list from a buffer See more details in ``save``. Parameters ---------- buf : str Buffer containing contents of a file as a string or bytes. Returns ------- list of NDArray, RowSparseNDArray or CSRNDArray, or \ dict of str to NDArray, RowSparseNDArr...
[ "Loads", "an", "array", "dictionary", "or", "list", "from", "a", "buffer" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/ndarray/utils.py#L185-L219
train
apache/incubator-mxnet
python/mxnet/ndarray/utils.py
save
def save(fname, data): """Saves a list of arrays or a dict of str->array to file. Examples of filenames: - ``/path/to/file`` - ``s3://my-bucket/path/to/file`` (if compiled with AWS S3 supports) - ``hdfs://path/to/file`` (if compiled with HDFS supports) Parameters ---------- fname : st...
python
def save(fname, data): """Saves a list of arrays or a dict of str->array to file. Examples of filenames: - ``/path/to/file`` - ``s3://my-bucket/path/to/file`` (if compiled with AWS S3 supports) - ``hdfs://path/to/file`` (if compiled with HDFS supports) Parameters ---------- fname : st...
[ "def", "save", "(", "fname", ",", "data", ")", ":", "if", "isinstance", "(", "data", ",", "NDArray", ")", ":", "data", "=", "[", "data", "]", "handles", "=", "c_array", "(", "NDArrayHandle", ",", "[", "]", ")", "if", "isinstance", "(", "data", ",",...
Saves a list of arrays or a dict of str->array to file. Examples of filenames: - ``/path/to/file`` - ``s3://my-bucket/path/to/file`` (if compiled with AWS S3 supports) - ``hdfs://path/to/file`` (if compiled with HDFS supports) Parameters ---------- fname : str The filename. da...
[ "Saves", "a", "list", "of", "arrays", "or", "a", "dict", "of", "str", "-", ">", "array", "to", "file", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/ndarray/utils.py#L222-L273
train
apache/incubator-mxnet
python/mxnet/gluon/block.py
_common_prefix
def _common_prefix(names): """Get the common prefix for all names""" if not names: return '' prefix = names[0] for name in names: i = 0 while i < len(prefix) and i < len(name) and prefix[i] == name[i]: i += 1 prefix = prefix[:i] return prefix
python
def _common_prefix(names): """Get the common prefix for all names""" if not names: return '' prefix = names[0] for name in names: i = 0 while i < len(prefix) and i < len(name) and prefix[i] == name[i]: i += 1 prefix = prefix[:i] return prefix
[ "def", "_common_prefix", "(", "names", ")", ":", "if", "not", "names", ":", "return", "''", "prefix", "=", "names", "[", "0", "]", "for", "name", "in", "names", ":", "i", "=", "0", "while", "i", "<", "len", "(", "prefix", ")", "and", "i", "<", ...
Get the common prefix for all names
[ "Get", "the", "common", "prefix", "for", "all", "names" ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/gluon/block.py#L939-L949
train
apache/incubator-mxnet
python/mxnet/gluon/block.py
_infer_param_types
def _infer_param_types(in_params, out_params, arg_params, aux_params, default_dtype=mx_real_t): """Utility function that helps in inferring DType of args and auxs params from given input param. Parameters ---------- in_params: List of Symbol List of input symbol variables. out_params: S...
python
def _infer_param_types(in_params, out_params, arg_params, aux_params, default_dtype=mx_real_t): """Utility function that helps in inferring DType of args and auxs params from given input param. Parameters ---------- in_params: List of Symbol List of input symbol variables. out_params: S...
[ "def", "_infer_param_types", "(", "in_params", ",", "out_params", ",", "arg_params", ",", "aux_params", ",", "default_dtype", "=", "mx_real_t", ")", ":", "arg_types", "=", "None", "aux_types", "=", "None", "# Get Input symbol details. This will be used to infer types of",...
Utility function that helps in inferring DType of args and auxs params from given input param. Parameters ---------- in_params: List of Symbol List of input symbol variables. out_params: Symbol Output symbol variable. arg_params: List of Str List of names of argument par...
[ "Utility", "function", "that", "helps", "in", "inferring", "DType", "of", "args", "and", "auxs", "params", "from", "given", "input", "param", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/gluon/block.py#L1108-L1168
train
apache/incubator-mxnet
python/mxnet/gluon/block.py
_BlockScope.create
def create(prefix, params, hint): """Creates prefix and params for new `Block`.""" current = getattr(_BlockScope._current, "value", None) if current is None: if prefix is None: if not hasattr(_name.NameManager._current, "value"): _name.NameManager....
python
def create(prefix, params, hint): """Creates prefix and params for new `Block`.""" current = getattr(_BlockScope._current, "value", None) if current is None: if prefix is None: if not hasattr(_name.NameManager._current, "value"): _name.NameManager....
[ "def", "create", "(", "prefix", ",", "params", ",", "hint", ")", ":", "current", "=", "getattr", "(", "_BlockScope", ".", "_current", ",", "\"value\"", ",", "None", ")", "if", "current", "is", "None", ":", "if", "prefix", "is", "None", ":", "if", "no...
Creates prefix and params for new `Block`.
[ "Creates", "prefix", "and", "params", "for", "new", "Block", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/gluon/block.py#L49-L72
train
apache/incubator-mxnet
python/mxnet/gluon/block.py
Block.collect_params
def collect_params(self, select=None): """Returns a :py:class:`ParameterDict` containing this :py:class:`Block` and all of its children's Parameters(default), also can returns the select :py:class:`ParameterDict` which match some given regular expressions. For example, collect the speci...
python
def collect_params(self, select=None): """Returns a :py:class:`ParameterDict` containing this :py:class:`Block` and all of its children's Parameters(default), also can returns the select :py:class:`ParameterDict` which match some given regular expressions. For example, collect the speci...
[ "def", "collect_params", "(", "self", ",", "select", "=", "None", ")", ":", "# We need to check here because blocks inside containers are not supported.", "self", ".", "_check_container_with_block", "(", ")", "ret", "=", "ParameterDict", "(", "self", ".", "_params", "."...
Returns a :py:class:`ParameterDict` containing this :py:class:`Block` and all of its children's Parameters(default), also can returns the select :py:class:`ParameterDict` which match some given regular expressions. For example, collect the specified parameters in ['conv1_weight', 'conv1_bias', ...
[ "Returns", "a", ":", "py", ":", "class", ":", "ParameterDict", "containing", "this", ":", "py", ":", "class", ":", "Block", "and", "all", "of", "its", "children", "s", "Parameters", "(", "default", ")", "also", "can", "returns", "the", "select", ":", "...
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/gluon/block.py#L271-L305
train
apache/incubator-mxnet
python/mxnet/gluon/block.py
Block.save_params
def save_params(self, filename): """[Deprecated] Please use save_parameters. Note that if you want load from SymbolBlock later, please use export instead. Save parameters to file. filename : str Path to file. """ warnings.warn("save_params is deprecated. Ple...
python
def save_params(self, filename): """[Deprecated] Please use save_parameters. Note that if you want load from SymbolBlock later, please use export instead. Save parameters to file. filename : str Path to file. """ warnings.warn("save_params is deprecated. Ple...
[ "def", "save_params", "(", "self", ",", "filename", ")", ":", "warnings", ".", "warn", "(", "\"save_params is deprecated. Please use save_parameters. \"", "\"Note that if you want load from SymbolBlock later, please \"", "\"use export instead. For details, see \"", "\"https://mxnet.inc...
[Deprecated] Please use save_parameters. Note that if you want load from SymbolBlock later, please use export instead. Save parameters to file. filename : str Path to file.
[ "[", "Deprecated", "]", "Please", "use", "save_parameters", ".", "Note", "that", "if", "you", "want", "load", "from", "SymbolBlock", "later", "please", "use", "export", "instead", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/gluon/block.py#L336-L354
train
apache/incubator-mxnet
python/mxnet/gluon/block.py
Block.load_parameters
def load_parameters(self, filename, ctx=None, allow_missing=False, ignore_extra=False): """Load parameters from file previously saved by `save_parameters`. Parameters ---------- filename : str Path to parameter file. ctx : Context or list of C...
python
def load_parameters(self, filename, ctx=None, allow_missing=False, ignore_extra=False): """Load parameters from file previously saved by `save_parameters`. Parameters ---------- filename : str Path to parameter file. ctx : Context or list of C...
[ "def", "load_parameters", "(", "self", ",", "filename", ",", "ctx", "=", "None", ",", "allow_missing", "=", "False", ",", "ignore_extra", "=", "False", ")", ":", "loaded", "=", "ndarray", ".", "load", "(", "filename", ")", "params", "=", "self", ".", "...
Load parameters from file previously saved by `save_parameters`. Parameters ---------- filename : str Path to parameter file. ctx : Context or list of Context, default cpu() Context(s) to initialize loaded parameters on. allow_missing : bool, default Fals...
[ "Load", "parameters", "from", "file", "previously", "saved", "by", "save_parameters", "." ]
1af29e9c060a4c7d60eeaacba32afdb9a7775ba7
https://github.com/apache/incubator-mxnet/blob/1af29e9c060a4c7d60eeaacba32afdb9a7775ba7/python/mxnet/gluon/block.py#L356-L402
train