id
int32 0
252k
| repo
stringlengths 7
55
| path
stringlengths 4
127
| func_name
stringlengths 1
88
| original_string
stringlengths 75
19.8k
| language
stringclasses 1
value | code
stringlengths 75
19.8k
| code_tokens
sequence | docstring
stringlengths 3
17.3k
| docstring_tokens
sequence | sha
stringlengths 40
40
| url
stringlengths 87
242
|
---|---|---|---|---|---|---|---|---|---|---|---|
251,000 | evetrivia/thanatos | thanatos/questions/universe.py | remove_regions_with_no_gates | def remove_regions_with_no_gates(regions):
""" Removes all Jove regions from a list of regions.
:param regions: A list of tuples (regionID, regionName)
:type regions: list
:return: A list of regions minus those in jove space
:rtype: list
"""
list_of_gateless_regions = [
(10000004, 'UUA-F4'),
(10000017, 'J7HZ-F'),
(10000019, 'A821-A'),
]
for gateless_region in list_of_gateless_regions:
if gateless_region in regions:
regions.remove(gateless_region)
return regions | python | def remove_regions_with_no_gates(regions):
""" Removes all Jove regions from a list of regions.
:param regions: A list of tuples (regionID, regionName)
:type regions: list
:return: A list of regions minus those in jove space
:rtype: list
"""
list_of_gateless_regions = [
(10000004, 'UUA-F4'),
(10000017, 'J7HZ-F'),
(10000019, 'A821-A'),
]
for gateless_region in list_of_gateless_regions:
if gateless_region in regions:
regions.remove(gateless_region)
return regions | [
"def",
"remove_regions_with_no_gates",
"(",
"regions",
")",
":",
"list_of_gateless_regions",
"=",
"[",
"(",
"10000004",
",",
"'UUA-F4'",
")",
",",
"(",
"10000017",
",",
"'J7HZ-F'",
")",
",",
"(",
"10000019",
",",
"'A821-A'",
")",
",",
"]",
"for",
"gateless_region",
"in",
"list_of_gateless_regions",
":",
"if",
"gateless_region",
"in",
"regions",
":",
"regions",
".",
"remove",
"(",
"gateless_region",
")",
"return",
"regions"
] | Removes all Jove regions from a list of regions.
:param regions: A list of tuples (regionID, regionName)
:type regions: list
:return: A list of regions minus those in jove space
:rtype: list | [
"Removes",
"all",
"Jove",
"regions",
"from",
"a",
"list",
"of",
"regions",
"."
] | 664c12a8ccf4d27ab0e06e0969bbb6381f74789c | https://github.com/evetrivia/thanatos/blob/664c12a8ccf4d27ab0e06e0969bbb6381f74789c/thanatos/questions/universe.py#L80-L100 |
251,001 | dev-pipeline/dev-pipeline-cmake | lib/devpipeline_cmake/cmake.py | _make_cmake | def _make_cmake(config_info):
"""This function initializes a CMake builder for building the project."""
configure_args = ["-DCMAKE_EXPORT_COMPILE_COMMANDS=ON"]
cmake_args = {}
options, option_fns = _make_all_options()
def _add_value(value, key):
args_key, args_value = _EX_ARG_FNS[key](value)
cmake_args[args_key] = args_value
devpipeline_core.toolsupport.args_builder(
"cmake",
config_info,
options,
lambda v, key: configure_args.extend(option_fns[key](v)),
)
devpipeline_core.toolsupport.args_builder(
"cmake", config_info, _EX_ARGS, _add_value
)
cmake = CMake(cmake_args, config_info, configure_args)
build_type = config_info.config.get("cmake.build_type")
if build_type:
cmake.set_build_type(build_type)
return devpipeline_build.make_simple_builder(cmake, config_info) | python | def _make_cmake(config_info):
"""This function initializes a CMake builder for building the project."""
configure_args = ["-DCMAKE_EXPORT_COMPILE_COMMANDS=ON"]
cmake_args = {}
options, option_fns = _make_all_options()
def _add_value(value, key):
args_key, args_value = _EX_ARG_FNS[key](value)
cmake_args[args_key] = args_value
devpipeline_core.toolsupport.args_builder(
"cmake",
config_info,
options,
lambda v, key: configure_args.extend(option_fns[key](v)),
)
devpipeline_core.toolsupport.args_builder(
"cmake", config_info, _EX_ARGS, _add_value
)
cmake = CMake(cmake_args, config_info, configure_args)
build_type = config_info.config.get("cmake.build_type")
if build_type:
cmake.set_build_type(build_type)
return devpipeline_build.make_simple_builder(cmake, config_info) | [
"def",
"_make_cmake",
"(",
"config_info",
")",
":",
"configure_args",
"=",
"[",
"\"-DCMAKE_EXPORT_COMPILE_COMMANDS=ON\"",
"]",
"cmake_args",
"=",
"{",
"}",
"options",
",",
"option_fns",
"=",
"_make_all_options",
"(",
")",
"def",
"_add_value",
"(",
"value",
",",
"key",
")",
":",
"args_key",
",",
"args_value",
"=",
"_EX_ARG_FNS",
"[",
"key",
"]",
"(",
"value",
")",
"cmake_args",
"[",
"args_key",
"]",
"=",
"args_value",
"devpipeline_core",
".",
"toolsupport",
".",
"args_builder",
"(",
"\"cmake\"",
",",
"config_info",
",",
"options",
",",
"lambda",
"v",
",",
"key",
":",
"configure_args",
".",
"extend",
"(",
"option_fns",
"[",
"key",
"]",
"(",
"v",
")",
")",
",",
")",
"devpipeline_core",
".",
"toolsupport",
".",
"args_builder",
"(",
"\"cmake\"",
",",
"config_info",
",",
"_EX_ARGS",
",",
"_add_value",
")",
"cmake",
"=",
"CMake",
"(",
"cmake_args",
",",
"config_info",
",",
"configure_args",
")",
"build_type",
"=",
"config_info",
".",
"config",
".",
"get",
"(",
"\"cmake.build_type\"",
")",
"if",
"build_type",
":",
"cmake",
".",
"set_build_type",
"(",
"build_type",
")",
"return",
"devpipeline_build",
".",
"make_simple_builder",
"(",
"cmake",
",",
"config_info",
")"
] | This function initializes a CMake builder for building the project. | [
"This",
"function",
"initializes",
"a",
"CMake",
"builder",
"for",
"building",
"the",
"project",
"."
] | f0119d973d2dc14cc73d0fea0df1d263bde2a245 | https://github.com/dev-pipeline/dev-pipeline-cmake/blob/f0119d973d2dc14cc73d0fea0df1d263bde2a245/lib/devpipeline_cmake/cmake.py#L183-L207 |
251,002 | dev-pipeline/dev-pipeline-cmake | lib/devpipeline_cmake/cmake.py | CMake.configure | def configure(self, src_dir, build_dir, **kwargs):
"""This function builds the cmake configure command."""
del kwargs
ex_path = self._ex_args.get("project_path")
if ex_path:
src_dir = os.path.join(src_dir, ex_path)
return [{"args": ["cmake", src_dir] + self._config_args, "cwd": build_dir}] | python | def configure(self, src_dir, build_dir, **kwargs):
"""This function builds the cmake configure command."""
del kwargs
ex_path = self._ex_args.get("project_path")
if ex_path:
src_dir = os.path.join(src_dir, ex_path)
return [{"args": ["cmake", src_dir] + self._config_args, "cwd": build_dir}] | [
"def",
"configure",
"(",
"self",
",",
"src_dir",
",",
"build_dir",
",",
"*",
"*",
"kwargs",
")",
":",
"del",
"kwargs",
"ex_path",
"=",
"self",
".",
"_ex_args",
".",
"get",
"(",
"\"project_path\"",
")",
"if",
"ex_path",
":",
"src_dir",
"=",
"os",
".",
"path",
".",
"join",
"(",
"src_dir",
",",
"ex_path",
")",
"return",
"[",
"{",
"\"args\"",
":",
"[",
"\"cmake\"",
",",
"src_dir",
"]",
"+",
"self",
".",
"_config_args",
",",
"\"cwd\"",
":",
"build_dir",
"}",
"]"
] | This function builds the cmake configure command. | [
"This",
"function",
"builds",
"the",
"cmake",
"configure",
"command",
"."
] | f0119d973d2dc14cc73d0fea0df1d263bde2a245 | https://github.com/dev-pipeline/dev-pipeline-cmake/blob/f0119d973d2dc14cc73d0fea0df1d263bde2a245/lib/devpipeline_cmake/cmake.py#L34-L41 |
251,003 | dev-pipeline/dev-pipeline-cmake | lib/devpipeline_cmake/cmake.py | CMake.build | def build(self, build_dir, **kwargs):
"""This function builds the cmake build command."""
# pylint: disable=no-self-use
del kwargs
args = ["cmake", "--build", build_dir]
args.extend(self._get_build_flags())
return [{"args": args}] | python | def build(self, build_dir, **kwargs):
"""This function builds the cmake build command."""
# pylint: disable=no-self-use
del kwargs
args = ["cmake", "--build", build_dir]
args.extend(self._get_build_flags())
return [{"args": args}] | [
"def",
"build",
"(",
"self",
",",
"build_dir",
",",
"*",
"*",
"kwargs",
")",
":",
"# pylint: disable=no-self-use",
"del",
"kwargs",
"args",
"=",
"[",
"\"cmake\"",
",",
"\"--build\"",
",",
"build_dir",
"]",
"args",
".",
"extend",
"(",
"self",
".",
"_get_build_flags",
"(",
")",
")",
"return",
"[",
"{",
"\"args\"",
":",
"args",
"}",
"]"
] | This function builds the cmake build command. | [
"This",
"function",
"builds",
"the",
"cmake",
"build",
"command",
"."
] | f0119d973d2dc14cc73d0fea0df1d263bde2a245 | https://github.com/dev-pipeline/dev-pipeline-cmake/blob/f0119d973d2dc14cc73d0fea0df1d263bde2a245/lib/devpipeline_cmake/cmake.py#L43-L49 |
251,004 | dev-pipeline/dev-pipeline-cmake | lib/devpipeline_cmake/cmake.py | CMake.install | def install(self, build_dir, install_dir=None, **kwargs):
"""This function builds the cmake install command."""
# pylint: disable=no-self-use
del kwargs
install_args = ["cmake", "--build", build_dir, "--target", "install"]
install_args.extend(self._get_build_flags())
if install_dir:
self._target_config.env["DESTDIR"] = install_dir
return [{"args": install_args}] | python | def install(self, build_dir, install_dir=None, **kwargs):
"""This function builds the cmake install command."""
# pylint: disable=no-self-use
del kwargs
install_args = ["cmake", "--build", build_dir, "--target", "install"]
install_args.extend(self._get_build_flags())
if install_dir:
self._target_config.env["DESTDIR"] = install_dir
return [{"args": install_args}] | [
"def",
"install",
"(",
"self",
",",
"build_dir",
",",
"install_dir",
"=",
"None",
",",
"*",
"*",
"kwargs",
")",
":",
"# pylint: disable=no-self-use",
"del",
"kwargs",
"install_args",
"=",
"[",
"\"cmake\"",
",",
"\"--build\"",
",",
"build_dir",
",",
"\"--target\"",
",",
"\"install\"",
"]",
"install_args",
".",
"extend",
"(",
"self",
".",
"_get_build_flags",
"(",
")",
")",
"if",
"install_dir",
":",
"self",
".",
"_target_config",
".",
"env",
"[",
"\"DESTDIR\"",
"]",
"=",
"install_dir",
"return",
"[",
"{",
"\"args\"",
":",
"install_args",
"}",
"]"
] | This function builds the cmake install command. | [
"This",
"function",
"builds",
"the",
"cmake",
"install",
"command",
"."
] | f0119d973d2dc14cc73d0fea0df1d263bde2a245 | https://github.com/dev-pipeline/dev-pipeline-cmake/blob/f0119d973d2dc14cc73d0fea0df1d263bde2a245/lib/devpipeline_cmake/cmake.py#L51-L59 |
251,005 | cstockton/py-gensend | gensend/providers/common.py | Common.types | def types(self, *args):
"""Used for debugging, returns type of each arg.
TYPES,ARG_1,...,ARG_N
%{TYPES:A,...,10} -> 'str(A) str(B) ... int(10)'
"""
return ', '.join(['{0}({1})'.format(type(arg).__name__, arg) for arg in args]) | python | def types(self, *args):
"""Used for debugging, returns type of each arg.
TYPES,ARG_1,...,ARG_N
%{TYPES:A,...,10} -> 'str(A) str(B) ... int(10)'
"""
return ', '.join(['{0}({1})'.format(type(arg).__name__, arg) for arg in args]) | [
"def",
"types",
"(",
"self",
",",
"*",
"args",
")",
":",
"return",
"', '",
".",
"join",
"(",
"[",
"'{0}({1})'",
".",
"format",
"(",
"type",
"(",
"arg",
")",
".",
"__name__",
",",
"arg",
")",
"for",
"arg",
"in",
"args",
"]",
")"
] | Used for debugging, returns type of each arg.
TYPES,ARG_1,...,ARG_N
%{TYPES:A,...,10} -> 'str(A) str(B) ... int(10)' | [
"Used",
"for",
"debugging",
"returns",
"type",
"of",
"each",
"arg",
".",
"TYPES",
"ARG_1",
"...",
"ARG_N"
] | 8c8e911f8e8c386bea42967350beb4636fc19240 | https://github.com/cstockton/py-gensend/blob/8c8e911f8e8c386bea42967350beb4636fc19240/gensend/providers/common.py#L161-L167 |
251,006 | cstockton/py-gensend | gensend/providers/common.py | Common.join | def join(self, *args):
"""Returns the arguments in the list joined by STR.
FIRST,JOIN_BY,ARG_1,...,ARG_N
%{JOIN: ,A,...,F} -> 'A B C ... F'
"""
call_args = list(args)
joiner = call_args.pop(0)
self.random.shuffle(call_args)
return joiner.join(call_args) | python | def join(self, *args):
"""Returns the arguments in the list joined by STR.
FIRST,JOIN_BY,ARG_1,...,ARG_N
%{JOIN: ,A,...,F} -> 'A B C ... F'
"""
call_args = list(args)
joiner = call_args.pop(0)
self.random.shuffle(call_args)
return joiner.join(call_args) | [
"def",
"join",
"(",
"self",
",",
"*",
"args",
")",
":",
"call_args",
"=",
"list",
"(",
"args",
")",
"joiner",
"=",
"call_args",
".",
"pop",
"(",
"0",
")",
"self",
".",
"random",
".",
"shuffle",
"(",
"call_args",
")",
"return",
"joiner",
".",
"join",
"(",
"call_args",
")"
] | Returns the arguments in the list joined by STR.
FIRST,JOIN_BY,ARG_1,...,ARG_N
%{JOIN: ,A,...,F} -> 'A B C ... F' | [
"Returns",
"the",
"arguments",
"in",
"the",
"list",
"joined",
"by",
"STR",
".",
"FIRST",
"JOIN_BY",
"ARG_1",
"...",
"ARG_N"
] | 8c8e911f8e8c386bea42967350beb4636fc19240 | https://github.com/cstockton/py-gensend/blob/8c8e911f8e8c386bea42967350beb4636fc19240/gensend/providers/common.py#L169-L178 |
251,007 | cstockton/py-gensend | gensend/providers/common.py | Common.shuffle | def shuffle(self, *args):
"""Shuffles all arguments and returns them.
ARG_1,...,ARG_N
%{SHUFFLE:A, B ,...,F} -> 'CDA B FE'
"""
call_args = list(args)
self.random.shuffle(call_args)
return ''.join(call_args) | python | def shuffle(self, *args):
"""Shuffles all arguments and returns them.
ARG_1,...,ARG_N
%{SHUFFLE:A, B ,...,F} -> 'CDA B FE'
"""
call_args = list(args)
self.random.shuffle(call_args)
return ''.join(call_args) | [
"def",
"shuffle",
"(",
"self",
",",
"*",
"args",
")",
":",
"call_args",
"=",
"list",
"(",
"args",
")",
"self",
".",
"random",
".",
"shuffle",
"(",
"call_args",
")",
"return",
"''",
".",
"join",
"(",
"call_args",
")"
] | Shuffles all arguments and returns them.
ARG_1,...,ARG_N
%{SHUFFLE:A, B ,...,F} -> 'CDA B FE' | [
"Shuffles",
"all",
"arguments",
"and",
"returns",
"them",
".",
"ARG_1",
"...",
"ARG_N"
] | 8c8e911f8e8c386bea42967350beb4636fc19240 | https://github.com/cstockton/py-gensend/blob/8c8e911f8e8c386bea42967350beb4636fc19240/gensend/providers/common.py#L196-L204 |
251,008 | cstockton/py-gensend | gensend/providers/common.py | Common.int | def int(self, *args):
"""Returns a random int between -sys.maxint and sys.maxint
INT
%{INT} -> '1245123'
%{INT:10} -> '10000000'
%{INT:10,20} -> '19'
"""
return self.random.randint(*self._arg_defaults(args, [-sys.maxint, sys.maxint], int)) | python | def int(self, *args):
"""Returns a random int between -sys.maxint and sys.maxint
INT
%{INT} -> '1245123'
%{INT:10} -> '10000000'
%{INT:10,20} -> '19'
"""
return self.random.randint(*self._arg_defaults(args, [-sys.maxint, sys.maxint], int)) | [
"def",
"int",
"(",
"self",
",",
"*",
"args",
")",
":",
"return",
"self",
".",
"random",
".",
"randint",
"(",
"*",
"self",
".",
"_arg_defaults",
"(",
"args",
",",
"[",
"-",
"sys",
".",
"maxint",
",",
"sys",
".",
"maxint",
"]",
",",
"int",
")",
")"
] | Returns a random int between -sys.maxint and sys.maxint
INT
%{INT} -> '1245123'
%{INT:10} -> '10000000'
%{INT:10,20} -> '19' | [
"Returns",
"a",
"random",
"int",
"between",
"-",
"sys",
".",
"maxint",
"and",
"sys",
".",
"maxint",
"INT"
] | 8c8e911f8e8c386bea42967350beb4636fc19240 | https://github.com/cstockton/py-gensend/blob/8c8e911f8e8c386bea42967350beb4636fc19240/gensend/providers/common.py#L250-L258 |
251,009 | fotonauts/fwissr-python | fwissr/source/file.py | File.merge_conf_file | def merge_conf_file(self, result, conf_file_path):
"Merge a configuration in file with current configuration"
conf = parse_conf_file(conf_file_path)
conf_file_name = os.path.splitext(os.path.basename(conf_file_path))[0]
result_part = result
if not conf_file_name in File.TOP_LEVEL_CONF_FILES \
and (
not "top_level" in self._options
or not self._options["top_level"]):
for key_part in conf_file_name.split('.'):
if not key_part in result_part:
result_part[key_part] = {}
result_part = result_part[key_part]
return merge_conf(result_part, conf) | python | def merge_conf_file(self, result, conf_file_path):
"Merge a configuration in file with current configuration"
conf = parse_conf_file(conf_file_path)
conf_file_name = os.path.splitext(os.path.basename(conf_file_path))[0]
result_part = result
if not conf_file_name in File.TOP_LEVEL_CONF_FILES \
and (
not "top_level" in self._options
or not self._options["top_level"]):
for key_part in conf_file_name.split('.'):
if not key_part in result_part:
result_part[key_part] = {}
result_part = result_part[key_part]
return merge_conf(result_part, conf) | [
"def",
"merge_conf_file",
"(",
"self",
",",
"result",
",",
"conf_file_path",
")",
":",
"conf",
"=",
"parse_conf_file",
"(",
"conf_file_path",
")",
"conf_file_name",
"=",
"os",
".",
"path",
".",
"splitext",
"(",
"os",
".",
"path",
".",
"basename",
"(",
"conf_file_path",
")",
")",
"[",
"0",
"]",
"result_part",
"=",
"result",
"if",
"not",
"conf_file_name",
"in",
"File",
".",
"TOP_LEVEL_CONF_FILES",
"and",
"(",
"not",
"\"top_level\"",
"in",
"self",
".",
"_options",
"or",
"not",
"self",
".",
"_options",
"[",
"\"top_level\"",
"]",
")",
":",
"for",
"key_part",
"in",
"conf_file_name",
".",
"split",
"(",
"'.'",
")",
":",
"if",
"not",
"key_part",
"in",
"result_part",
":",
"result_part",
"[",
"key_part",
"]",
"=",
"{",
"}",
"result_part",
"=",
"result_part",
"[",
"key_part",
"]",
"return",
"merge_conf",
"(",
"result_part",
",",
"conf",
")"
] | Merge a configuration in file with current configuration | [
"Merge",
"a",
"configuration",
"in",
"file",
"with",
"current",
"configuration"
] | 4314aa53ca45b4534cd312f6343a88596b4416d4 | https://github.com/fotonauts/fwissr-python/blob/4314aa53ca45b4534cd312f6343a88596b4416d4/fwissr/source/file.py#L63-L78 |
251,010 | cbrand/vpnchooser | src/vpnchooser/helpers/decorators.py | require_login | def require_login(func):
"""
Function wrapper to signalize that a login is required.
"""
@wraps(func)
def decorated(*args, **kwargs):
auth = request.authorization
if not auth:
return authenticate()
user = session.query(User).filter(
User.name == auth.username
).first()
if user and user.check(auth.password):
g.user = user
return func(*args, **kwargs)
else:
return authenticate()
return decorated | python | def require_login(func):
"""
Function wrapper to signalize that a login is required.
"""
@wraps(func)
def decorated(*args, **kwargs):
auth = request.authorization
if not auth:
return authenticate()
user = session.query(User).filter(
User.name == auth.username
).first()
if user and user.check(auth.password):
g.user = user
return func(*args, **kwargs)
else:
return authenticate()
return decorated | [
"def",
"require_login",
"(",
"func",
")",
":",
"@",
"wraps",
"(",
"func",
")",
"def",
"decorated",
"(",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"auth",
"=",
"request",
".",
"authorization",
"if",
"not",
"auth",
":",
"return",
"authenticate",
"(",
")",
"user",
"=",
"session",
".",
"query",
"(",
"User",
")",
".",
"filter",
"(",
"User",
".",
"name",
"==",
"auth",
".",
"username",
")",
".",
"first",
"(",
")",
"if",
"user",
"and",
"user",
".",
"check",
"(",
"auth",
".",
"password",
")",
":",
"g",
".",
"user",
"=",
"user",
"return",
"func",
"(",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
"else",
":",
"return",
"authenticate",
"(",
")",
"return",
"decorated"
] | Function wrapper to signalize that a login is required. | [
"Function",
"wrapper",
"to",
"signalize",
"that",
"a",
"login",
"is",
"required",
"."
] | d153e3d05555c23cf5e8e15e507eecad86465923 | https://github.com/cbrand/vpnchooser/blob/d153e3d05555c23cf5e8e15e507eecad86465923/src/vpnchooser/helpers/decorators.py#L21-L41 |
251,011 | cbrand/vpnchooser | src/vpnchooser/helpers/decorators.py | require_admin | def require_admin(func):
"""
Requires an admin user to access this resource.
"""
@wraps(func)
@require_login
def decorated(*args, **kwargs):
user = current_user()
if user and user.is_admin:
return func(*args, **kwargs)
else:
return Response(
'Forbidden', 403
)
return decorated | python | def require_admin(func):
"""
Requires an admin user to access this resource.
"""
@wraps(func)
@require_login
def decorated(*args, **kwargs):
user = current_user()
if user and user.is_admin:
return func(*args, **kwargs)
else:
return Response(
'Forbidden', 403
)
return decorated | [
"def",
"require_admin",
"(",
"func",
")",
":",
"@",
"wraps",
"(",
"func",
")",
"@",
"require_login",
"def",
"decorated",
"(",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"user",
"=",
"current_user",
"(",
")",
"if",
"user",
"and",
"user",
".",
"is_admin",
":",
"return",
"func",
"(",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
"else",
":",
"return",
"Response",
"(",
"'Forbidden'",
",",
"403",
")",
"return",
"decorated"
] | Requires an admin user to access this resource. | [
"Requires",
"an",
"admin",
"user",
"to",
"access",
"this",
"resource",
"."
] | d153e3d05555c23cf5e8e15e507eecad86465923 | https://github.com/cbrand/vpnchooser/blob/d153e3d05555c23cf5e8e15e507eecad86465923/src/vpnchooser/helpers/decorators.py#L44-L60 |
251,012 | abe-winter/pg13-py | pg13/syncschema.py | detect_change_mode | def detect_change_mode(text,change):
"returns 'add' 'delete' or 'internal'. see comments to update_changes for more details."
# warning: some wacky diff logic (in python, probably in JS too) is making some adds / deletes look like replacements (see notes at bottom of diff.py)
if len(change.deltas)>1: return 'internal'
# todo below: why are blank deltas getting sent? is it a new seg thing? I'm picking 'add' because it has to be in some category and add is most likely next if this is a new seg.
elif not change.deltas: return 'add'
delta,=change.deltas # intentional crash if len(deltas)!=1
if delta.a==delta.b and delta.a==len(text): return 'add'
elif delta.b==len(text) and len(delta.text)==0: return 'delete'
else: return 'internal' | python | def detect_change_mode(text,change):
"returns 'add' 'delete' or 'internal'. see comments to update_changes for more details."
# warning: some wacky diff logic (in python, probably in JS too) is making some adds / deletes look like replacements (see notes at bottom of diff.py)
if len(change.deltas)>1: return 'internal'
# todo below: why are blank deltas getting sent? is it a new seg thing? I'm picking 'add' because it has to be in some category and add is most likely next if this is a new seg.
elif not change.deltas: return 'add'
delta,=change.deltas # intentional crash if len(deltas)!=1
if delta.a==delta.b and delta.a==len(text): return 'add'
elif delta.b==len(text) and len(delta.text)==0: return 'delete'
else: return 'internal' | [
"def",
"detect_change_mode",
"(",
"text",
",",
"change",
")",
":",
"# warning: some wacky diff logic (in python, probably in JS too) is making some adds / deletes look like replacements (see notes at bottom of diff.py)\r",
"if",
"len",
"(",
"change",
".",
"deltas",
")",
">",
"1",
":",
"return",
"'internal'",
"# todo below: why are blank deltas getting sent? is it a new seg thing? I'm picking 'add' because it has to be in some category and add is most likely next if this is a new seg.\r",
"elif",
"not",
"change",
".",
"deltas",
":",
"return",
"'add'",
"delta",
",",
"=",
"change",
".",
"deltas",
"# intentional crash if len(deltas)!=1\r",
"if",
"delta",
".",
"a",
"==",
"delta",
".",
"b",
"and",
"delta",
".",
"a",
"==",
"len",
"(",
"text",
")",
":",
"return",
"'add'",
"elif",
"delta",
".",
"b",
"==",
"len",
"(",
"text",
")",
"and",
"len",
"(",
"delta",
".",
"text",
")",
"==",
"0",
":",
"return",
"'delete'",
"else",
":",
"return",
"'internal'"
] | returns 'add' 'delete' or 'internal'. see comments to update_changes for more details. | [
"returns",
"add",
"delete",
"or",
"internal",
".",
"see",
"comments",
"to",
"update_changes",
"for",
"more",
"details",
"."
] | c78806f99f35541a8756987e86edca3438aa97f5 | https://github.com/abe-winter/pg13-py/blob/c78806f99f35541a8756987e86edca3438aa97f5/pg13/syncschema.py#L52-L61 |
251,013 | abe-winter/pg13-py | pg13/syncschema.py | mkchange | def mkchange(text0,text1,version,mtime):
"return a Change diffing the two strings"
return Change(version,mtime,ucrc(text1),diff.word_diff(text0,text1)) | python | def mkchange(text0,text1,version,mtime):
"return a Change diffing the two strings"
return Change(version,mtime,ucrc(text1),diff.word_diff(text0,text1)) | [
"def",
"mkchange",
"(",
"text0",
",",
"text1",
",",
"version",
",",
"mtime",
")",
":",
"return",
"Change",
"(",
"version",
",",
"mtime",
",",
"ucrc",
"(",
"text1",
")",
",",
"diff",
".",
"word_diff",
"(",
"text0",
",",
"text1",
")",
")"
] | return a Change diffing the two strings | [
"return",
"a",
"Change",
"diffing",
"the",
"two",
"strings"
] | c78806f99f35541a8756987e86edca3438aa97f5 | https://github.com/abe-winter/pg13-py/blob/c78806f99f35541a8756987e86edca3438aa97f5/pg13/syncschema.py#L64-L66 |
251,014 | nens/turn | turn/tools.py | find_resources | def find_resources(client):
""" Detect dispensers and return corresponding resources. """
wildcard = Keys.DISPENSER.format('*')
pattern = re.compile(Keys.DISPENSER.format('(.*)'))
return [pattern.match(d).group(1)
for d in client.scan_iter(wildcard)] | python | def find_resources(client):
""" Detect dispensers and return corresponding resources. """
wildcard = Keys.DISPENSER.format('*')
pattern = re.compile(Keys.DISPENSER.format('(.*)'))
return [pattern.match(d).group(1)
for d in client.scan_iter(wildcard)] | [
"def",
"find_resources",
"(",
"client",
")",
":",
"wildcard",
"=",
"Keys",
".",
"DISPENSER",
".",
"format",
"(",
"'*'",
")",
"pattern",
"=",
"re",
".",
"compile",
"(",
"Keys",
".",
"DISPENSER",
".",
"format",
"(",
"'(.*)'",
")",
")",
"return",
"[",
"pattern",
".",
"match",
"(",
"d",
")",
".",
"group",
"(",
"1",
")",
"for",
"d",
"in",
"client",
".",
"scan_iter",
"(",
"wildcard",
")",
"]"
] | Detect dispensers and return corresponding resources. | [
"Detect",
"dispensers",
"and",
"return",
"corresponding",
"resources",
"."
] | 98e806a0749ada0ddfd04b3c29fb04c15bf5ac18 | https://github.com/nens/turn/blob/98e806a0749ada0ddfd04b3c29fb04c15bf5ac18/turn/tools.py#L28-L33 |
251,015 | nens/turn | turn/tools.py | follow | def follow(resources, **kwargs):
""" Follow publications involved with resources. """
# subscribe
client = redis.Redis(decode_responses=True, **kwargs)
resources = resources if resources else find_resources(client)
channels = [Keys.EXTERNAL.format(resource) for resource in resources]
if resources:
subscription = Subscription(client, *channels)
# listen
while resources:
try:
message = subscription.listen()
if message['type'] == 'message':
print(message['data'])
except KeyboardInterrupt:
break | python | def follow(resources, **kwargs):
""" Follow publications involved with resources. """
# subscribe
client = redis.Redis(decode_responses=True, **kwargs)
resources = resources if resources else find_resources(client)
channels = [Keys.EXTERNAL.format(resource) for resource in resources]
if resources:
subscription = Subscription(client, *channels)
# listen
while resources:
try:
message = subscription.listen()
if message['type'] == 'message':
print(message['data'])
except KeyboardInterrupt:
break | [
"def",
"follow",
"(",
"resources",
",",
"*",
"*",
"kwargs",
")",
":",
"# subscribe",
"client",
"=",
"redis",
".",
"Redis",
"(",
"decode_responses",
"=",
"True",
",",
"*",
"*",
"kwargs",
")",
"resources",
"=",
"resources",
"if",
"resources",
"else",
"find_resources",
"(",
"client",
")",
"channels",
"=",
"[",
"Keys",
".",
"EXTERNAL",
".",
"format",
"(",
"resource",
")",
"for",
"resource",
"in",
"resources",
"]",
"if",
"resources",
":",
"subscription",
"=",
"Subscription",
"(",
"client",
",",
"*",
"channels",
")",
"# listen",
"while",
"resources",
":",
"try",
":",
"message",
"=",
"subscription",
".",
"listen",
"(",
")",
"if",
"message",
"[",
"'type'",
"]",
"==",
"'message'",
":",
"print",
"(",
"message",
"[",
"'data'",
"]",
")",
"except",
"KeyboardInterrupt",
":",
"break"
] | Follow publications involved with resources. | [
"Follow",
"publications",
"involved",
"with",
"resources",
"."
] | 98e806a0749ada0ddfd04b3c29fb04c15bf5ac18 | https://github.com/nens/turn/blob/98e806a0749ada0ddfd04b3c29fb04c15bf5ac18/turn/tools.py#L37-L53 |
251,016 | nens/turn | turn/tools.py | lock | def lock(resources, *args, **kwargs):
""" Lock resources from the command line, for example for maintenance. """
# all resources are locked if nothing is specified
if not resources:
client = redis.Redis(decode_responses=True, **kwargs)
resources = find_resources(client)
if not resources:
return
# create one process per pid
locker = Locker(**kwargs)
while len(resources) > 1:
pid = os.fork()
resources = resources[:1] if pid else resources[1:]
# at this point there is only one resource - lock it down
resource = resources[0]
try:
print('{}: acquiring'.format(resource))
with locker.lock(resource, label='lock tool'):
print('{}: locked'.format(resource))
try:
signal.pause()
except KeyboardInterrupt:
print('{}: released'.format(resource))
except KeyboardInterrupt:
print('{}: canceled'.format(resource)) | python | def lock(resources, *args, **kwargs):
""" Lock resources from the command line, for example for maintenance. """
# all resources are locked if nothing is specified
if not resources:
client = redis.Redis(decode_responses=True, **kwargs)
resources = find_resources(client)
if not resources:
return
# create one process per pid
locker = Locker(**kwargs)
while len(resources) > 1:
pid = os.fork()
resources = resources[:1] if pid else resources[1:]
# at this point there is only one resource - lock it down
resource = resources[0]
try:
print('{}: acquiring'.format(resource))
with locker.lock(resource, label='lock tool'):
print('{}: locked'.format(resource))
try:
signal.pause()
except KeyboardInterrupt:
print('{}: released'.format(resource))
except KeyboardInterrupt:
print('{}: canceled'.format(resource)) | [
"def",
"lock",
"(",
"resources",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"# all resources are locked if nothing is specified",
"if",
"not",
"resources",
":",
"client",
"=",
"redis",
".",
"Redis",
"(",
"decode_responses",
"=",
"True",
",",
"*",
"*",
"kwargs",
")",
"resources",
"=",
"find_resources",
"(",
"client",
")",
"if",
"not",
"resources",
":",
"return",
"# create one process per pid",
"locker",
"=",
"Locker",
"(",
"*",
"*",
"kwargs",
")",
"while",
"len",
"(",
"resources",
")",
">",
"1",
":",
"pid",
"=",
"os",
".",
"fork",
"(",
")",
"resources",
"=",
"resources",
"[",
":",
"1",
"]",
"if",
"pid",
"else",
"resources",
"[",
"1",
":",
"]",
"# at this point there is only one resource - lock it down",
"resource",
"=",
"resources",
"[",
"0",
"]",
"try",
":",
"print",
"(",
"'{}: acquiring'",
".",
"format",
"(",
"resource",
")",
")",
"with",
"locker",
".",
"lock",
"(",
"resource",
",",
"label",
"=",
"'lock tool'",
")",
":",
"print",
"(",
"'{}: locked'",
".",
"format",
"(",
"resource",
")",
")",
"try",
":",
"signal",
".",
"pause",
"(",
")",
"except",
"KeyboardInterrupt",
":",
"print",
"(",
"'{}: released'",
".",
"format",
"(",
"resource",
")",
")",
"except",
"KeyboardInterrupt",
":",
"print",
"(",
"'{}: canceled'",
".",
"format",
"(",
"resource",
")",
")"
] | Lock resources from the command line, for example for maintenance. | [
"Lock",
"resources",
"from",
"the",
"command",
"line",
"for",
"example",
"for",
"maintenance",
"."
] | 98e806a0749ada0ddfd04b3c29fb04c15bf5ac18 | https://github.com/nens/turn/blob/98e806a0749ada0ddfd04b3c29fb04c15bf5ac18/turn/tools.py#L56-L83 |
251,017 | nens/turn | turn/tools.py | reset | def reset(resources, *args, **kwargs):
""" Remove dispensers and indicators for idle resources. """
test = kwargs.pop('test', False)
client = redis.Redis(decode_responses=True, **kwargs)
resources = resources if resources else find_resources(client)
for resource in resources:
# investigate sequences
queue = Queue(client=client, resource=resource)
values = client.mget(queue.keys.indicator, queue.keys.dispenser)
try:
indicator, dispenser = map(int, values)
except TypeError:
print('No such queue: "{}".'.format(resource))
continue
# do a bump if there appears to be a queue
if dispenser - indicator + 1:
queue.message('Reset tool bumps.')
indicator = queue.bump()
# do not reset when there is still a queue
size = dispenser - indicator + 1
if size:
print('"{}" is in use by {} user(s).'.format(resource, size))
continue
# reset, except when someone is incoming
with client.pipeline() as pipe:
try:
pipe.watch(queue.keys.dispenser)
if test:
time.sleep(0.02)
pipe.multi()
pipe.delete(queue.keys.dispenser, queue.keys.indicator)
pipe.execute()
except redis.WatchError:
print('Activity detected for "{}".'.format(resource)) | python | def reset(resources, *args, **kwargs):
""" Remove dispensers and indicators for idle resources. """
test = kwargs.pop('test', False)
client = redis.Redis(decode_responses=True, **kwargs)
resources = resources if resources else find_resources(client)
for resource in resources:
# investigate sequences
queue = Queue(client=client, resource=resource)
values = client.mget(queue.keys.indicator, queue.keys.dispenser)
try:
indicator, dispenser = map(int, values)
except TypeError:
print('No such queue: "{}".'.format(resource))
continue
# do a bump if there appears to be a queue
if dispenser - indicator + 1:
queue.message('Reset tool bumps.')
indicator = queue.bump()
# do not reset when there is still a queue
size = dispenser - indicator + 1
if size:
print('"{}" is in use by {} user(s).'.format(resource, size))
continue
# reset, except when someone is incoming
with client.pipeline() as pipe:
try:
pipe.watch(queue.keys.dispenser)
if test:
time.sleep(0.02)
pipe.multi()
pipe.delete(queue.keys.dispenser, queue.keys.indicator)
pipe.execute()
except redis.WatchError:
print('Activity detected for "{}".'.format(resource)) | [
"def",
"reset",
"(",
"resources",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"test",
"=",
"kwargs",
".",
"pop",
"(",
"'test'",
",",
"False",
")",
"client",
"=",
"redis",
".",
"Redis",
"(",
"decode_responses",
"=",
"True",
",",
"*",
"*",
"kwargs",
")",
"resources",
"=",
"resources",
"if",
"resources",
"else",
"find_resources",
"(",
"client",
")",
"for",
"resource",
"in",
"resources",
":",
"# investigate sequences",
"queue",
"=",
"Queue",
"(",
"client",
"=",
"client",
",",
"resource",
"=",
"resource",
")",
"values",
"=",
"client",
".",
"mget",
"(",
"queue",
".",
"keys",
".",
"indicator",
",",
"queue",
".",
"keys",
".",
"dispenser",
")",
"try",
":",
"indicator",
",",
"dispenser",
"=",
"map",
"(",
"int",
",",
"values",
")",
"except",
"TypeError",
":",
"print",
"(",
"'No such queue: \"{}\".'",
".",
"format",
"(",
"resource",
")",
")",
"continue",
"# do a bump if there appears to be a queue",
"if",
"dispenser",
"-",
"indicator",
"+",
"1",
":",
"queue",
".",
"message",
"(",
"'Reset tool bumps.'",
")",
"indicator",
"=",
"queue",
".",
"bump",
"(",
")",
"# do not reset when there is still a queue",
"size",
"=",
"dispenser",
"-",
"indicator",
"+",
"1",
"if",
"size",
":",
"print",
"(",
"'\"{}\" is in use by {} user(s).'",
".",
"format",
"(",
"resource",
",",
"size",
")",
")",
"continue",
"# reset, except when someone is incoming",
"with",
"client",
".",
"pipeline",
"(",
")",
"as",
"pipe",
":",
"try",
":",
"pipe",
".",
"watch",
"(",
"queue",
".",
"keys",
".",
"dispenser",
")",
"if",
"test",
":",
"time",
".",
"sleep",
"(",
"0.02",
")",
"pipe",
".",
"multi",
"(",
")",
"pipe",
".",
"delete",
"(",
"queue",
".",
"keys",
".",
"dispenser",
",",
"queue",
".",
"keys",
".",
"indicator",
")",
"pipe",
".",
"execute",
"(",
")",
"except",
"redis",
".",
"WatchError",
":",
"print",
"(",
"'Activity detected for \"{}\".'",
".",
"format",
"(",
"resource",
")",
")"
] | Remove dispensers and indicators for idle resources. | [
"Remove",
"dispensers",
"and",
"indicators",
"for",
"idle",
"resources",
"."
] | 98e806a0749ada0ddfd04b3c29fb04c15bf5ac18 | https://github.com/nens/turn/blob/98e806a0749ada0ddfd04b3c29fb04c15bf5ac18/turn/tools.py#L86-L123 |
251,018 | nens/turn | turn/tools.py | status | def status(resources, *args, **kwargs):
"""
Print status report for zero or more resources.
"""
template = '{:<50}{:>10}'
client = redis.Redis(decode_responses=True, **kwargs)
# resource details
for loop, resource in enumerate(resources):
# blank between resources
if loop:
print()
# strings needed
keys = Keys(resource)
wildcard = keys.key('*')
# header
template = '{:<50}{:>10}'
indicator = client.get(keys.indicator)
if indicator is None:
continue
print(template.format(resource, indicator))
print(SEPARATOR)
# body
numbers = sorted([keys.number(key)
for key in client.scan_iter(wildcard)])
for number in numbers:
label = client.get(keys.key(number))
print(template.format(label, number))
if resources:
return
# show a more general status report for all available queues
resources = find_resources(client)
if resources:
dispensers = (Keys.DISPENSER.format(r) for r in resources)
indicators = (Keys.INDICATOR.format(r) for r in resources)
combinations = zip(client.mget(dispensers), client.mget(indicators))
sizes = (int(dispenser) - int(indicator) + 1
for dispenser, indicator in combinations)
# print sorted results
print(template.format('Resource', 'Queue size'))
print(SEPARATOR)
for size, resource in sorted(zip(sizes, resources), reverse=True):
print(template.format(resource, size)) | python | def status(resources, *args, **kwargs):
"""
Print status report for zero or more resources.
"""
template = '{:<50}{:>10}'
client = redis.Redis(decode_responses=True, **kwargs)
# resource details
for loop, resource in enumerate(resources):
# blank between resources
if loop:
print()
# strings needed
keys = Keys(resource)
wildcard = keys.key('*')
# header
template = '{:<50}{:>10}'
indicator = client.get(keys.indicator)
if indicator is None:
continue
print(template.format(resource, indicator))
print(SEPARATOR)
# body
numbers = sorted([keys.number(key)
for key in client.scan_iter(wildcard)])
for number in numbers:
label = client.get(keys.key(number))
print(template.format(label, number))
if resources:
return
# show a more general status report for all available queues
resources = find_resources(client)
if resources:
dispensers = (Keys.DISPENSER.format(r) for r in resources)
indicators = (Keys.INDICATOR.format(r) for r in resources)
combinations = zip(client.mget(dispensers), client.mget(indicators))
sizes = (int(dispenser) - int(indicator) + 1
for dispenser, indicator in combinations)
# print sorted results
print(template.format('Resource', 'Queue size'))
print(SEPARATOR)
for size, resource in sorted(zip(sizes, resources), reverse=True):
print(template.format(resource, size)) | [
"def",
"status",
"(",
"resources",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"template",
"=",
"'{:<50}{:>10}'",
"client",
"=",
"redis",
".",
"Redis",
"(",
"decode_responses",
"=",
"True",
",",
"*",
"*",
"kwargs",
")",
"# resource details",
"for",
"loop",
",",
"resource",
"in",
"enumerate",
"(",
"resources",
")",
":",
"# blank between resources",
"if",
"loop",
":",
"print",
"(",
")",
"# strings needed",
"keys",
"=",
"Keys",
"(",
"resource",
")",
"wildcard",
"=",
"keys",
".",
"key",
"(",
"'*'",
")",
"# header",
"template",
"=",
"'{:<50}{:>10}'",
"indicator",
"=",
"client",
".",
"get",
"(",
"keys",
".",
"indicator",
")",
"if",
"indicator",
"is",
"None",
":",
"continue",
"print",
"(",
"template",
".",
"format",
"(",
"resource",
",",
"indicator",
")",
")",
"print",
"(",
"SEPARATOR",
")",
"# body",
"numbers",
"=",
"sorted",
"(",
"[",
"keys",
".",
"number",
"(",
"key",
")",
"for",
"key",
"in",
"client",
".",
"scan_iter",
"(",
"wildcard",
")",
"]",
")",
"for",
"number",
"in",
"numbers",
":",
"label",
"=",
"client",
".",
"get",
"(",
"keys",
".",
"key",
"(",
"number",
")",
")",
"print",
"(",
"template",
".",
"format",
"(",
"label",
",",
"number",
")",
")",
"if",
"resources",
":",
"return",
"# show a more general status report for all available queues",
"resources",
"=",
"find_resources",
"(",
"client",
")",
"if",
"resources",
":",
"dispensers",
"=",
"(",
"Keys",
".",
"DISPENSER",
".",
"format",
"(",
"r",
")",
"for",
"r",
"in",
"resources",
")",
"indicators",
"=",
"(",
"Keys",
".",
"INDICATOR",
".",
"format",
"(",
"r",
")",
"for",
"r",
"in",
"resources",
")",
"combinations",
"=",
"zip",
"(",
"client",
".",
"mget",
"(",
"dispensers",
")",
",",
"client",
".",
"mget",
"(",
"indicators",
")",
")",
"sizes",
"=",
"(",
"int",
"(",
"dispenser",
")",
"-",
"int",
"(",
"indicator",
")",
"+",
"1",
"for",
"dispenser",
",",
"indicator",
"in",
"combinations",
")",
"# print sorted results",
"print",
"(",
"template",
".",
"format",
"(",
"'Resource'",
",",
"'Queue size'",
")",
")",
"print",
"(",
"SEPARATOR",
")",
"for",
"size",
",",
"resource",
"in",
"sorted",
"(",
"zip",
"(",
"sizes",
",",
"resources",
")",
",",
"reverse",
"=",
"True",
")",
":",
"print",
"(",
"template",
".",
"format",
"(",
"resource",
",",
"size",
")",
")"
] | Print status report for zero or more resources. | [
"Print",
"status",
"report",
"for",
"zero",
"or",
"more",
"resources",
"."
] | 98e806a0749ada0ddfd04b3c29fb04c15bf5ac18 | https://github.com/nens/turn/blob/98e806a0749ada0ddfd04b3c29fb04c15bf5ac18/turn/tools.py#L126-L174 |
251,019 | mohamedattahri/PyXMLi | pyxmli/__init__.py | XMLiElement._create_text_node | def _create_text_node(self, root, name, value, cdata=False):
'''
Creates and adds a text node
@param root:Element Root element
@param name:str Tag name
@param value:object Text value
@param cdata:bool A value indicating whether to use CDATA or not.
@return:Node
'''
if is_empty_or_none(value):
return
if type(value) == date:
value = date_to_string(value)
if type(value) == datetime:
value = datetime_to_string(value)
if isinstance(value, Decimal):
value = "0" if not value else str(value)
tag = root.ownerDocument.createElement(name)
value = value.decode('utf-8')
if cdata:
tag.appendChild(root.ownerDocument.createCDATASection(value))
else:
tag.appendChild(root.ownerDocument.createTextNode(value))
return root.appendChild(tag) | python | def _create_text_node(self, root, name, value, cdata=False):
'''
Creates and adds a text node
@param root:Element Root element
@param name:str Tag name
@param value:object Text value
@param cdata:bool A value indicating whether to use CDATA or not.
@return:Node
'''
if is_empty_or_none(value):
return
if type(value) == date:
value = date_to_string(value)
if type(value) == datetime:
value = datetime_to_string(value)
if isinstance(value, Decimal):
value = "0" if not value else str(value)
tag = root.ownerDocument.createElement(name)
value = value.decode('utf-8')
if cdata:
tag.appendChild(root.ownerDocument.createCDATASection(value))
else:
tag.appendChild(root.ownerDocument.createTextNode(value))
return root.appendChild(tag) | [
"def",
"_create_text_node",
"(",
"self",
",",
"root",
",",
"name",
",",
"value",
",",
"cdata",
"=",
"False",
")",
":",
"if",
"is_empty_or_none",
"(",
"value",
")",
":",
"return",
"if",
"type",
"(",
"value",
")",
"==",
"date",
":",
"value",
"=",
"date_to_string",
"(",
"value",
")",
"if",
"type",
"(",
"value",
")",
"==",
"datetime",
":",
"value",
"=",
"datetime_to_string",
"(",
"value",
")",
"if",
"isinstance",
"(",
"value",
",",
"Decimal",
")",
":",
"value",
"=",
"\"0\"",
"if",
"not",
"value",
"else",
"str",
"(",
"value",
")",
"tag",
"=",
"root",
".",
"ownerDocument",
".",
"createElement",
"(",
"name",
")",
"value",
"=",
"value",
".",
"decode",
"(",
"'utf-8'",
")",
"if",
"cdata",
":",
"tag",
".",
"appendChild",
"(",
"root",
".",
"ownerDocument",
".",
"createCDATASection",
"(",
"value",
")",
")",
"else",
":",
"tag",
".",
"appendChild",
"(",
"root",
".",
"ownerDocument",
".",
"createTextNode",
"(",
"value",
")",
")",
"return",
"root",
".",
"appendChild",
"(",
"tag",
")"
] | Creates and adds a text node
@param root:Element Root element
@param name:str Tag name
@param value:object Text value
@param cdata:bool A value indicating whether to use CDATA or not.
@return:Node | [
"Creates",
"and",
"adds",
"a",
"text",
"node"
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L212-L240 |
251,020 | mohamedattahri/PyXMLi | pyxmli/__init__.py | XMLiElement.to_string | def to_string(self, indent="", newl="", addindent=""):
'''
Returns a string representation of the XMLi element.
@return: str
'''
buf = StringIO()
self.to_xml().writexml(buf, indent=indent, addindent=addindent,
newl=newl)
return buf.getvalue() | python | def to_string(self, indent="", newl="", addindent=""):
'''
Returns a string representation of the XMLi element.
@return: str
'''
buf = StringIO()
self.to_xml().writexml(buf, indent=indent, addindent=addindent,
newl=newl)
return buf.getvalue() | [
"def",
"to_string",
"(",
"self",
",",
"indent",
"=",
"\"\"",
",",
"newl",
"=",
"\"\"",
",",
"addindent",
"=",
"\"\"",
")",
":",
"buf",
"=",
"StringIO",
"(",
")",
"self",
".",
"to_xml",
"(",
")",
".",
"writexml",
"(",
"buf",
",",
"indent",
"=",
"indent",
",",
"addindent",
"=",
"addindent",
",",
"newl",
"=",
"newl",
")",
"return",
"buf",
".",
"getvalue",
"(",
")"
] | Returns a string representation of the XMLi element.
@return: str | [
"Returns",
"a",
"string",
"representation",
"of",
"the",
"XMLi",
"element",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L256-L264 |
251,021 | mohamedattahri/PyXMLi | pyxmli/__init__.py | ExtensibleXMLiElement.__createElementNS | def __createElementNS(self, root, uri, name, value):
'''
Creates and returns an element with a qualified name and a name space
@param root:Element Parent element
@param uri:str Namespace URI
@param tag:str Tag name.
'''
tag = root.ownerDocument.createElementNS(to_unicode(uri),
to_unicode(name))
tag.appendChild(root.ownerDocument
.createCDATASection(to_unicode(value)))
return root.appendChild(tag) | python | def __createElementNS(self, root, uri, name, value):
'''
Creates and returns an element with a qualified name and a name space
@param root:Element Parent element
@param uri:str Namespace URI
@param tag:str Tag name.
'''
tag = root.ownerDocument.createElementNS(to_unicode(uri),
to_unicode(name))
tag.appendChild(root.ownerDocument
.createCDATASection(to_unicode(value)))
return root.appendChild(tag) | [
"def",
"__createElementNS",
"(",
"self",
",",
"root",
",",
"uri",
",",
"name",
",",
"value",
")",
":",
"tag",
"=",
"root",
".",
"ownerDocument",
".",
"createElementNS",
"(",
"to_unicode",
"(",
"uri",
")",
",",
"to_unicode",
"(",
"name",
")",
")",
"tag",
".",
"appendChild",
"(",
"root",
".",
"ownerDocument",
".",
"createCDATASection",
"(",
"to_unicode",
"(",
"value",
")",
")",
")",
"return",
"root",
".",
"appendChild",
"(",
"tag",
")"
] | Creates and returns an element with a qualified name and a name space
@param root:Element Parent element
@param uri:str Namespace URI
@param tag:str Tag name. | [
"Creates",
"and",
"returns",
"an",
"element",
"with",
"a",
"qualified",
"name",
"and",
"a",
"name",
"space"
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L310-L321 |
251,022 | mohamedattahri/PyXMLi | pyxmli/__init__.py | ExtensibleXMLiElement.to_xml | def to_xml(self, root):
'''
Returns a DOM element contaning the XML representation of the
ExtensibleXMLiElement
@param root:Element Root XML element.
@return: Element
'''
if not len(self.__custom_elements):
return
for uri, tags in self.__custom_elements.items():
prefix, url = uri.split(":", 1)
for name, value in tags.items():
self.__createElementNS(root, url, prefix + ":" + name, value)
return root | python | def to_xml(self, root):
'''
Returns a DOM element contaning the XML representation of the
ExtensibleXMLiElement
@param root:Element Root XML element.
@return: Element
'''
if not len(self.__custom_elements):
return
for uri, tags in self.__custom_elements.items():
prefix, url = uri.split(":", 1)
for name, value in tags.items():
self.__createElementNS(root, url, prefix + ":" + name, value)
return root | [
"def",
"to_xml",
"(",
"self",
",",
"root",
")",
":",
"if",
"not",
"len",
"(",
"self",
".",
"__custom_elements",
")",
":",
"return",
"for",
"uri",
",",
"tags",
"in",
"self",
".",
"__custom_elements",
".",
"items",
"(",
")",
":",
"prefix",
",",
"url",
"=",
"uri",
".",
"split",
"(",
"\":\"",
",",
"1",
")",
"for",
"name",
",",
"value",
"in",
"tags",
".",
"items",
"(",
")",
":",
"self",
".",
"__createElementNS",
"(",
"root",
",",
"url",
",",
"prefix",
"+",
"\":\"",
"+",
"name",
",",
"value",
")",
"return",
"root"
] | Returns a DOM element contaning the XML representation of the
ExtensibleXMLiElement
@param root:Element Root XML element.
@return: Element | [
"Returns",
"a",
"DOM",
"element",
"contaning",
"the",
"XML",
"representation",
"of",
"the",
"ExtensibleXMLiElement"
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L323-L338 |
251,023 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Address.duplicate | def duplicate(self):
'''
Returns a copy of the current address.
@returns: Address
'''
return self.__class__(street_address=self.street_address,
city=self.city, zipcode=self.zipcode,
state=self.state, country=self.country) | python | def duplicate(self):
'''
Returns a copy of the current address.
@returns: Address
'''
return self.__class__(street_address=self.street_address,
city=self.city, zipcode=self.zipcode,
state=self.state, country=self.country) | [
"def",
"duplicate",
"(",
"self",
")",
":",
"return",
"self",
".",
"__class__",
"(",
"street_address",
"=",
"self",
".",
"street_address",
",",
"city",
"=",
"self",
".",
"city",
",",
"zipcode",
"=",
"self",
".",
"zipcode",
",",
"state",
"=",
"self",
".",
"state",
",",
"country",
"=",
"self",
".",
"country",
")"
] | Returns a copy of the current address.
@returns: Address | [
"Returns",
"a",
"copy",
"of",
"the",
"current",
"address",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L414-L421 |
251,024 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Address.to_xml | def to_xml(self, name="address"):
'''
Returns a DOM Element containing the XML representation of the
address.
@return:Element
'''
for n, v in {"street_address": self.street_address, "city": self.city,
"country": self.country}.items():
if is_empty_or_none(v):
raise ValueError("'%s' attribute cannot be empty or None." % n)
doc = Document()
root = doc.createElement(name)
self._create_text_node(root, "streetAddress", self.street_address, True)
self._create_text_node(root, "city", self.city, True)
self._create_text_node(root, "zipcode", self.zipcode)
self._create_text_node(root, "state", self.state, True)
self._create_text_node(root, "country", self.country)
return root | python | def to_xml(self, name="address"):
'''
Returns a DOM Element containing the XML representation of the
address.
@return:Element
'''
for n, v in {"street_address": self.street_address, "city": self.city,
"country": self.country}.items():
if is_empty_or_none(v):
raise ValueError("'%s' attribute cannot be empty or None." % n)
doc = Document()
root = doc.createElement(name)
self._create_text_node(root, "streetAddress", self.street_address, True)
self._create_text_node(root, "city", self.city, True)
self._create_text_node(root, "zipcode", self.zipcode)
self._create_text_node(root, "state", self.state, True)
self._create_text_node(root, "country", self.country)
return root | [
"def",
"to_xml",
"(",
"self",
",",
"name",
"=",
"\"address\"",
")",
":",
"for",
"n",
",",
"v",
"in",
"{",
"\"street_address\"",
":",
"self",
".",
"street_address",
",",
"\"city\"",
":",
"self",
".",
"city",
",",
"\"country\"",
":",
"self",
".",
"country",
"}",
".",
"items",
"(",
")",
":",
"if",
"is_empty_or_none",
"(",
"v",
")",
":",
"raise",
"ValueError",
"(",
"\"'%s' attribute cannot be empty or None.\"",
"%",
"n",
")",
"doc",
"=",
"Document",
"(",
")",
"root",
"=",
"doc",
".",
"createElement",
"(",
"name",
")",
"self",
".",
"_create_text_node",
"(",
"root",
",",
"\"streetAddress\"",
",",
"self",
".",
"street_address",
",",
"True",
")",
"self",
".",
"_create_text_node",
"(",
"root",
",",
"\"city\"",
",",
"self",
".",
"city",
",",
"True",
")",
"self",
".",
"_create_text_node",
"(",
"root",
",",
"\"zipcode\"",
",",
"self",
".",
"zipcode",
")",
"self",
".",
"_create_text_node",
"(",
"root",
",",
"\"state\"",
",",
"self",
".",
"state",
",",
"True",
")",
"self",
".",
"_create_text_node",
"(",
"root",
",",
"\"country\"",
",",
"self",
".",
"country",
")",
"return",
"root"
] | Returns a DOM Element containing the XML representation of the
address.
@return:Element | [
"Returns",
"a",
"DOM",
"Element",
"containing",
"the",
"XML",
"representation",
"of",
"the",
"address",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L423-L441 |
251,025 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Contact.duplicate | def duplicate(self):
'''
Returns a copy of the current contact element.
@returns: Contact
'''
return self.__class__(name=self.name, identifier=self.identifier,
phone=self.phone, require_id=self.__require_id,
address=self.address.duplicate()) | python | def duplicate(self):
'''
Returns a copy of the current contact element.
@returns: Contact
'''
return self.__class__(name=self.name, identifier=self.identifier,
phone=self.phone, require_id=self.__require_id,
address=self.address.duplicate()) | [
"def",
"duplicate",
"(",
"self",
")",
":",
"return",
"self",
".",
"__class__",
"(",
"name",
"=",
"self",
".",
"name",
",",
"identifier",
"=",
"self",
".",
"identifier",
",",
"phone",
"=",
"self",
".",
"phone",
",",
"require_id",
"=",
"self",
".",
"__require_id",
",",
"address",
"=",
"self",
".",
"address",
".",
"duplicate",
"(",
")",
")"
] | Returns a copy of the current contact element.
@returns: Contact | [
"Returns",
"a",
"copy",
"of",
"the",
"current",
"contact",
"element",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L478-L485 |
251,026 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Contact.to_xml | def to_xml(self, tag_name="buyer"):
'''
Returns an XMLi representation of the object.
@param tag_name:str Tag name
@return: Element
'''
for n, v in {"name": self.name, "address": self.address}.items():
if is_empty_or_none(v):
raise ValueError("'%s' attribute cannot be empty or None." % n)
if self.__require_id and is_empty_or_none(self.identifier):
raise ValueError("identifier attribute cannot be empty or None.")
doc = Document()
root = doc.createElement(tag_name)
self._create_text_node(root, "id", self.identifier)
self._create_text_node(root, "name", self.name, True)
if self.phone:
self._create_text_node(root, "phone", self.phone, True)
root.appendChild(self.address.to_xml())
return root | python | def to_xml(self, tag_name="buyer"):
'''
Returns an XMLi representation of the object.
@param tag_name:str Tag name
@return: Element
'''
for n, v in {"name": self.name, "address": self.address}.items():
if is_empty_or_none(v):
raise ValueError("'%s' attribute cannot be empty or None." % n)
if self.__require_id and is_empty_or_none(self.identifier):
raise ValueError("identifier attribute cannot be empty or None.")
doc = Document()
root = doc.createElement(tag_name)
self._create_text_node(root, "id", self.identifier)
self._create_text_node(root, "name", self.name, True)
if self.phone:
self._create_text_node(root, "phone", self.phone, True)
root.appendChild(self.address.to_xml())
return root | [
"def",
"to_xml",
"(",
"self",
",",
"tag_name",
"=",
"\"buyer\"",
")",
":",
"for",
"n",
",",
"v",
"in",
"{",
"\"name\"",
":",
"self",
".",
"name",
",",
"\"address\"",
":",
"self",
".",
"address",
"}",
".",
"items",
"(",
")",
":",
"if",
"is_empty_or_none",
"(",
"v",
")",
":",
"raise",
"ValueError",
"(",
"\"'%s' attribute cannot be empty or None.\"",
"%",
"n",
")",
"if",
"self",
".",
"__require_id",
"and",
"is_empty_or_none",
"(",
"self",
".",
"identifier",
")",
":",
"raise",
"ValueError",
"(",
"\"identifier attribute cannot be empty or None.\"",
")",
"doc",
"=",
"Document",
"(",
")",
"root",
"=",
"doc",
".",
"createElement",
"(",
"tag_name",
")",
"self",
".",
"_create_text_node",
"(",
"root",
",",
"\"id\"",
",",
"self",
".",
"identifier",
")",
"self",
".",
"_create_text_node",
"(",
"root",
",",
"\"name\"",
",",
"self",
".",
"name",
",",
"True",
")",
"if",
"self",
".",
"phone",
":",
"self",
".",
"_create_text_node",
"(",
"root",
",",
"\"phone\"",
",",
"self",
".",
"phone",
",",
"True",
")",
"root",
".",
"appendChild",
"(",
"self",
".",
"address",
".",
"to_xml",
"(",
")",
")",
"return",
"root"
] | Returns an XMLi representation of the object.
@param tag_name:str Tag name
@return: Element | [
"Returns",
"an",
"XMLi",
"representation",
"of",
"the",
"object",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L487-L507 |
251,027 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Shipping.to_xml | def to_xml(self):
'''
Returns an XMLi representation of the shipping details.
@return: Element
'''
for n, v in {"recipient": self.recipient}.items():
if is_empty_or_none(v):
raise ValueError("'%s' attribute cannot be empty or None." % n)
doc = Document()
root = doc.createElement("shipping")
root.appendChild(self.recipient.to_xml("recipient"))
return root | python | def to_xml(self):
'''
Returns an XMLi representation of the shipping details.
@return: Element
'''
for n, v in {"recipient": self.recipient}.items():
if is_empty_or_none(v):
raise ValueError("'%s' attribute cannot be empty or None." % n)
doc = Document()
root = doc.createElement("shipping")
root.appendChild(self.recipient.to_xml("recipient"))
return root | [
"def",
"to_xml",
"(",
"self",
")",
":",
"for",
"n",
",",
"v",
"in",
"{",
"\"recipient\"",
":",
"self",
".",
"recipient",
"}",
".",
"items",
"(",
")",
":",
"if",
"is_empty_or_none",
"(",
"v",
")",
":",
"raise",
"ValueError",
"(",
"\"'%s' attribute cannot be empty or None.\"",
"%",
"n",
")",
"doc",
"=",
"Document",
"(",
")",
"root",
"=",
"doc",
".",
"createElement",
"(",
"\"shipping\"",
")",
"root",
".",
"appendChild",
"(",
"self",
".",
"recipient",
".",
"to_xml",
"(",
"\"recipient\"",
")",
")",
"return",
"root"
] | Returns an XMLi representation of the shipping details.
@return: Element | [
"Returns",
"an",
"XMLi",
"representation",
"of",
"the",
"shipping",
"details",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L522-L534 |
251,028 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Invoice.__set_identifier | def __set_identifier(self, value):
'''
Sets the ID of the invoice.
@param value:str
'''
if not value or not len(value):
raise ValueError("Invalid invoice ID")
self.__identifier = value | python | def __set_identifier(self, value):
'''
Sets the ID of the invoice.
@param value:str
'''
if not value or not len(value):
raise ValueError("Invalid invoice ID")
self.__identifier = value | [
"def",
"__set_identifier",
"(",
"self",
",",
"value",
")",
":",
"if",
"not",
"value",
"or",
"not",
"len",
"(",
"value",
")",
":",
"raise",
"ValueError",
"(",
"\"Invalid invoice ID\"",
")",
"self",
".",
"__identifier",
"=",
"value"
] | Sets the ID of the invoice.
@param value:str | [
"Sets",
"the",
"ID",
"of",
"the",
"invoice",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L624-L632 |
251,029 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Invoice.__set_status | def __set_status(self, value):
'''
Sets the status of the invoice.
@param value:str
'''
if value not in [INVOICE_DUE, INVOICE_PAID, INVOICE_CANCELED,
INVOICE_IRRECOVERABLE]:
raise ValueError("Invalid invoice status")
self.__status = value | python | def __set_status(self, value):
'''
Sets the status of the invoice.
@param value:str
'''
if value not in [INVOICE_DUE, INVOICE_PAID, INVOICE_CANCELED,
INVOICE_IRRECOVERABLE]:
raise ValueError("Invalid invoice status")
self.__status = value | [
"def",
"__set_status",
"(",
"self",
",",
"value",
")",
":",
"if",
"value",
"not",
"in",
"[",
"INVOICE_DUE",
",",
"INVOICE_PAID",
",",
"INVOICE_CANCELED",
",",
"INVOICE_IRRECOVERABLE",
"]",
":",
"raise",
"ValueError",
"(",
"\"Invalid invoice status\"",
")",
"self",
".",
"__status",
"=",
"value"
] | Sets the status of the invoice.
@param value:str | [
"Sets",
"the",
"status",
"of",
"the",
"invoice",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L644-L653 |
251,030 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Invoice.__set_date | def __set_date(self, value):
'''
Sets the invoice date.
@param value:datetime
'''
value = date_to_datetime(value)
if value > datetime.now() + timedelta(hours=14, minutes=1): #More or less 14 hours from now in case the submitted date was local
raise ValueError("Date cannot be in the future.")
if self.__due_date and value.date() > self.__due_date:
raise ValueError("Date cannot be posterior to the due date.")
self.__date = value | python | def __set_date(self, value):
'''
Sets the invoice date.
@param value:datetime
'''
value = date_to_datetime(value)
if value > datetime.now() + timedelta(hours=14, minutes=1): #More or less 14 hours from now in case the submitted date was local
raise ValueError("Date cannot be in the future.")
if self.__due_date and value.date() > self.__due_date:
raise ValueError("Date cannot be posterior to the due date.")
self.__date = value | [
"def",
"__set_date",
"(",
"self",
",",
"value",
")",
":",
"value",
"=",
"date_to_datetime",
"(",
"value",
")",
"if",
"value",
">",
"datetime",
".",
"now",
"(",
")",
"+",
"timedelta",
"(",
"hours",
"=",
"14",
",",
"minutes",
"=",
"1",
")",
":",
"#More or less 14 hours from now in case the submitted date was local",
"raise",
"ValueError",
"(",
"\"Date cannot be in the future.\"",
")",
"if",
"self",
".",
"__due_date",
"and",
"value",
".",
"date",
"(",
")",
">",
"self",
".",
"__due_date",
":",
"raise",
"ValueError",
"(",
"\"Date cannot be posterior to the due date.\"",
")",
"self",
".",
"__date",
"=",
"value"
] | Sets the invoice date.
@param value:datetime | [
"Sets",
"the",
"invoice",
"date",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L655-L667 |
251,031 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Invoice.__set_due_date | def __set_due_date(self, value):
'''
Sets the due date of the invoice.
@param value:date
'''
if type(value) != date:
raise ValueError('Due date must be an instance of date.')
if self.__date.date() and value < self.__date.date():
raise ValueError("Due date cannot be anterior to the invoice " \
"date.")
self.__due_date = value | python | def __set_due_date(self, value):
'''
Sets the due date of the invoice.
@param value:date
'''
if type(value) != date:
raise ValueError('Due date must be an instance of date.')
if self.__date.date() and value < self.__date.date():
raise ValueError("Due date cannot be anterior to the invoice " \
"date.")
self.__due_date = value | [
"def",
"__set_due_date",
"(",
"self",
",",
"value",
")",
":",
"if",
"type",
"(",
"value",
")",
"!=",
"date",
":",
"raise",
"ValueError",
"(",
"'Due date must be an instance of date.'",
")",
"if",
"self",
".",
"__date",
".",
"date",
"(",
")",
"and",
"value",
"<",
"self",
".",
"__date",
".",
"date",
"(",
")",
":",
"raise",
"ValueError",
"(",
"\"Due date cannot be anterior to the invoice \"",
"\"date.\"",
")",
"self",
".",
"__due_date",
"=",
"value"
] | Sets the due date of the invoice.
@param value:date | [
"Sets",
"the",
"due",
"date",
"of",
"the",
"invoice",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L669-L681 |
251,032 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Invoice.compute_discounts | def compute_discounts(self, precision=None):
'''
Returns the total discounts of this group.
@param precision: int Number of decimals
@return: Decimal
'''
return sum([group.compute_discounts(precision) for group
in self.__groups]) | python | def compute_discounts(self, precision=None):
'''
Returns the total discounts of this group.
@param precision: int Number of decimals
@return: Decimal
'''
return sum([group.compute_discounts(precision) for group
in self.__groups]) | [
"def",
"compute_discounts",
"(",
"self",
",",
"precision",
"=",
"None",
")",
":",
"return",
"sum",
"(",
"[",
"group",
".",
"compute_discounts",
"(",
"precision",
")",
"for",
"group",
"in",
"self",
".",
"__groups",
"]",
")"
] | Returns the total discounts of this group.
@param precision: int Number of decimals
@return: Decimal | [
"Returns",
"the",
"total",
"discounts",
"of",
"this",
"group",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L701-L708 |
251,033 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Invoice.compute_taxes | def compute_taxes(self, precision=None):
'''
Returns the total amount of taxes for this group.
@param precision: int Number of decimal places
@return: Decimal
'''
return sum([group.compute_taxes(precision) for group in self.__groups]) | python | def compute_taxes(self, precision=None):
'''
Returns the total amount of taxes for this group.
@param precision: int Number of decimal places
@return: Decimal
'''
return sum([group.compute_taxes(precision) for group in self.__groups]) | [
"def",
"compute_taxes",
"(",
"self",
",",
"precision",
"=",
"None",
")",
":",
"return",
"sum",
"(",
"[",
"group",
".",
"compute_taxes",
"(",
"precision",
")",
"for",
"group",
"in",
"self",
".",
"__groups",
"]",
")"
] | Returns the total amount of taxes for this group.
@param precision: int Number of decimal places
@return: Decimal | [
"Returns",
"the",
"total",
"amount",
"of",
"taxes",
"for",
"this",
"group",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L718-L724 |
251,034 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Invoice.compute_payments | def compute_payments(self, precision=None):
'''
Returns the total amount of payments made to this invoice.
@param precision:int Number of decimal places
@return: Decimal
'''
return quantize(sum([payment.amount for payment in self.__payments]),
precision) | python | def compute_payments(self, precision=None):
'''
Returns the total amount of payments made to this invoice.
@param precision:int Number of decimal places
@return: Decimal
'''
return quantize(sum([payment.amount for payment in self.__payments]),
precision) | [
"def",
"compute_payments",
"(",
"self",
",",
"precision",
"=",
"None",
")",
":",
"return",
"quantize",
"(",
"sum",
"(",
"[",
"payment",
".",
"amount",
"for",
"payment",
"in",
"self",
".",
"__payments",
"]",
")",
",",
"precision",
")"
] | Returns the total amount of payments made to this invoice.
@param precision:int Number of decimal places
@return: Decimal | [
"Returns",
"the",
"total",
"amount",
"of",
"payments",
"made",
"to",
"this",
"invoice",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L734-L741 |
251,035 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Invoice.to_signed_str | def to_signed_str(self, private, public, passphrase=None):
'''
Returns a signed version of the invoice.
@param private:file Private key file-like object
@param public:file Public key file-like object
@param passphrase:str Private key passphrase if any.
@return: str
'''
from pyxmli import xmldsig
try:
from Crypto.PublicKey import RSA
except ImportError:
raise ImportError('PyCrypto 2.5 or more recent module is ' \
'required to enable XMLi signing.\n' \
'Please visit: http://pycrypto.sourceforge.net/')
if not isinstance(private, RSA._RSAobj):
private = RSA.importKey(private.read(), passphrase=passphrase)
if not isinstance(public, RSA._RSAobj):
public = RSA.importKey(public.read())
return to_unicode(xmldsig.sign(to_unicode(self.to_string()),
private, public)) | python | def to_signed_str(self, private, public, passphrase=None):
'''
Returns a signed version of the invoice.
@param private:file Private key file-like object
@param public:file Public key file-like object
@param passphrase:str Private key passphrase if any.
@return: str
'''
from pyxmli import xmldsig
try:
from Crypto.PublicKey import RSA
except ImportError:
raise ImportError('PyCrypto 2.5 or more recent module is ' \
'required to enable XMLi signing.\n' \
'Please visit: http://pycrypto.sourceforge.net/')
if not isinstance(private, RSA._RSAobj):
private = RSA.importKey(private.read(), passphrase=passphrase)
if not isinstance(public, RSA._RSAobj):
public = RSA.importKey(public.read())
return to_unicode(xmldsig.sign(to_unicode(self.to_string()),
private, public)) | [
"def",
"to_signed_str",
"(",
"self",
",",
"private",
",",
"public",
",",
"passphrase",
"=",
"None",
")",
":",
"from",
"pyxmli",
"import",
"xmldsig",
"try",
":",
"from",
"Crypto",
".",
"PublicKey",
"import",
"RSA",
"except",
"ImportError",
":",
"raise",
"ImportError",
"(",
"'PyCrypto 2.5 or more recent module is '",
"'required to enable XMLi signing.\\n'",
"'Please visit: http://pycrypto.sourceforge.net/'",
")",
"if",
"not",
"isinstance",
"(",
"private",
",",
"RSA",
".",
"_RSAobj",
")",
":",
"private",
"=",
"RSA",
".",
"importKey",
"(",
"private",
".",
"read",
"(",
")",
",",
"passphrase",
"=",
"passphrase",
")",
"if",
"not",
"isinstance",
"(",
"public",
",",
"RSA",
".",
"_RSAobj",
")",
":",
"public",
"=",
"RSA",
".",
"importKey",
"(",
"public",
".",
"read",
"(",
")",
")",
"return",
"to_unicode",
"(",
"xmldsig",
".",
"sign",
"(",
"to_unicode",
"(",
"self",
".",
"to_string",
"(",
")",
")",
",",
"private",
",",
"public",
")",
")"
] | Returns a signed version of the invoice.
@param private:file Private key file-like object
@param public:file Public key file-like object
@param passphrase:str Private key passphrase if any.
@return: str | [
"Returns",
"a",
"signed",
"version",
"of",
"the",
"invoice",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L891-L914 |
251,036 | mohamedattahri/PyXMLi | pyxmli/__init__.py | DeliveryMethod.__set_method | def __set_method(self, value):
'''
Sets the method to use.
@param value: str
'''
if value not in [DELIVERY_METHOD_EMAIL, DELIVERY_METHOD_SMS,
DELIVERY_METHOD_SNAILMAIL]:
raise ValueError("Invalid deliveries method '%s'" % value)
self.__method = value | python | def __set_method(self, value):
'''
Sets the method to use.
@param value: str
'''
if value not in [DELIVERY_METHOD_EMAIL, DELIVERY_METHOD_SMS,
DELIVERY_METHOD_SNAILMAIL]:
raise ValueError("Invalid deliveries method '%s'" % value)
self.__method = value | [
"def",
"__set_method",
"(",
"self",
",",
"value",
")",
":",
"if",
"value",
"not",
"in",
"[",
"DELIVERY_METHOD_EMAIL",
",",
"DELIVERY_METHOD_SMS",
",",
"DELIVERY_METHOD_SNAILMAIL",
"]",
":",
"raise",
"ValueError",
"(",
"\"Invalid deliveries method '%s'\"",
"%",
"value",
")",
"self",
".",
"__method",
"=",
"value"
] | Sets the method to use.
@param value: str | [
"Sets",
"the",
"method",
"to",
"use",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L930-L939 |
251,037 | mohamedattahri/PyXMLi | pyxmli/__init__.py | DeliveryMethod.__set_status | def __set_status(self, value):
'''
Sets the deliveries status of this method.
@param value: str
'''
if value not in [DELIVERY_METHOD_STATUS_PENDING,
DELIVERY_METHOD_STATUS_SENT,
DELIVERY_METHOD_STATUS_CONFIRMED,
DELIVERY_METHOD_STATUS_BOUNCED]:
raise ValueError("Invalid deliveries method status '%s'" % value)
self.__status = value | python | def __set_status(self, value):
'''
Sets the deliveries status of this method.
@param value: str
'''
if value not in [DELIVERY_METHOD_STATUS_PENDING,
DELIVERY_METHOD_STATUS_SENT,
DELIVERY_METHOD_STATUS_CONFIRMED,
DELIVERY_METHOD_STATUS_BOUNCED]:
raise ValueError("Invalid deliveries method status '%s'" % value)
self.__status = value | [
"def",
"__set_status",
"(",
"self",
",",
"value",
")",
":",
"if",
"value",
"not",
"in",
"[",
"DELIVERY_METHOD_STATUS_PENDING",
",",
"DELIVERY_METHOD_STATUS_SENT",
",",
"DELIVERY_METHOD_STATUS_CONFIRMED",
",",
"DELIVERY_METHOD_STATUS_BOUNCED",
"]",
":",
"raise",
"ValueError",
"(",
"\"Invalid deliveries method status '%s'\"",
"%",
"value",
")",
"self",
".",
"__status",
"=",
"value"
] | Sets the deliveries status of this method.
@param value: str | [
"Sets",
"the",
"deliveries",
"status",
"of",
"this",
"method",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L941-L952 |
251,038 | mohamedattahri/PyXMLi | pyxmli/__init__.py | DeliveryMethod.duplicate | def duplicate(self):
'''
Returns a copy of this deliveries method.
@return: DeliveryMethod
'''
return self.__class__(self.method, self.status, self.date, self.ref) | python | def duplicate(self):
'''
Returns a copy of this deliveries method.
@return: DeliveryMethod
'''
return self.__class__(self.method, self.status, self.date, self.ref) | [
"def",
"duplicate",
"(",
"self",
")",
":",
"return",
"self",
".",
"__class__",
"(",
"self",
".",
"method",
",",
"self",
".",
"status",
",",
"self",
".",
"date",
",",
"self",
".",
"ref",
")"
] | Returns a copy of this deliveries method.
@return: DeliveryMethod | [
"Returns",
"a",
"copy",
"of",
"this",
"deliveries",
"method",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L962-L967 |
251,039 | mohamedattahri/PyXMLi | pyxmli/__init__.py | DeliveryMethod.to_xml | def to_xml(self):
'''
Returns a DOM representation of the deliveries method
@returns: Element
'''
for n, v in { "method": self.method, "status": self.status,
"date":self.date}.items():
if is_empty_or_none(v):
raise DeliveryMethodError("'%s' attribute cannot be " \
"empty or None." % n)
doc = Document()
root = doc.createElement("delivery")
super(DeliveryMethod, self).to_xml(root)
self._create_text_node(root, "method", self.method)
self._create_text_node(root, "status", self.status)
self._create_text_node(root, "reference", self.ref, True)
self._create_text_node(root, "date", self.date)
return root | python | def to_xml(self):
'''
Returns a DOM representation of the deliveries method
@returns: Element
'''
for n, v in { "method": self.method, "status": self.status,
"date":self.date}.items():
if is_empty_or_none(v):
raise DeliveryMethodError("'%s' attribute cannot be " \
"empty or None." % n)
doc = Document()
root = doc.createElement("delivery")
super(DeliveryMethod, self).to_xml(root)
self._create_text_node(root, "method", self.method)
self._create_text_node(root, "status", self.status)
self._create_text_node(root, "reference", self.ref, True)
self._create_text_node(root, "date", self.date)
return root | [
"def",
"to_xml",
"(",
"self",
")",
":",
"for",
"n",
",",
"v",
"in",
"{",
"\"method\"",
":",
"self",
".",
"method",
",",
"\"status\"",
":",
"self",
".",
"status",
",",
"\"date\"",
":",
"self",
".",
"date",
"}",
".",
"items",
"(",
")",
":",
"if",
"is_empty_or_none",
"(",
"v",
")",
":",
"raise",
"DeliveryMethodError",
"(",
"\"'%s' attribute cannot be \"",
"\"empty or None.\"",
"%",
"n",
")",
"doc",
"=",
"Document",
"(",
")",
"root",
"=",
"doc",
".",
"createElement",
"(",
"\"delivery\"",
")",
"super",
"(",
"DeliveryMethod",
",",
"self",
")",
".",
"to_xml",
"(",
"root",
")",
"self",
".",
"_create_text_node",
"(",
"root",
",",
"\"method\"",
",",
"self",
".",
"method",
")",
"self",
".",
"_create_text_node",
"(",
"root",
",",
"\"status\"",
",",
"self",
".",
"status",
")",
"self",
".",
"_create_text_node",
"(",
"root",
",",
"\"reference\"",
",",
"self",
".",
"ref",
",",
"True",
")",
"self",
".",
"_create_text_node",
"(",
"root",
",",
"\"date\"",
",",
"self",
".",
"date",
")",
"return",
"root"
] | Returns a DOM representation of the deliveries method
@returns: Element | [
"Returns",
"a",
"DOM",
"representation",
"of",
"the",
"deliveries",
"method"
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L969-L987 |
251,040 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Payment.__set_amount | def __set_amount(self, value):
'''
Sets the amount of the payment operation.
@param value:float
'''
try:
self.__amount = quantize(Decimal(str(value)))
except:
raise ValueError('Invalid amount value') | python | def __set_amount(self, value):
'''
Sets the amount of the payment operation.
@param value:float
'''
try:
self.__amount = quantize(Decimal(str(value)))
except:
raise ValueError('Invalid amount value') | [
"def",
"__set_amount",
"(",
"self",
",",
"value",
")",
":",
"try",
":",
"self",
".",
"__amount",
"=",
"quantize",
"(",
"Decimal",
"(",
"str",
"(",
"value",
")",
")",
")",
"except",
":",
"raise",
"ValueError",
"(",
"'Invalid amount value'",
")"
] | Sets the amount of the payment operation.
@param value:float | [
"Sets",
"the",
"amount",
"of",
"the",
"payment",
"operation",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L1008-L1016 |
251,041 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Payment.__set_method | def __set_method(self, value):
'''
Sets the amount of the payment.
'''
if value not in [PAYMENT_METHOD_OTHER, PAYMENT_METHOD_CARD,
PAYMENT_METHOD_CHEQUE, PAYMENT_METHOD_CASH, ]:
raise ValueError('Invalid amount value')
self.__method = value | python | def __set_method(self, value):
'''
Sets the amount of the payment.
'''
if value not in [PAYMENT_METHOD_OTHER, PAYMENT_METHOD_CARD,
PAYMENT_METHOD_CHEQUE, PAYMENT_METHOD_CASH, ]:
raise ValueError('Invalid amount value')
self.__method = value | [
"def",
"__set_method",
"(",
"self",
",",
"value",
")",
":",
"if",
"value",
"not",
"in",
"[",
"PAYMENT_METHOD_OTHER",
",",
"PAYMENT_METHOD_CARD",
",",
"PAYMENT_METHOD_CHEQUE",
",",
"PAYMENT_METHOD_CASH",
",",
"]",
":",
"raise",
"ValueError",
"(",
"'Invalid amount value'",
")",
"self",
".",
"__method",
"=",
"value"
] | Sets the amount of the payment. | [
"Sets",
"the",
"amount",
"of",
"the",
"payment",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L1018-L1026 |
251,042 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Payment.__set_date | def __set_date(self, value):
'''
Sets the date of the payment.
@param value:datetime
'''
if not issubclass(value.__class__, date):
raise ValueError('Invalid date value')
self.__date = value | python | def __set_date(self, value):
'''
Sets the date of the payment.
@param value:datetime
'''
if not issubclass(value.__class__, date):
raise ValueError('Invalid date value')
self.__date = value | [
"def",
"__set_date",
"(",
"self",
",",
"value",
")",
":",
"if",
"not",
"issubclass",
"(",
"value",
".",
"__class__",
",",
"date",
")",
":",
"raise",
"ValueError",
"(",
"'Invalid date value'",
")",
"self",
".",
"__date",
"=",
"value"
] | Sets the date of the payment.
@param value:datetime | [
"Sets",
"the",
"date",
"of",
"the",
"payment",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L1028-L1036 |
251,043 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Payment.to_xml | def to_xml(self):
'''
Returns a DOM representation of the payment.
@return: Element
'''
for n, v in { "amount": self.amount, "date": self.date,
"method":self.method}.items():
if is_empty_or_none(v):
raise PaymentError("'%s' attribute cannot be empty or " \
"None." % n)
doc = Document()
root = doc.createElement("payment")
super(Payment, self).to_xml(root)
self._create_text_node(root, "amount", self.amount)
self._create_text_node(root, "method", self.method)
self._create_text_node(root, "reference", self.ref, True)
self._create_text_node(root, "date", self.date)
return root | python | def to_xml(self):
'''
Returns a DOM representation of the payment.
@return: Element
'''
for n, v in { "amount": self.amount, "date": self.date,
"method":self.method}.items():
if is_empty_or_none(v):
raise PaymentError("'%s' attribute cannot be empty or " \
"None." % n)
doc = Document()
root = doc.createElement("payment")
super(Payment, self).to_xml(root)
self._create_text_node(root, "amount", self.amount)
self._create_text_node(root, "method", self.method)
self._create_text_node(root, "reference", self.ref, True)
self._create_text_node(root, "date", self.date)
return root | [
"def",
"to_xml",
"(",
"self",
")",
":",
"for",
"n",
",",
"v",
"in",
"{",
"\"amount\"",
":",
"self",
".",
"amount",
",",
"\"date\"",
":",
"self",
".",
"date",
",",
"\"method\"",
":",
"self",
".",
"method",
"}",
".",
"items",
"(",
")",
":",
"if",
"is_empty_or_none",
"(",
"v",
")",
":",
"raise",
"PaymentError",
"(",
"\"'%s' attribute cannot be empty or \"",
"\"None.\"",
"%",
"n",
")",
"doc",
"=",
"Document",
"(",
")",
"root",
"=",
"doc",
".",
"createElement",
"(",
"\"payment\"",
")",
"super",
"(",
"Payment",
",",
"self",
")",
".",
"to_xml",
"(",
"root",
")",
"self",
".",
"_create_text_node",
"(",
"root",
",",
"\"amount\"",
",",
"self",
".",
"amount",
")",
"self",
".",
"_create_text_node",
"(",
"root",
",",
"\"method\"",
",",
"self",
".",
"method",
")",
"self",
".",
"_create_text_node",
"(",
"root",
",",
"\"reference\"",
",",
"self",
".",
"ref",
",",
"True",
")",
"self",
".",
"_create_text_node",
"(",
"root",
",",
"\"date\"",
",",
"self",
".",
"date",
")",
"return",
"root"
] | Returns a DOM representation of the payment.
@return: Element | [
"Returns",
"a",
"DOM",
"representation",
"of",
"the",
"payment",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L1050-L1068 |
251,044 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Group.compute_discounts | def compute_discounts(self, precision=None):
'''
Returns the total amount of discounts of this group.
@param precision:int Total amount of discounts
@return: Decimal
'''
return sum([line.compute_discounts(precision) for line in self.__lines]) | python | def compute_discounts(self, precision=None):
'''
Returns the total amount of discounts of this group.
@param precision:int Total amount of discounts
@return: Decimal
'''
return sum([line.compute_discounts(precision) for line in self.__lines]) | [
"def",
"compute_discounts",
"(",
"self",
",",
"precision",
"=",
"None",
")",
":",
"return",
"sum",
"(",
"[",
"line",
".",
"compute_discounts",
"(",
"precision",
")",
"for",
"line",
"in",
"self",
".",
"__lines",
"]",
")"
] | Returns the total amount of discounts of this group.
@param precision:int Total amount of discounts
@return: Decimal | [
"Returns",
"the",
"total",
"amount",
"of",
"discounts",
"of",
"this",
"group",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L1102-L1108 |
251,045 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Group.compute_taxes | def compute_taxes(self, precision=None):
'''
Returns the total amount of taxes of this group.
@param precision:int Total amount of discounts
@return: Decimal
'''
return sum([line.compute_taxes(precision) for line in self.__lines]) | python | def compute_taxes(self, precision=None):
'''
Returns the total amount of taxes of this group.
@param precision:int Total amount of discounts
@return: Decimal
'''
return sum([line.compute_taxes(precision) for line in self.__lines]) | [
"def",
"compute_taxes",
"(",
"self",
",",
"precision",
"=",
"None",
")",
":",
"return",
"sum",
"(",
"[",
"line",
".",
"compute_taxes",
"(",
"precision",
")",
"for",
"line",
"in",
"self",
".",
"__lines",
"]",
")"
] | Returns the total amount of taxes of this group.
@param precision:int Total amount of discounts
@return: Decimal | [
"Returns",
"the",
"total",
"amount",
"of",
"taxes",
"of",
"this",
"group",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L1118-L1124 |
251,046 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Group.to_xml | def to_xml(self):
'''
Returns a DOM representation of the group.
@return: Element
'''
if not len(self.lines):
raise GroupError("A group must at least have one line.")
doc = Document()
root = doc.createElement("group")
super(Group, self).to_xml(root)
self._create_text_node(root, "name", self.name, True)
self._create_text_node(root, "description", self.description, True)
lines = doc.createElement("lines")
root.appendChild(lines)
for line in self.__lines:
if not issubclass(line.__class__, Line):
raise GroupError('line of type %s is not an instance ' \
'or a subclass of %s' %
(line.__class__.__name__, Line.__name__))
lines.appendChild(line.to_xml())
return root | python | def to_xml(self):
'''
Returns a DOM representation of the group.
@return: Element
'''
if not len(self.lines):
raise GroupError("A group must at least have one line.")
doc = Document()
root = doc.createElement("group")
super(Group, self).to_xml(root)
self._create_text_node(root, "name", self.name, True)
self._create_text_node(root, "description", self.description, True)
lines = doc.createElement("lines")
root.appendChild(lines)
for line in self.__lines:
if not issubclass(line.__class__, Line):
raise GroupError('line of type %s is not an instance ' \
'or a subclass of %s' %
(line.__class__.__name__, Line.__name__))
lines.appendChild(line.to_xml())
return root | [
"def",
"to_xml",
"(",
"self",
")",
":",
"if",
"not",
"len",
"(",
"self",
".",
"lines",
")",
":",
"raise",
"GroupError",
"(",
"\"A group must at least have one line.\"",
")",
"doc",
"=",
"Document",
"(",
")",
"root",
"=",
"doc",
".",
"createElement",
"(",
"\"group\"",
")",
"super",
"(",
"Group",
",",
"self",
")",
".",
"to_xml",
"(",
"root",
")",
"self",
".",
"_create_text_node",
"(",
"root",
",",
"\"name\"",
",",
"self",
".",
"name",
",",
"True",
")",
"self",
".",
"_create_text_node",
"(",
"root",
",",
"\"description\"",
",",
"self",
".",
"description",
",",
"True",
")",
"lines",
"=",
"doc",
".",
"createElement",
"(",
"\"lines\"",
")",
"root",
".",
"appendChild",
"(",
"lines",
")",
"for",
"line",
"in",
"self",
".",
"__lines",
":",
"if",
"not",
"issubclass",
"(",
"line",
".",
"__class__",
",",
"Line",
")",
":",
"raise",
"GroupError",
"(",
"'line of type %s is not an instance '",
"'or a subclass of %s'",
"%",
"(",
"line",
".",
"__class__",
".",
"__name__",
",",
"Line",
".",
"__name__",
")",
")",
"lines",
".",
"appendChild",
"(",
"line",
".",
"to_xml",
"(",
")",
")",
"return",
"root"
] | Returns a DOM representation of the group.
@return: Element | [
"Returns",
"a",
"DOM",
"representation",
"of",
"the",
"group",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L1153-L1176 |
251,047 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Line.__set_unit | def __set_unit(self, value):
'''
Sets the unit of the line.
@param value:str
'''
if value in UNITS:
value = value.upper()
self.__unit = value | python | def __set_unit(self, value):
'''
Sets the unit of the line.
@param value:str
'''
if value in UNITS:
value = value.upper()
self.__unit = value | [
"def",
"__set_unit",
"(",
"self",
",",
"value",
")",
":",
"if",
"value",
"in",
"UNITS",
":",
"value",
"=",
"value",
".",
"upper",
"(",
")",
"self",
".",
"__unit",
"=",
"value"
] | Sets the unit of the line.
@param value:str | [
"Sets",
"the",
"unit",
"of",
"the",
"line",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L1229-L1237 |
251,048 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Line.__set_quantity | def __set_quantity(self, value):
'''
Sets the quantity
@param value:str
'''
try:
if value < 0:
raise ValueError()
self.__quantity = Decimal(str(value))
except ValueError:
raise ValueError("Quantity must be a positive number") | python | def __set_quantity(self, value):
'''
Sets the quantity
@param value:str
'''
try:
if value < 0:
raise ValueError()
self.__quantity = Decimal(str(value))
except ValueError:
raise ValueError("Quantity must be a positive number") | [
"def",
"__set_quantity",
"(",
"self",
",",
"value",
")",
":",
"try",
":",
"if",
"value",
"<",
"0",
":",
"raise",
"ValueError",
"(",
")",
"self",
".",
"__quantity",
"=",
"Decimal",
"(",
"str",
"(",
"value",
")",
")",
"except",
"ValueError",
":",
"raise",
"ValueError",
"(",
"\"Quantity must be a positive number\"",
")"
] | Sets the quantity
@param value:str | [
"Sets",
"the",
"quantity"
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L1239-L1250 |
251,049 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Line.__set_unit_price | def __set_unit_price(self, value):
'''
Sets the unit price
@param value:str
'''
try:
if value < 0:
raise ValueError()
self.__unit_price = Decimal(str(value))
except ValueError:
raise ValueError("Unit Price must be a positive number") | python | def __set_unit_price(self, value):
'''
Sets the unit price
@param value:str
'''
try:
if value < 0:
raise ValueError()
self.__unit_price = Decimal(str(value))
except ValueError:
raise ValueError("Unit Price must be a positive number") | [
"def",
"__set_unit_price",
"(",
"self",
",",
"value",
")",
":",
"try",
":",
"if",
"value",
"<",
"0",
":",
"raise",
"ValueError",
"(",
")",
"self",
".",
"__unit_price",
"=",
"Decimal",
"(",
"str",
"(",
"value",
")",
")",
"except",
"ValueError",
":",
"raise",
"ValueError",
"(",
"\"Unit Price must be a positive number\"",
")"
] | Sets the unit price
@param value:str | [
"Sets",
"the",
"unit",
"price"
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L1252-L1263 |
251,050 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Line.compute_discounts | def compute_discounts(self, precision=None):
'''
Returns the total amount of discounts for this line with a specific
number of decimals.
@param precision:int number of decimal places
@return: Decimal
'''
gross = self.compute_gross(precision)
return min(gross,
sum([d.compute(gross, precision) for d in self.__discounts])) | python | def compute_discounts(self, precision=None):
'''
Returns the total amount of discounts for this line with a specific
number of decimals.
@param precision:int number of decimal places
@return: Decimal
'''
gross = self.compute_gross(precision)
return min(gross,
sum([d.compute(gross, precision) for d in self.__discounts])) | [
"def",
"compute_discounts",
"(",
"self",
",",
"precision",
"=",
"None",
")",
":",
"gross",
"=",
"self",
".",
"compute_gross",
"(",
"precision",
")",
"return",
"min",
"(",
"gross",
",",
"sum",
"(",
"[",
"d",
".",
"compute",
"(",
"gross",
",",
"precision",
")",
"for",
"d",
"in",
"self",
".",
"__discounts",
"]",
")",
")"
] | Returns the total amount of discounts for this line with a specific
number of decimals.
@param precision:int number of decimal places
@return: Decimal | [
"Returns",
"the",
"total",
"amount",
"of",
"discounts",
"for",
"this",
"line",
"with",
"a",
"specific",
"number",
"of",
"decimals",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L1289-L1298 |
251,051 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Line.compute_taxes | def compute_taxes(self, precision=None):
'''
Returns the total amount of taxes for this line with a specific
number of decimals
@param precision: int Number of decimal places
@return: Decimal
'''
base = self.gross - self.total_discounts
return quantize(sum([t.compute(base, precision) for t in self.__taxes]),
precision) | python | def compute_taxes(self, precision=None):
'''
Returns the total amount of taxes for this line with a specific
number of decimals
@param precision: int Number of decimal places
@return: Decimal
'''
base = self.gross - self.total_discounts
return quantize(sum([t.compute(base, precision) for t in self.__taxes]),
precision) | [
"def",
"compute_taxes",
"(",
"self",
",",
"precision",
"=",
"None",
")",
":",
"base",
"=",
"self",
".",
"gross",
"-",
"self",
".",
"total_discounts",
"return",
"quantize",
"(",
"sum",
"(",
"[",
"t",
".",
"compute",
"(",
"base",
",",
"precision",
")",
"for",
"t",
"in",
"self",
".",
"__taxes",
"]",
")",
",",
"precision",
")"
] | Returns the total amount of taxes for this line with a specific
number of decimals
@param precision: int Number of decimal places
@return: Decimal | [
"Returns",
"the",
"total",
"amount",
"of",
"taxes",
"for",
"this",
"line",
"with",
"a",
"specific",
"number",
"of",
"decimals"
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L1308-L1317 |
251,052 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Line.duplicate | def duplicate(self):
'''
Returns a copy of the current Line, including its taxes and discounts
@returns: Line.
'''
instance = self.__class__(name=self.name, description=self.description,
unit=self.unit, quantity=self.quantity,
date=self.date, unit_price=self.unit_price,
gin=self.gin, gtin=self.gtin, sscc=self.sscc)
for tax in self.taxes:
instance.taxes.append(tax.duplicate())
for discount in self.discounts:
instance.discounts.append(discount.duplicate())
return instance | python | def duplicate(self):
'''
Returns a copy of the current Line, including its taxes and discounts
@returns: Line.
'''
instance = self.__class__(name=self.name, description=self.description,
unit=self.unit, quantity=self.quantity,
date=self.date, unit_price=self.unit_price,
gin=self.gin, gtin=self.gtin, sscc=self.sscc)
for tax in self.taxes:
instance.taxes.append(tax.duplicate())
for discount in self.discounts:
instance.discounts.append(discount.duplicate())
return instance | [
"def",
"duplicate",
"(",
"self",
")",
":",
"instance",
"=",
"self",
".",
"__class__",
"(",
"name",
"=",
"self",
".",
"name",
",",
"description",
"=",
"self",
".",
"description",
",",
"unit",
"=",
"self",
".",
"unit",
",",
"quantity",
"=",
"self",
".",
"quantity",
",",
"date",
"=",
"self",
".",
"date",
",",
"unit_price",
"=",
"self",
".",
"unit_price",
",",
"gin",
"=",
"self",
".",
"gin",
",",
"gtin",
"=",
"self",
".",
"gtin",
",",
"sscc",
"=",
"self",
".",
"sscc",
")",
"for",
"tax",
"in",
"self",
".",
"taxes",
":",
"instance",
".",
"taxes",
".",
"append",
"(",
"tax",
".",
"duplicate",
"(",
")",
")",
"for",
"discount",
"in",
"self",
".",
"discounts",
":",
"instance",
".",
"discounts",
".",
"append",
"(",
"discount",
".",
"duplicate",
"(",
")",
")",
"return",
"instance"
] | Returns a copy of the current Line, including its taxes and discounts
@returns: Line. | [
"Returns",
"a",
"copy",
"of",
"the",
"current",
"Line",
"including",
"its",
"taxes",
"and",
"discounts"
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L1343-L1356 |
251,053 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Line.to_xml | def to_xml(self):
'''
Returns a DOM representation of the line.
@return: Element
'''
for n, v in {"name": self.name, "quantity": self.quantity,
"unit_price": self.unit_price}.items():
if is_empty_or_none(v):
raise LineError("'%s' attribute cannot be empty or None." %
n)
doc = Document()
root = doc.createElement("line")
super(Line, self).to_xml(root)
self._create_text_node(root, "date", self.date)
self._create_text_node(root, "name", self.name, True)
self._create_text_node(root, "description", self.description, True)
self._create_text_node(root, "quantity", self.quantity)
self._create_text_node(root, "unitPrice", self.unit_price)
self._create_text_node(root, "unit", self.unit)
self._create_text_node(root, "gin", self.gin)
self._create_text_node(root, "gtin", self.gtin)
self._create_text_node(root, "sscc", self.sscc)
if len(self.__discounts):
discounts = root.ownerDocument.createElement("discounts")
root.appendChild(discounts)
for discount in self.__discounts:
if not issubclass(discount.__class__, Discount):
raise LineError('discount of type %s is not an ' \
'instance or a subclass of %s' %
(discount.__class__.__name__,
Discount.__name__))
discounts.appendChild(discount.to_xml())
if len(self.__taxes):
taxes = root.ownerDocument.createElement("taxes")
root.appendChild(taxes)
for tax in self.__taxes:
if not issubclass(tax.__class__, Tax):
raise LineError('tax of type %s is not an instance ' \
'or a subclass of %s' %
(tax.__class__.__name__, Tax.__name__))
taxes.appendChild(tax.to_xml())
return root | python | def to_xml(self):
'''
Returns a DOM representation of the line.
@return: Element
'''
for n, v in {"name": self.name, "quantity": self.quantity,
"unit_price": self.unit_price}.items():
if is_empty_or_none(v):
raise LineError("'%s' attribute cannot be empty or None." %
n)
doc = Document()
root = doc.createElement("line")
super(Line, self).to_xml(root)
self._create_text_node(root, "date", self.date)
self._create_text_node(root, "name", self.name, True)
self._create_text_node(root, "description", self.description, True)
self._create_text_node(root, "quantity", self.quantity)
self._create_text_node(root, "unitPrice", self.unit_price)
self._create_text_node(root, "unit", self.unit)
self._create_text_node(root, "gin", self.gin)
self._create_text_node(root, "gtin", self.gtin)
self._create_text_node(root, "sscc", self.sscc)
if len(self.__discounts):
discounts = root.ownerDocument.createElement("discounts")
root.appendChild(discounts)
for discount in self.__discounts:
if not issubclass(discount.__class__, Discount):
raise LineError('discount of type %s is not an ' \
'instance or a subclass of %s' %
(discount.__class__.__name__,
Discount.__name__))
discounts.appendChild(discount.to_xml())
if len(self.__taxes):
taxes = root.ownerDocument.createElement("taxes")
root.appendChild(taxes)
for tax in self.__taxes:
if not issubclass(tax.__class__, Tax):
raise LineError('tax of type %s is not an instance ' \
'or a subclass of %s' %
(tax.__class__.__name__, Tax.__name__))
taxes.appendChild(tax.to_xml())
return root | [
"def",
"to_xml",
"(",
"self",
")",
":",
"for",
"n",
",",
"v",
"in",
"{",
"\"name\"",
":",
"self",
".",
"name",
",",
"\"quantity\"",
":",
"self",
".",
"quantity",
",",
"\"unit_price\"",
":",
"self",
".",
"unit_price",
"}",
".",
"items",
"(",
")",
":",
"if",
"is_empty_or_none",
"(",
"v",
")",
":",
"raise",
"LineError",
"(",
"\"'%s' attribute cannot be empty or None.\"",
"%",
"n",
")",
"doc",
"=",
"Document",
"(",
")",
"root",
"=",
"doc",
".",
"createElement",
"(",
"\"line\"",
")",
"super",
"(",
"Line",
",",
"self",
")",
".",
"to_xml",
"(",
"root",
")",
"self",
".",
"_create_text_node",
"(",
"root",
",",
"\"date\"",
",",
"self",
".",
"date",
")",
"self",
".",
"_create_text_node",
"(",
"root",
",",
"\"name\"",
",",
"self",
".",
"name",
",",
"True",
")",
"self",
".",
"_create_text_node",
"(",
"root",
",",
"\"description\"",
",",
"self",
".",
"description",
",",
"True",
")",
"self",
".",
"_create_text_node",
"(",
"root",
",",
"\"quantity\"",
",",
"self",
".",
"quantity",
")",
"self",
".",
"_create_text_node",
"(",
"root",
",",
"\"unitPrice\"",
",",
"self",
".",
"unit_price",
")",
"self",
".",
"_create_text_node",
"(",
"root",
",",
"\"unit\"",
",",
"self",
".",
"unit",
")",
"self",
".",
"_create_text_node",
"(",
"root",
",",
"\"gin\"",
",",
"self",
".",
"gin",
")",
"self",
".",
"_create_text_node",
"(",
"root",
",",
"\"gtin\"",
",",
"self",
".",
"gtin",
")",
"self",
".",
"_create_text_node",
"(",
"root",
",",
"\"sscc\"",
",",
"self",
".",
"sscc",
")",
"if",
"len",
"(",
"self",
".",
"__discounts",
")",
":",
"discounts",
"=",
"root",
".",
"ownerDocument",
".",
"createElement",
"(",
"\"discounts\"",
")",
"root",
".",
"appendChild",
"(",
"discounts",
")",
"for",
"discount",
"in",
"self",
".",
"__discounts",
":",
"if",
"not",
"issubclass",
"(",
"discount",
".",
"__class__",
",",
"Discount",
")",
":",
"raise",
"LineError",
"(",
"'discount of type %s is not an '",
"'instance or a subclass of %s'",
"%",
"(",
"discount",
".",
"__class__",
".",
"__name__",
",",
"Discount",
".",
"__name__",
")",
")",
"discounts",
".",
"appendChild",
"(",
"discount",
".",
"to_xml",
"(",
")",
")",
"if",
"len",
"(",
"self",
".",
"__taxes",
")",
":",
"taxes",
"=",
"root",
".",
"ownerDocument",
".",
"createElement",
"(",
"\"taxes\"",
")",
"root",
".",
"appendChild",
"(",
"taxes",
")",
"for",
"tax",
"in",
"self",
".",
"__taxes",
":",
"if",
"not",
"issubclass",
"(",
"tax",
".",
"__class__",
",",
"Tax",
")",
":",
"raise",
"LineError",
"(",
"'tax of type %s is not an instance '",
"'or a subclass of %s'",
"%",
"(",
"tax",
".",
"__class__",
".",
"__name__",
",",
"Tax",
".",
"__name__",
")",
")",
"taxes",
".",
"appendChild",
"(",
"tax",
".",
"to_xml",
"(",
")",
")",
"return",
"root"
] | Returns a DOM representation of the line.
@return: Element | [
"Returns",
"a",
"DOM",
"representation",
"of",
"the",
"line",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L1358-L1403 |
251,054 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Treatment.__set_interval | def __set_interval(self, value):
'''
Sets the treatment interval
@param value:Interval
'''
if not isinstance(self, Interval):
raise ValueError("'value' must be of type Interval")
self.__interval = value | python | def __set_interval(self, value):
'''
Sets the treatment interval
@param value:Interval
'''
if not isinstance(self, Interval):
raise ValueError("'value' must be of type Interval")
self.__interval = value | [
"def",
"__set_interval",
"(",
"self",
",",
"value",
")",
":",
"if",
"not",
"isinstance",
"(",
"self",
",",
"Interval",
")",
":",
"raise",
"ValueError",
"(",
"\"'value' must be of type Interval\"",
")",
"self",
".",
"__interval",
"=",
"value"
] | Sets the treatment interval
@param value:Interval | [
"Sets",
"the",
"treatment",
"interval"
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L1426-L1434 |
251,055 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Treatment.__set_name | def __set_name(self, value):
'''
Sets the name of the treatment.
@param value:str
'''
if not value or not len(value):
raise ValueError("Invalid name.")
self.__name = value | python | def __set_name(self, value):
'''
Sets the name of the treatment.
@param value:str
'''
if not value or not len(value):
raise ValueError("Invalid name.")
self.__name = value | [
"def",
"__set_name",
"(",
"self",
",",
"value",
")",
":",
"if",
"not",
"value",
"or",
"not",
"len",
"(",
"value",
")",
":",
"raise",
"ValueError",
"(",
"\"Invalid name.\"",
")",
"self",
".",
"__name",
"=",
"value"
] | Sets the name of the treatment.
@param value:str | [
"Sets",
"the",
"name",
"of",
"the",
"treatment",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L1436-L1444 |
251,056 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Treatment.__set_rate_type | def __set_rate_type(self, value):
'''
Sets the rate type.
@param value:str
'''
if value not in [RATE_TYPE_FIXED, RATE_TYPE_PERCENTAGE]:
raise ValueError("Invalid rate type.")
self.__rate_type = value | python | def __set_rate_type(self, value):
'''
Sets the rate type.
@param value:str
'''
if value not in [RATE_TYPE_FIXED, RATE_TYPE_PERCENTAGE]:
raise ValueError("Invalid rate type.")
self.__rate_type = value | [
"def",
"__set_rate_type",
"(",
"self",
",",
"value",
")",
":",
"if",
"value",
"not",
"in",
"[",
"RATE_TYPE_FIXED",
",",
"RATE_TYPE_PERCENTAGE",
"]",
":",
"raise",
"ValueError",
"(",
"\"Invalid rate type.\"",
")",
"self",
".",
"__rate_type",
"=",
"value"
] | Sets the rate type.
@param value:str | [
"Sets",
"the",
"rate",
"type",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L1446-L1454 |
251,057 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Treatment.duplicate | def duplicate(self):
'''
Returns a copy of the current treatment.
@returns: Treatment.
'''
return self.__class__(name=self.name, description=self.description,
rate_type=self.rate_type, rate=self.rate,
interval=self.interval) | python | def duplicate(self):
'''
Returns a copy of the current treatment.
@returns: Treatment.
'''
return self.__class__(name=self.name, description=self.description,
rate_type=self.rate_type, rate=self.rate,
interval=self.interval) | [
"def",
"duplicate",
"(",
"self",
")",
":",
"return",
"self",
".",
"__class__",
"(",
"name",
"=",
"self",
".",
"name",
",",
"description",
"=",
"self",
".",
"description",
",",
"rate_type",
"=",
"self",
".",
"rate_type",
",",
"rate",
"=",
"self",
".",
"rate",
",",
"interval",
"=",
"self",
".",
"interval",
")"
] | Returns a copy of the current treatment.
@returns: Treatment. | [
"Returns",
"a",
"copy",
"of",
"the",
"current",
"treatment",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L1471-L1478 |
251,058 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Treatment.compute | def compute(self, base, precision=None):
'''
Computes the amount of the treatment.
@param base:float Gross
@return: Decimal
'''
if base <= ZERO:
return ZERO
if self.rate_type == RATE_TYPE_FIXED:
if not self.interval or base >= self.interval.lower:
return quantize(self.rate, precision)
return ZERO
if not self.interval:
return quantize(base * self.rate / 100, precision)
if base > self.interval.lower:
base = min(base, self.interval.upper) - self.interval.lower
return quantize(base * self.rate / 100, precision)
return ZERO | python | def compute(self, base, precision=None):
'''
Computes the amount of the treatment.
@param base:float Gross
@return: Decimal
'''
if base <= ZERO:
return ZERO
if self.rate_type == RATE_TYPE_FIXED:
if not self.interval or base >= self.interval.lower:
return quantize(self.rate, precision)
return ZERO
if not self.interval:
return quantize(base * self.rate / 100, precision)
if base > self.interval.lower:
base = min(base, self.interval.upper) - self.interval.lower
return quantize(base * self.rate / 100, precision)
return ZERO | [
"def",
"compute",
"(",
"self",
",",
"base",
",",
"precision",
"=",
"None",
")",
":",
"if",
"base",
"<=",
"ZERO",
":",
"return",
"ZERO",
"if",
"self",
".",
"rate_type",
"==",
"RATE_TYPE_FIXED",
":",
"if",
"not",
"self",
".",
"interval",
"or",
"base",
">=",
"self",
".",
"interval",
".",
"lower",
":",
"return",
"quantize",
"(",
"self",
".",
"rate",
",",
"precision",
")",
"return",
"ZERO",
"if",
"not",
"self",
".",
"interval",
":",
"return",
"quantize",
"(",
"base",
"*",
"self",
".",
"rate",
"/",
"100",
",",
"precision",
")",
"if",
"base",
">",
"self",
".",
"interval",
".",
"lower",
":",
"base",
"=",
"min",
"(",
"base",
",",
"self",
".",
"interval",
".",
"upper",
")",
"-",
"self",
".",
"interval",
".",
"lower",
"return",
"quantize",
"(",
"base",
"*",
"self",
".",
"rate",
"/",
"100",
",",
"precision",
")",
"return",
"ZERO"
] | Computes the amount of the treatment.
@param base:float Gross
@return: Decimal | [
"Computes",
"the",
"amount",
"of",
"the",
"treatment",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L1480-L1501 |
251,059 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Treatment.to_xml | def to_xml(self, name):
'''
Returns a DOM representation of the line treatment.
@return: Element
'''
for n, v in {"rate_type": self.rate_type,
"rate": self.rate,
"name": self.name,
"description": self.description}.items():
if is_empty_or_none(v):
raise TreatmentError("'%s' attribute cannot be empty " \
"or None." % n)
doc = Document()
root = doc.createElement(name)
root.setAttribute("type", self.rate_type)
root.setAttribute("name", to_unicode(self.name))
root.setAttribute("description", to_unicode(self.description))
if self.interval:
root.setAttribute("base", self.interval)
root.appendChild(doc.createTextNode(to_unicode(self.rate)))
return root | python | def to_xml(self, name):
'''
Returns a DOM representation of the line treatment.
@return: Element
'''
for n, v in {"rate_type": self.rate_type,
"rate": self.rate,
"name": self.name,
"description": self.description}.items():
if is_empty_or_none(v):
raise TreatmentError("'%s' attribute cannot be empty " \
"or None." % n)
doc = Document()
root = doc.createElement(name)
root.setAttribute("type", self.rate_type)
root.setAttribute("name", to_unicode(self.name))
root.setAttribute("description", to_unicode(self.description))
if self.interval:
root.setAttribute("base", self.interval)
root.appendChild(doc.createTextNode(to_unicode(self.rate)))
return root | [
"def",
"to_xml",
"(",
"self",
",",
"name",
")",
":",
"for",
"n",
",",
"v",
"in",
"{",
"\"rate_type\"",
":",
"self",
".",
"rate_type",
",",
"\"rate\"",
":",
"self",
".",
"rate",
",",
"\"name\"",
":",
"self",
".",
"name",
",",
"\"description\"",
":",
"self",
".",
"description",
"}",
".",
"items",
"(",
")",
":",
"if",
"is_empty_or_none",
"(",
"v",
")",
":",
"raise",
"TreatmentError",
"(",
"\"'%s' attribute cannot be empty \"",
"\"or None.\"",
"%",
"n",
")",
"doc",
"=",
"Document",
"(",
")",
"root",
"=",
"doc",
".",
"createElement",
"(",
"name",
")",
"root",
".",
"setAttribute",
"(",
"\"type\"",
",",
"self",
".",
"rate_type",
")",
"root",
".",
"setAttribute",
"(",
"\"name\"",
",",
"to_unicode",
"(",
"self",
".",
"name",
")",
")",
"root",
".",
"setAttribute",
"(",
"\"description\"",
",",
"to_unicode",
"(",
"self",
".",
"description",
")",
")",
"if",
"self",
".",
"interval",
":",
"root",
".",
"setAttribute",
"(",
"\"base\"",
",",
"self",
".",
"interval",
")",
"root",
".",
"appendChild",
"(",
"doc",
".",
"createTextNode",
"(",
"to_unicode",
"(",
"self",
".",
"rate",
")",
")",
")",
"return",
"root"
] | Returns a DOM representation of the line treatment.
@return: Element | [
"Returns",
"a",
"DOM",
"representation",
"of",
"the",
"line",
"treatment",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L1503-L1524 |
251,060 | mohamedattahri/PyXMLi | pyxmli/__init__.py | Discount.compute | def compute(self, base, *args, **kwargs):
'''
Returns the value of the discount.
@param base:float Computation base.
@return: Decimal
'''
return min(base, super(Discount, self).compute(base, *args, **kwargs)) | python | def compute(self, base, *args, **kwargs):
'''
Returns the value of the discount.
@param base:float Computation base.
@return: Decimal
'''
return min(base, super(Discount, self).compute(base, *args, **kwargs)) | [
"def",
"compute",
"(",
"self",
",",
"base",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"return",
"min",
"(",
"base",
",",
"super",
"(",
"Discount",
",",
"self",
")",
".",
"compute",
"(",
"base",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
")"
] | Returns the value of the discount.
@param base:float Computation base.
@return: Decimal | [
"Returns",
"the",
"value",
"of",
"the",
"discount",
"."
] | a81a245be822d62f1a20c734ca14b42c786ae81e | https://github.com/mohamedattahri/PyXMLi/blob/a81a245be822d62f1a20c734ca14b42c786ae81e/pyxmli/__init__.py#L1550-L1556 |
251,061 | emencia/emencia_paste_djangocms_3 | emencia_paste_djangocms_3/django_buildout/project/accounts/views.py | RegistrationView.register | def register(self, request, **cleaned_data):
"""
Given a username, email address and password, register a new
user account, which will initially be inactive.
Along with the new ``User`` object, a new
``registration.models.RegistrationProfile`` will be created,
tied to that ``User``, containing the activation key which
will be used for this account.
Two emails will be sent. First one to the admin; this email should
contain an activation link and a resume of the new user infos.
Second one, to the user, for inform him that his request is pending.
After the ``User`` and ``RegistrationProfile`` are created and
the activation email is sent, the signal
``registration.signals.user_registered`` will be sent, with
the new ``User`` as the keyword argument ``user`` and the
class of this backend as the sender.
"""
if Site._meta.installed:
site = Site.objects.get_current()
else:
site = RequestSite(request)
create_user = RegistrationProfile.objects.create_inactive_user
new_user = create_user(
cleaned_data['username'],
cleaned_data['email'],
cleaned_data['password1'],
site,
send_email=False
)
new_user.first_name = cleaned_data['first_name']
new_user.last_name = cleaned_data['last_name']
new_user.save()
user_info = UserInfo(
user=new_user,
company=cleaned_data['company'],
function=cleaned_data['function'],
address=cleaned_data['address'],
postal_code=cleaned_data['postal_code'],
city=cleaned_data['city'],
country=cleaned_data['country'],
phone=cleaned_data['phone'],
)
user_info.save()
send_activation_email(new_user, site, user_info)
send_activation_pending_email(new_user, site, user_info)
signals.user_registered.send(sender=self.__class__, user=new_user, request=request)
return new_user | python | def register(self, request, **cleaned_data):
"""
Given a username, email address and password, register a new
user account, which will initially be inactive.
Along with the new ``User`` object, a new
``registration.models.RegistrationProfile`` will be created,
tied to that ``User``, containing the activation key which
will be used for this account.
Two emails will be sent. First one to the admin; this email should
contain an activation link and a resume of the new user infos.
Second one, to the user, for inform him that his request is pending.
After the ``User`` and ``RegistrationProfile`` are created and
the activation email is sent, the signal
``registration.signals.user_registered`` will be sent, with
the new ``User`` as the keyword argument ``user`` and the
class of this backend as the sender.
"""
if Site._meta.installed:
site = Site.objects.get_current()
else:
site = RequestSite(request)
create_user = RegistrationProfile.objects.create_inactive_user
new_user = create_user(
cleaned_data['username'],
cleaned_data['email'],
cleaned_data['password1'],
site,
send_email=False
)
new_user.first_name = cleaned_data['first_name']
new_user.last_name = cleaned_data['last_name']
new_user.save()
user_info = UserInfo(
user=new_user,
company=cleaned_data['company'],
function=cleaned_data['function'],
address=cleaned_data['address'],
postal_code=cleaned_data['postal_code'],
city=cleaned_data['city'],
country=cleaned_data['country'],
phone=cleaned_data['phone'],
)
user_info.save()
send_activation_email(new_user, site, user_info)
send_activation_pending_email(new_user, site, user_info)
signals.user_registered.send(sender=self.__class__, user=new_user, request=request)
return new_user | [
"def",
"register",
"(",
"self",
",",
"request",
",",
"*",
"*",
"cleaned_data",
")",
":",
"if",
"Site",
".",
"_meta",
".",
"installed",
":",
"site",
"=",
"Site",
".",
"objects",
".",
"get_current",
"(",
")",
"else",
":",
"site",
"=",
"RequestSite",
"(",
"request",
")",
"create_user",
"=",
"RegistrationProfile",
".",
"objects",
".",
"create_inactive_user",
"new_user",
"=",
"create_user",
"(",
"cleaned_data",
"[",
"'username'",
"]",
",",
"cleaned_data",
"[",
"'email'",
"]",
",",
"cleaned_data",
"[",
"'password1'",
"]",
",",
"site",
",",
"send_email",
"=",
"False",
")",
"new_user",
".",
"first_name",
"=",
"cleaned_data",
"[",
"'first_name'",
"]",
"new_user",
".",
"last_name",
"=",
"cleaned_data",
"[",
"'last_name'",
"]",
"new_user",
".",
"save",
"(",
")",
"user_info",
"=",
"UserInfo",
"(",
"user",
"=",
"new_user",
",",
"company",
"=",
"cleaned_data",
"[",
"'company'",
"]",
",",
"function",
"=",
"cleaned_data",
"[",
"'function'",
"]",
",",
"address",
"=",
"cleaned_data",
"[",
"'address'",
"]",
",",
"postal_code",
"=",
"cleaned_data",
"[",
"'postal_code'",
"]",
",",
"city",
"=",
"cleaned_data",
"[",
"'city'",
"]",
",",
"country",
"=",
"cleaned_data",
"[",
"'country'",
"]",
",",
"phone",
"=",
"cleaned_data",
"[",
"'phone'",
"]",
",",
")",
"user_info",
".",
"save",
"(",
")",
"send_activation_email",
"(",
"new_user",
",",
"site",
",",
"user_info",
")",
"send_activation_pending_email",
"(",
"new_user",
",",
"site",
",",
"user_info",
")",
"signals",
".",
"user_registered",
".",
"send",
"(",
"sender",
"=",
"self",
".",
"__class__",
",",
"user",
"=",
"new_user",
",",
"request",
"=",
"request",
")",
"return",
"new_user"
] | Given a username, email address and password, register a new
user account, which will initially be inactive.
Along with the new ``User`` object, a new
``registration.models.RegistrationProfile`` will be created,
tied to that ``User``, containing the activation key which
will be used for this account.
Two emails will be sent. First one to the admin; this email should
contain an activation link and a resume of the new user infos.
Second one, to the user, for inform him that his request is pending.
After the ``User`` and ``RegistrationProfile`` are created and
the activation email is sent, the signal
``registration.signals.user_registered`` will be sent, with
the new ``User`` as the keyword argument ``user`` and the
class of this backend as the sender. | [
"Given",
"a",
"username",
"email",
"address",
"and",
"password",
"register",
"a",
"new",
"user",
"account",
"which",
"will",
"initially",
"be",
"inactive",
"."
] | 29eabbcb17e21996a6e1d99592fc719dc8833b59 | https://github.com/emencia/emencia_paste_djangocms_3/blob/29eabbcb17e21996a6e1d99592fc719dc8833b59/emencia_paste_djangocms_3/django_buildout/project/accounts/views.py#L56-L111 |
251,062 | zweifisch/biro | biro/router.py | Router.match | def match(self, method, path):
"""find handler from registered rules
Example:
handler, params = match('GET', '/path')
"""
segments = path.split('/')
while len(segments):
index = '/'.join(segments)
if index in self.__idx__:
handler, params = self.match_rule(method, path,
self.__idx__[index])
if handler:
return handler, params
segments.pop()
return None, None | python | def match(self, method, path):
"""find handler from registered rules
Example:
handler, params = match('GET', '/path')
"""
segments = path.split('/')
while len(segments):
index = '/'.join(segments)
if index in self.__idx__:
handler, params = self.match_rule(method, path,
self.__idx__[index])
if handler:
return handler, params
segments.pop()
return None, None | [
"def",
"match",
"(",
"self",
",",
"method",
",",
"path",
")",
":",
"segments",
"=",
"path",
".",
"split",
"(",
"'/'",
")",
"while",
"len",
"(",
"segments",
")",
":",
"index",
"=",
"'/'",
".",
"join",
"(",
"segments",
")",
"if",
"index",
"in",
"self",
".",
"__idx__",
":",
"handler",
",",
"params",
"=",
"self",
".",
"match_rule",
"(",
"method",
",",
"path",
",",
"self",
".",
"__idx__",
"[",
"index",
"]",
")",
"if",
"handler",
":",
"return",
"handler",
",",
"params",
"segments",
".",
"pop",
"(",
")",
"return",
"None",
",",
"None"
] | find handler from registered rules
Example:
handler, params = match('GET', '/path') | [
"find",
"handler",
"from",
"registered",
"rules"
] | 0712746de65ff1e25b4f99c669eddd1fb8d1043e | https://github.com/zweifisch/biro/blob/0712746de65ff1e25b4f99c669eddd1fb8d1043e/biro/router.py#L41-L58 |
251,063 | zweifisch/biro | biro/router.py | Router.path_for | def path_for(self, handler, **kwargs):
"""construct path for a given handler
Example:
path = path_for(show_user, user_id=109)
"""
if type(handler) is not str:
handler = handler.__qualname__
if handler not in self.__reversedidx__:
return None
pattern = self.__reversedidx__[handler].pattern.lstrip('^').rstrip('$')
path = self.param_macher.sub(lambda m: str(kwargs.pop(m.group(1))),
pattern)
if kwargs:
path = "%s?%s" % (path, parse.urlencode(kwargs))
return path | python | def path_for(self, handler, **kwargs):
"""construct path for a given handler
Example:
path = path_for(show_user, user_id=109)
"""
if type(handler) is not str:
handler = handler.__qualname__
if handler not in self.__reversedidx__:
return None
pattern = self.__reversedidx__[handler].pattern.lstrip('^').rstrip('$')
path = self.param_macher.sub(lambda m: str(kwargs.pop(m.group(1))),
pattern)
if kwargs:
path = "%s?%s" % (path, parse.urlencode(kwargs))
return path | [
"def",
"path_for",
"(",
"self",
",",
"handler",
",",
"*",
"*",
"kwargs",
")",
":",
"if",
"type",
"(",
"handler",
")",
"is",
"not",
"str",
":",
"handler",
"=",
"handler",
".",
"__qualname__",
"if",
"handler",
"not",
"in",
"self",
".",
"__reversedidx__",
":",
"return",
"None",
"pattern",
"=",
"self",
".",
"__reversedidx__",
"[",
"handler",
"]",
".",
"pattern",
".",
"lstrip",
"(",
"'^'",
")",
".",
"rstrip",
"(",
"'$'",
")",
"path",
"=",
"self",
".",
"param_macher",
".",
"sub",
"(",
"lambda",
"m",
":",
"str",
"(",
"kwargs",
".",
"pop",
"(",
"m",
".",
"group",
"(",
"1",
")",
")",
")",
",",
"pattern",
")",
"if",
"kwargs",
":",
"path",
"=",
"\"%s?%s\"",
"%",
"(",
"path",
",",
"parse",
".",
"urlencode",
"(",
"kwargs",
")",
")",
"return",
"path"
] | construct path for a given handler
Example:
path = path_for(show_user, user_id=109) | [
"construct",
"path",
"for",
"a",
"given",
"handler"
] | 0712746de65ff1e25b4f99c669eddd1fb8d1043e | https://github.com/zweifisch/biro/blob/0712746de65ff1e25b4f99c669eddd1fb8d1043e/biro/router.py#L69-L85 |
251,064 | ababic/django-cogwheels | cogwheels/helpers/settings.py | BaseAppSettingsHelper.get | def get(self, setting_name, warn_only_if_overridden=False,
accept_deprecated='', suppress_warnings=False,
enforce_type=None, check_if_setting_deprecated=True,
warning_stacklevel=3):
"""
Returns a setting value for the setting named by ``setting_name``. The
returned value is actually a reference to the original setting value,
so care should be taken to avoid setting the result to a different
value.
:param setting_name:
The name of the app setting for which a value is required.
:type setting_name: str (e.g. "SETTING_NAME")
:param warn_only_if_overridden:
If the setting named by ``setting_name`` is deprecated, a value of
``True`` can be provided to silence the immediate deprecation
warning that is otherwise raised by default. Instead, a
(differently worded) deprecation warning will be raised, but only
when the setting is overriden.
:type warn_only_if_overridden: bool
:param accept_deprecated:
If the setting named by ``setting_name`` replaces multiple
deprecated settings, the ``accept_deprecated`` keyword argument can
be used to specify which of those deprecated settings to accept as
an override value.
Where the requested setting replaces only a single deprecated
setting, override values for that deprecated setting will be
accepted automatically, without having to specify anything.
:type accept_deprecated: str (e.g. "DEPRECATED_SETTING_NAME")
:param suppress_warnings:
Use this to prevent the raising of any deprecation warnings that
might otherwise be raised. It may be more useful to use
``warn_only_if_overridden`` instead.
:type suppress_warnings: bool
:param enforce_type:
When a setting value of a specific type is required, this can be
used to apply some basic validation at the time of retrieval. If
supplied, and setting value is found not to be an instance of the
supplied type, a ``SettingValueTypeInvalid`` error will be raised.
In cases where more than one type of value is accepted, a tuple of
acceptable types can be provided.
:type enforce_type: A type (class), or tuple of types
:param check_if_setting_deprecated:
Can be used to disable the check that usually happens at the
beginning of the method to identify whether the setting named by
``setting_name`` is deprecated, and conditionally raise a warning.
This can help to improve efficiency where the same check has
already been made.
:type check_if_setting_deprecated: bool
:param warning_stacklevel:
When raising deprecation warnings related to the request, this
value is passed on as ``stacklevel`` to Python's
``warnings.warn()`` method, to help give a more accurate indication
of the code that caused the warning to be raised.
:type warning_stacklevel: int
:raises: UnknownSettingNameError, SettingValueTypeInvalid
Instead of calling this method directly, developers are generally
encouraged to use the direct attribute shortcut, which is a
syntactically much cleaner way to request values using the default
options. For example, the the following lines are equivalent::
appsettingshelper.SETTING_NAME
appsettingshelper.get('SETTING_NAME')
"""
if check_if_setting_deprecated:
self._warn_if_deprecated_setting_value_requested(
setting_name, warn_only_if_overridden, suppress_warnings,
warning_stacklevel)
cache_key = self._make_cache_key(setting_name, accept_deprecated)
if cache_key in self._raw_cache:
return self._raw_cache[cache_key]
result = self._get_raw_value(
setting_name,
accept_deprecated=accept_deprecated,
warn_if_overridden=warn_only_if_overridden,
suppress_warnings=suppress_warnings,
warning_stacklevel=warning_stacklevel + 1,
)
if enforce_type and not isinstance(result, enforce_type):
if isinstance(enforce_type, tuple):
msg = (
"The value is expected to be one of the following types, "
"but a value of type '{current_type}' was found: "
"{required_types}."
)
text_format_kwargs = dict(
current_type=type(result).__name__,
required_types=enforce_type,
)
else:
msg = (
"The value is expected to be a '{required_type}', but a "
"value of type '{current_type}' was found."
)
text_format_kwargs = dict(
current_type=type(result).__name__,
required_type=enforce_type.__name__,
)
self._raise_setting_value_error(
setting_name=setting_name,
user_value_error_class=OverrideValueTypeInvalid,
default_value_error_class=DefaultValueTypeInvalid,
additional_text=msg,
**text_format_kwargs
)
self._raw_cache[cache_key] = result
return result | python | def get(self, setting_name, warn_only_if_overridden=False,
accept_deprecated='', suppress_warnings=False,
enforce_type=None, check_if_setting_deprecated=True,
warning_stacklevel=3):
"""
Returns a setting value for the setting named by ``setting_name``. The
returned value is actually a reference to the original setting value,
so care should be taken to avoid setting the result to a different
value.
:param setting_name:
The name of the app setting for which a value is required.
:type setting_name: str (e.g. "SETTING_NAME")
:param warn_only_if_overridden:
If the setting named by ``setting_name`` is deprecated, a value of
``True`` can be provided to silence the immediate deprecation
warning that is otherwise raised by default. Instead, a
(differently worded) deprecation warning will be raised, but only
when the setting is overriden.
:type warn_only_if_overridden: bool
:param accept_deprecated:
If the setting named by ``setting_name`` replaces multiple
deprecated settings, the ``accept_deprecated`` keyword argument can
be used to specify which of those deprecated settings to accept as
an override value.
Where the requested setting replaces only a single deprecated
setting, override values for that deprecated setting will be
accepted automatically, without having to specify anything.
:type accept_deprecated: str (e.g. "DEPRECATED_SETTING_NAME")
:param suppress_warnings:
Use this to prevent the raising of any deprecation warnings that
might otherwise be raised. It may be more useful to use
``warn_only_if_overridden`` instead.
:type suppress_warnings: bool
:param enforce_type:
When a setting value of a specific type is required, this can be
used to apply some basic validation at the time of retrieval. If
supplied, and setting value is found not to be an instance of the
supplied type, a ``SettingValueTypeInvalid`` error will be raised.
In cases where more than one type of value is accepted, a tuple of
acceptable types can be provided.
:type enforce_type: A type (class), or tuple of types
:param check_if_setting_deprecated:
Can be used to disable the check that usually happens at the
beginning of the method to identify whether the setting named by
``setting_name`` is deprecated, and conditionally raise a warning.
This can help to improve efficiency where the same check has
already been made.
:type check_if_setting_deprecated: bool
:param warning_stacklevel:
When raising deprecation warnings related to the request, this
value is passed on as ``stacklevel`` to Python's
``warnings.warn()`` method, to help give a more accurate indication
of the code that caused the warning to be raised.
:type warning_stacklevel: int
:raises: UnknownSettingNameError, SettingValueTypeInvalid
Instead of calling this method directly, developers are generally
encouraged to use the direct attribute shortcut, which is a
syntactically much cleaner way to request values using the default
options. For example, the the following lines are equivalent::
appsettingshelper.SETTING_NAME
appsettingshelper.get('SETTING_NAME')
"""
if check_if_setting_deprecated:
self._warn_if_deprecated_setting_value_requested(
setting_name, warn_only_if_overridden, suppress_warnings,
warning_stacklevel)
cache_key = self._make_cache_key(setting_name, accept_deprecated)
if cache_key in self._raw_cache:
return self._raw_cache[cache_key]
result = self._get_raw_value(
setting_name,
accept_deprecated=accept_deprecated,
warn_if_overridden=warn_only_if_overridden,
suppress_warnings=suppress_warnings,
warning_stacklevel=warning_stacklevel + 1,
)
if enforce_type and not isinstance(result, enforce_type):
if isinstance(enforce_type, tuple):
msg = (
"The value is expected to be one of the following types, "
"but a value of type '{current_type}' was found: "
"{required_types}."
)
text_format_kwargs = dict(
current_type=type(result).__name__,
required_types=enforce_type,
)
else:
msg = (
"The value is expected to be a '{required_type}', but a "
"value of type '{current_type}' was found."
)
text_format_kwargs = dict(
current_type=type(result).__name__,
required_type=enforce_type.__name__,
)
self._raise_setting_value_error(
setting_name=setting_name,
user_value_error_class=OverrideValueTypeInvalid,
default_value_error_class=DefaultValueTypeInvalid,
additional_text=msg,
**text_format_kwargs
)
self._raw_cache[cache_key] = result
return result | [
"def",
"get",
"(",
"self",
",",
"setting_name",
",",
"warn_only_if_overridden",
"=",
"False",
",",
"accept_deprecated",
"=",
"''",
",",
"suppress_warnings",
"=",
"False",
",",
"enforce_type",
"=",
"None",
",",
"check_if_setting_deprecated",
"=",
"True",
",",
"warning_stacklevel",
"=",
"3",
")",
":",
"if",
"check_if_setting_deprecated",
":",
"self",
".",
"_warn_if_deprecated_setting_value_requested",
"(",
"setting_name",
",",
"warn_only_if_overridden",
",",
"suppress_warnings",
",",
"warning_stacklevel",
")",
"cache_key",
"=",
"self",
".",
"_make_cache_key",
"(",
"setting_name",
",",
"accept_deprecated",
")",
"if",
"cache_key",
"in",
"self",
".",
"_raw_cache",
":",
"return",
"self",
".",
"_raw_cache",
"[",
"cache_key",
"]",
"result",
"=",
"self",
".",
"_get_raw_value",
"(",
"setting_name",
",",
"accept_deprecated",
"=",
"accept_deprecated",
",",
"warn_if_overridden",
"=",
"warn_only_if_overridden",
",",
"suppress_warnings",
"=",
"suppress_warnings",
",",
"warning_stacklevel",
"=",
"warning_stacklevel",
"+",
"1",
",",
")",
"if",
"enforce_type",
"and",
"not",
"isinstance",
"(",
"result",
",",
"enforce_type",
")",
":",
"if",
"isinstance",
"(",
"enforce_type",
",",
"tuple",
")",
":",
"msg",
"=",
"(",
"\"The value is expected to be one of the following types, \"",
"\"but a value of type '{current_type}' was found: \"",
"\"{required_types}.\"",
")",
"text_format_kwargs",
"=",
"dict",
"(",
"current_type",
"=",
"type",
"(",
"result",
")",
".",
"__name__",
",",
"required_types",
"=",
"enforce_type",
",",
")",
"else",
":",
"msg",
"=",
"(",
"\"The value is expected to be a '{required_type}', but a \"",
"\"value of type '{current_type}' was found.\"",
")",
"text_format_kwargs",
"=",
"dict",
"(",
"current_type",
"=",
"type",
"(",
"result",
")",
".",
"__name__",
",",
"required_type",
"=",
"enforce_type",
".",
"__name__",
",",
")",
"self",
".",
"_raise_setting_value_error",
"(",
"setting_name",
"=",
"setting_name",
",",
"user_value_error_class",
"=",
"OverrideValueTypeInvalid",
",",
"default_value_error_class",
"=",
"DefaultValueTypeInvalid",
",",
"additional_text",
"=",
"msg",
",",
"*",
"*",
"text_format_kwargs",
")",
"self",
".",
"_raw_cache",
"[",
"cache_key",
"]",
"=",
"result",
"return",
"result"
] | Returns a setting value for the setting named by ``setting_name``. The
returned value is actually a reference to the original setting value,
so care should be taken to avoid setting the result to a different
value.
:param setting_name:
The name of the app setting for which a value is required.
:type setting_name: str (e.g. "SETTING_NAME")
:param warn_only_if_overridden:
If the setting named by ``setting_name`` is deprecated, a value of
``True`` can be provided to silence the immediate deprecation
warning that is otherwise raised by default. Instead, a
(differently worded) deprecation warning will be raised, but only
when the setting is overriden.
:type warn_only_if_overridden: bool
:param accept_deprecated:
If the setting named by ``setting_name`` replaces multiple
deprecated settings, the ``accept_deprecated`` keyword argument can
be used to specify which of those deprecated settings to accept as
an override value.
Where the requested setting replaces only a single deprecated
setting, override values for that deprecated setting will be
accepted automatically, without having to specify anything.
:type accept_deprecated: str (e.g. "DEPRECATED_SETTING_NAME")
:param suppress_warnings:
Use this to prevent the raising of any deprecation warnings that
might otherwise be raised. It may be more useful to use
``warn_only_if_overridden`` instead.
:type suppress_warnings: bool
:param enforce_type:
When a setting value of a specific type is required, this can be
used to apply some basic validation at the time of retrieval. If
supplied, and setting value is found not to be an instance of the
supplied type, a ``SettingValueTypeInvalid`` error will be raised.
In cases where more than one type of value is accepted, a tuple of
acceptable types can be provided.
:type enforce_type: A type (class), or tuple of types
:param check_if_setting_deprecated:
Can be used to disable the check that usually happens at the
beginning of the method to identify whether the setting named by
``setting_name`` is deprecated, and conditionally raise a warning.
This can help to improve efficiency where the same check has
already been made.
:type check_if_setting_deprecated: bool
:param warning_stacklevel:
When raising deprecation warnings related to the request, this
value is passed on as ``stacklevel`` to Python's
``warnings.warn()`` method, to help give a more accurate indication
of the code that caused the warning to be raised.
:type warning_stacklevel: int
:raises: UnknownSettingNameError, SettingValueTypeInvalid
Instead of calling this method directly, developers are generally
encouraged to use the direct attribute shortcut, which is a
syntactically much cleaner way to request values using the default
options. For example, the the following lines are equivalent::
appsettingshelper.SETTING_NAME
appsettingshelper.get('SETTING_NAME') | [
"Returns",
"a",
"setting",
"value",
"for",
"the",
"setting",
"named",
"by",
"setting_name",
".",
"The",
"returned",
"value",
"is",
"actually",
"a",
"reference",
"to",
"the",
"original",
"setting",
"value",
"so",
"care",
"should",
"be",
"taken",
"to",
"avoid",
"setting",
"the",
"result",
"to",
"a",
"different",
"value",
"."
] | f185245f6ea1d6a2c23b94ff7304c1594049ca56 | https://github.com/ababic/django-cogwheels/blob/f185245f6ea1d6a2c23b94ff7304c1594049ca56/cogwheels/helpers/settings.py#L360-L472 |
251,065 | ababic/django-cogwheels | cogwheels/helpers/settings.py | BaseAppSettingsHelper.is_value_from_deprecated_setting | def is_value_from_deprecated_setting(self, setting_name, deprecated_setting_name):
"""
Helps developers to determine where the settings helper got it's value
from when dealing with settings that replace deprecated settings.
Returns ``True`` when the new setting (with the name ``setting_name``)
is a replacement for a deprecated setting (with the name
``deprecated_setting_name``) and the user is using the deprecated
setting in their Django settings to override behaviour.
"""
if not self.in_defaults(setting_name):
self._raise_invalid_setting_name_error(setting_name)
if not self.in_defaults(deprecated_setting_name):
self._raise_invalid_setting_name_error(deprecated_setting_name)
if deprecated_setting_name not in self._deprecated_settings:
raise ValueError(
"The '%s' setting is not deprecated. When using "
"settings.is_value_from_deprecated_setting(), the deprecated "
"setting name should be supplied as the second argument." %
deprecated_setting_name
)
if(
not self.is_overridden(setting_name) and
setting_name in self._replacement_settings
):
deprecations = self._replacement_settings[setting_name]
for item in deprecations:
if(
item.setting_name == deprecated_setting_name and
self.is_overridden(item.setting_name)
):
return True
return False | python | def is_value_from_deprecated_setting(self, setting_name, deprecated_setting_name):
"""
Helps developers to determine where the settings helper got it's value
from when dealing with settings that replace deprecated settings.
Returns ``True`` when the new setting (with the name ``setting_name``)
is a replacement for a deprecated setting (with the name
``deprecated_setting_name``) and the user is using the deprecated
setting in their Django settings to override behaviour.
"""
if not self.in_defaults(setting_name):
self._raise_invalid_setting_name_error(setting_name)
if not self.in_defaults(deprecated_setting_name):
self._raise_invalid_setting_name_error(deprecated_setting_name)
if deprecated_setting_name not in self._deprecated_settings:
raise ValueError(
"The '%s' setting is not deprecated. When using "
"settings.is_value_from_deprecated_setting(), the deprecated "
"setting name should be supplied as the second argument." %
deprecated_setting_name
)
if(
not self.is_overridden(setting_name) and
setting_name in self._replacement_settings
):
deprecations = self._replacement_settings[setting_name]
for item in deprecations:
if(
item.setting_name == deprecated_setting_name and
self.is_overridden(item.setting_name)
):
return True
return False | [
"def",
"is_value_from_deprecated_setting",
"(",
"self",
",",
"setting_name",
",",
"deprecated_setting_name",
")",
":",
"if",
"not",
"self",
".",
"in_defaults",
"(",
"setting_name",
")",
":",
"self",
".",
"_raise_invalid_setting_name_error",
"(",
"setting_name",
")",
"if",
"not",
"self",
".",
"in_defaults",
"(",
"deprecated_setting_name",
")",
":",
"self",
".",
"_raise_invalid_setting_name_error",
"(",
"deprecated_setting_name",
")",
"if",
"deprecated_setting_name",
"not",
"in",
"self",
".",
"_deprecated_settings",
":",
"raise",
"ValueError",
"(",
"\"The '%s' setting is not deprecated. When using \"",
"\"settings.is_value_from_deprecated_setting(), the deprecated \"",
"\"setting name should be supplied as the second argument.\"",
"%",
"deprecated_setting_name",
")",
"if",
"(",
"not",
"self",
".",
"is_overridden",
"(",
"setting_name",
")",
"and",
"setting_name",
"in",
"self",
".",
"_replacement_settings",
")",
":",
"deprecations",
"=",
"self",
".",
"_replacement_settings",
"[",
"setting_name",
"]",
"for",
"item",
"in",
"deprecations",
":",
"if",
"(",
"item",
".",
"setting_name",
"==",
"deprecated_setting_name",
"and",
"self",
".",
"is_overridden",
"(",
"item",
".",
"setting_name",
")",
")",
":",
"return",
"True",
"return",
"False"
] | Helps developers to determine where the settings helper got it's value
from when dealing with settings that replace deprecated settings.
Returns ``True`` when the new setting (with the name ``setting_name``)
is a replacement for a deprecated setting (with the name
``deprecated_setting_name``) and the user is using the deprecated
setting in their Django settings to override behaviour. | [
"Helps",
"developers",
"to",
"determine",
"where",
"the",
"settings",
"helper",
"got",
"it",
"s",
"value",
"from",
"when",
"dealing",
"with",
"settings",
"that",
"replace",
"deprecated",
"settings",
"."
] | f185245f6ea1d6a2c23b94ff7304c1594049ca56 | https://github.com/ababic/django-cogwheels/blob/f185245f6ea1d6a2c23b94ff7304c1594049ca56/cogwheels/helpers/settings.py#L771-L803 |
251,066 | redodo/formats | formats/banks.py | FormatBank.register_parser | def register_parser(self, type, parser, **meta):
"""Registers a parser of a format.
:param type: The unique name of the format
:param parser: The method to parse data as the format
:param meta: The extra information associated with the format
"""
try:
self.registered_formats[type]['parser'] = parser
except KeyError:
self.registered_formats[type] = {'parser': parser}
if meta:
self.register_meta(type, **meta) | python | def register_parser(self, type, parser, **meta):
"""Registers a parser of a format.
:param type: The unique name of the format
:param parser: The method to parse data as the format
:param meta: The extra information associated with the format
"""
try:
self.registered_formats[type]['parser'] = parser
except KeyError:
self.registered_formats[type] = {'parser': parser}
if meta:
self.register_meta(type, **meta) | [
"def",
"register_parser",
"(",
"self",
",",
"type",
",",
"parser",
",",
"*",
"*",
"meta",
")",
":",
"try",
":",
"self",
".",
"registered_formats",
"[",
"type",
"]",
"[",
"'parser'",
"]",
"=",
"parser",
"except",
"KeyError",
":",
"self",
".",
"registered_formats",
"[",
"type",
"]",
"=",
"{",
"'parser'",
":",
"parser",
"}",
"if",
"meta",
":",
"self",
".",
"register_meta",
"(",
"type",
",",
"*",
"*",
"meta",
")"
] | Registers a parser of a format.
:param type: The unique name of the format
:param parser: The method to parse data as the format
:param meta: The extra information associated with the format | [
"Registers",
"a",
"parser",
"of",
"a",
"format",
"."
] | 5bc7a79a2c93ef895534edbbf83f1efe2f62e081 | https://github.com/redodo/formats/blob/5bc7a79a2c93ef895534edbbf83f1efe2f62e081/formats/banks.py#L34-L46 |
251,067 | redodo/formats | formats/banks.py | FormatBank.register_composer | def register_composer(self, type, composer, **meta):
"""Registers a composer of a format.
:param type: The unique name of the format
:param composer: The method to compose data as the format
"""
try:
self.registered_formats[type]['composer'] = composer
except KeyError:
self.registered_formats[type] = {'composer': composer}
if meta:
self.register_meta(type, **meta) | python | def register_composer(self, type, composer, **meta):
"""Registers a composer of a format.
:param type: The unique name of the format
:param composer: The method to compose data as the format
"""
try:
self.registered_formats[type]['composer'] = composer
except KeyError:
self.registered_formats[type] = {'composer': composer}
if meta:
self.register_meta(type, **meta) | [
"def",
"register_composer",
"(",
"self",
",",
"type",
",",
"composer",
",",
"*",
"*",
"meta",
")",
":",
"try",
":",
"self",
".",
"registered_formats",
"[",
"type",
"]",
"[",
"'composer'",
"]",
"=",
"composer",
"except",
"KeyError",
":",
"self",
".",
"registered_formats",
"[",
"type",
"]",
"=",
"{",
"'composer'",
":",
"composer",
"}",
"if",
"meta",
":",
"self",
".",
"register_meta",
"(",
"type",
",",
"*",
"*",
"meta",
")"
] | Registers a composer of a format.
:param type: The unique name of the format
:param composer: The method to compose data as the format | [
"Registers",
"a",
"composer",
"of",
"a",
"format",
"."
] | 5bc7a79a2c93ef895534edbbf83f1efe2f62e081 | https://github.com/redodo/formats/blob/5bc7a79a2c93ef895534edbbf83f1efe2f62e081/formats/banks.py#L48-L59 |
251,068 | redodo/formats | formats/banks.py | FormatBank.register_meta | def register_meta(self, type, **meta):
"""Registers extra _meta_ information about a format.
:param type: The unique name of the format
:param meta: The extra information associated with the format
"""
try:
self.registered_formats[type]['meta'] = meta
except KeyError:
self.registered_formats[type] = {'meta': meta} | python | def register_meta(self, type, **meta):
"""Registers extra _meta_ information about a format.
:param type: The unique name of the format
:param meta: The extra information associated with the format
"""
try:
self.registered_formats[type]['meta'] = meta
except KeyError:
self.registered_formats[type] = {'meta': meta} | [
"def",
"register_meta",
"(",
"self",
",",
"type",
",",
"*",
"*",
"meta",
")",
":",
"try",
":",
"self",
".",
"registered_formats",
"[",
"type",
"]",
"[",
"'meta'",
"]",
"=",
"meta",
"except",
"KeyError",
":",
"self",
".",
"registered_formats",
"[",
"type",
"]",
"=",
"{",
"'meta'",
":",
"meta",
"}"
] | Registers extra _meta_ information about a format.
:param type: The unique name of the format
:param meta: The extra information associated with the format | [
"Registers",
"extra",
"_meta_",
"information",
"about",
"a",
"format",
"."
] | 5bc7a79a2c93ef895534edbbf83f1efe2f62e081 | https://github.com/redodo/formats/blob/5bc7a79a2c93ef895534edbbf83f1efe2f62e081/formats/banks.py#L61-L70 |
251,069 | redodo/formats | formats/banks.py | FormatBank.parser | def parser(self, type, **meta):
"""Registers the decorated method as the parser of a format.
:param type: The unique name of the format
:param meta: The extra information associated with the format
"""
def decorator(f):
self.register_parser(type, f)
if meta:
self.register_meta(type, **meta)
return f
return decorator | python | def parser(self, type, **meta):
"""Registers the decorated method as the parser of a format.
:param type: The unique name of the format
:param meta: The extra information associated with the format
"""
def decorator(f):
self.register_parser(type, f)
if meta:
self.register_meta(type, **meta)
return f
return decorator | [
"def",
"parser",
"(",
"self",
",",
"type",
",",
"*",
"*",
"meta",
")",
":",
"def",
"decorator",
"(",
"f",
")",
":",
"self",
".",
"register_parser",
"(",
"type",
",",
"f",
")",
"if",
"meta",
":",
"self",
".",
"register_meta",
"(",
"type",
",",
"*",
"*",
"meta",
")",
"return",
"f",
"return",
"decorator"
] | Registers the decorated method as the parser of a format.
:param type: The unique name of the format
:param meta: The extra information associated with the format | [
"Registers",
"the",
"decorated",
"method",
"as",
"the",
"parser",
"of",
"a",
"format",
"."
] | 5bc7a79a2c93ef895534edbbf83f1efe2f62e081 | https://github.com/redodo/formats/blob/5bc7a79a2c93ef895534edbbf83f1efe2f62e081/formats/banks.py#L72-L83 |
251,070 | redodo/formats | formats/banks.py | FormatBank.composer | def composer(self, type, **meta):
"""Registers the decorated method as the composer of a format.
:param type: The unique name of the format
:param meta: The extra information associated with the format
"""
def decorator(f):
self.register_composer(type, f)
if meta:
self.register_meta(type, **meta)
return f
return decorator | python | def composer(self, type, **meta):
"""Registers the decorated method as the composer of a format.
:param type: The unique name of the format
:param meta: The extra information associated with the format
"""
def decorator(f):
self.register_composer(type, f)
if meta:
self.register_meta(type, **meta)
return f
return decorator | [
"def",
"composer",
"(",
"self",
",",
"type",
",",
"*",
"*",
"meta",
")",
":",
"def",
"decorator",
"(",
"f",
")",
":",
"self",
".",
"register_composer",
"(",
"type",
",",
"f",
")",
"if",
"meta",
":",
"self",
".",
"register_meta",
"(",
"type",
",",
"*",
"*",
"meta",
")",
"return",
"f",
"return",
"decorator"
] | Registers the decorated method as the composer of a format.
:param type: The unique name of the format
:param meta: The extra information associated with the format | [
"Registers",
"the",
"decorated",
"method",
"as",
"the",
"composer",
"of",
"a",
"format",
"."
] | 5bc7a79a2c93ef895534edbbf83f1efe2f62e081 | https://github.com/redodo/formats/blob/5bc7a79a2c93ef895534edbbf83f1efe2f62e081/formats/banks.py#L85-L96 |
251,071 | redodo/formats | formats/banks.py | FormatBank.parse | def parse(self, type, data):
"""Parse text as a format.
:param type: The unique name of the format
:param data: The text to parse as the format
"""
try:
return self.registered_formats[type]['parser'](data)
except KeyError:
raise NotImplementedError("No parser found for "
"type '{type}'".format(type=type)) | python | def parse(self, type, data):
"""Parse text as a format.
:param type: The unique name of the format
:param data: The text to parse as the format
"""
try:
return self.registered_formats[type]['parser'](data)
except KeyError:
raise NotImplementedError("No parser found for "
"type '{type}'".format(type=type)) | [
"def",
"parse",
"(",
"self",
",",
"type",
",",
"data",
")",
":",
"try",
":",
"return",
"self",
".",
"registered_formats",
"[",
"type",
"]",
"[",
"'parser'",
"]",
"(",
"data",
")",
"except",
"KeyError",
":",
"raise",
"NotImplementedError",
"(",
"\"No parser found for \"",
"\"type '{type}'\"",
".",
"format",
"(",
"type",
"=",
"type",
")",
")"
] | Parse text as a format.
:param type: The unique name of the format
:param data: The text to parse as the format | [
"Parse",
"text",
"as",
"a",
"format",
"."
] | 5bc7a79a2c93ef895534edbbf83f1efe2f62e081 | https://github.com/redodo/formats/blob/5bc7a79a2c93ef895534edbbf83f1efe2f62e081/formats/banks.py#L98-L108 |
251,072 | redodo/formats | formats/banks.py | FormatBank.compose | def compose(self, type, data):
"""Compose text as a format.
:param type: The unique name of the format
:param data: The text to compose as the format
"""
try:
return self.registered_formats[type]['composer'](data)
except KeyError:
raise NotImplementedError("No composer found for "
"type '{type}'".format(type=type)) | python | def compose(self, type, data):
"""Compose text as a format.
:param type: The unique name of the format
:param data: The text to compose as the format
"""
try:
return self.registered_formats[type]['composer'](data)
except KeyError:
raise NotImplementedError("No composer found for "
"type '{type}'".format(type=type)) | [
"def",
"compose",
"(",
"self",
",",
"type",
",",
"data",
")",
":",
"try",
":",
"return",
"self",
".",
"registered_formats",
"[",
"type",
"]",
"[",
"'composer'",
"]",
"(",
"data",
")",
"except",
"KeyError",
":",
"raise",
"NotImplementedError",
"(",
"\"No composer found for \"",
"\"type '{type}'\"",
".",
"format",
"(",
"type",
"=",
"type",
")",
")"
] | Compose text as a format.
:param type: The unique name of the format
:param data: The text to compose as the format | [
"Compose",
"text",
"as",
"a",
"format",
"."
] | 5bc7a79a2c93ef895534edbbf83f1efe2f62e081 | https://github.com/redodo/formats/blob/5bc7a79a2c93ef895534edbbf83f1efe2f62e081/formats/banks.py#L110-L120 |
251,073 | redodo/formats | formats/banks.py | FormatBank.convert | def convert(self, type_from, type_to, data):
"""Parsers data from with one format and composes with another.
:param type_from: The unique name of the format to parse with
:param type_to: The unique name of the format to compose with
:param data: The text to convert
"""
try:
return self.compose(type_to, self.parse(type_from, data))
except Exception as e:
raise ValueError(
"Couldn't convert '{from_}' to '{to}'. Possibly "
"because the parser of '{from_}' generates a "
"data structure incompatible with the composer "
"of '{to}'. This is the original error: \n\n"
"{error}: {message}".format(from_=type_from, to=type_to,
error=e.__class__.__name__,
message=e.message)) | python | def convert(self, type_from, type_to, data):
"""Parsers data from with one format and composes with another.
:param type_from: The unique name of the format to parse with
:param type_to: The unique name of the format to compose with
:param data: The text to convert
"""
try:
return self.compose(type_to, self.parse(type_from, data))
except Exception as e:
raise ValueError(
"Couldn't convert '{from_}' to '{to}'. Possibly "
"because the parser of '{from_}' generates a "
"data structure incompatible with the composer "
"of '{to}'. This is the original error: \n\n"
"{error}: {message}".format(from_=type_from, to=type_to,
error=e.__class__.__name__,
message=e.message)) | [
"def",
"convert",
"(",
"self",
",",
"type_from",
",",
"type_to",
",",
"data",
")",
":",
"try",
":",
"return",
"self",
".",
"compose",
"(",
"type_to",
",",
"self",
".",
"parse",
"(",
"type_from",
",",
"data",
")",
")",
"except",
"Exception",
"as",
"e",
":",
"raise",
"ValueError",
"(",
"\"Couldn't convert '{from_}' to '{to}'. Possibly \"",
"\"because the parser of '{from_}' generates a \"",
"\"data structure incompatible with the composer \"",
"\"of '{to}'. This is the original error: \\n\\n\"",
"\"{error}: {message}\"",
".",
"format",
"(",
"from_",
"=",
"type_from",
",",
"to",
"=",
"type_to",
",",
"error",
"=",
"e",
".",
"__class__",
".",
"__name__",
",",
"message",
"=",
"e",
".",
"message",
")",
")"
] | Parsers data from with one format and composes with another.
:param type_from: The unique name of the format to parse with
:param type_to: The unique name of the format to compose with
:param data: The text to convert | [
"Parsers",
"data",
"from",
"with",
"one",
"format",
"and",
"composes",
"with",
"another",
"."
] | 5bc7a79a2c93ef895534edbbf83f1efe2f62e081 | https://github.com/redodo/formats/blob/5bc7a79a2c93ef895534edbbf83f1efe2f62e081/formats/banks.py#L122-L139 |
251,074 | redodo/formats | formats/banks.py | FormatBank.meta | def meta(self, type):
"""Retreived meta information of a format.
:param meta: The extra information associated with the format
"""
try:
return self.registered_formats[type].get('meta')
except KeyError:
raise NotImplementedError("No format registered with type "
"'{type}'".format(type=type)) | python | def meta(self, type):
"""Retreived meta information of a format.
:param meta: The extra information associated with the format
"""
try:
return self.registered_formats[type].get('meta')
except KeyError:
raise NotImplementedError("No format registered with type "
"'{type}'".format(type=type)) | [
"def",
"meta",
"(",
"self",
",",
"type",
")",
":",
"try",
":",
"return",
"self",
".",
"registered_formats",
"[",
"type",
"]",
".",
"get",
"(",
"'meta'",
")",
"except",
"KeyError",
":",
"raise",
"NotImplementedError",
"(",
"\"No format registered with type \"",
"\"'{type}'\"",
".",
"format",
"(",
"type",
"=",
"type",
")",
")"
] | Retreived meta information of a format.
:param meta: The extra information associated with the format | [
"Retreived",
"meta",
"information",
"of",
"a",
"format",
"."
] | 5bc7a79a2c93ef895534edbbf83f1efe2f62e081 | https://github.com/redodo/formats/blob/5bc7a79a2c93ef895534edbbf83f1efe2f62e081/formats/banks.py#L141-L150 |
251,075 | redodo/formats | formats/banks.py | FormatBank.discover | def discover(self, exclude=None):
"""Automatically discovers and registers installed formats.
If a format is already registered with an exact same name, the
discovered format will not be registered.
:param exclude: (optional) Exclude formats from registering
"""
if exclude is None:
exclude = []
elif not isinstance(exclude, (list, tuple)):
exclude = [exclude]
if 'json' not in exclude and 'json' not in self.registered_formats:
self.discover_json()
if 'yaml' not in exclude and 'yaml' not in self.registered_formats:
self.discover_yaml() | python | def discover(self, exclude=None):
"""Automatically discovers and registers installed formats.
If a format is already registered with an exact same name, the
discovered format will not be registered.
:param exclude: (optional) Exclude formats from registering
"""
if exclude is None:
exclude = []
elif not isinstance(exclude, (list, tuple)):
exclude = [exclude]
if 'json' not in exclude and 'json' not in self.registered_formats:
self.discover_json()
if 'yaml' not in exclude and 'yaml' not in self.registered_formats:
self.discover_yaml() | [
"def",
"discover",
"(",
"self",
",",
"exclude",
"=",
"None",
")",
":",
"if",
"exclude",
"is",
"None",
":",
"exclude",
"=",
"[",
"]",
"elif",
"not",
"isinstance",
"(",
"exclude",
",",
"(",
"list",
",",
"tuple",
")",
")",
":",
"exclude",
"=",
"[",
"exclude",
"]",
"if",
"'json'",
"not",
"in",
"exclude",
"and",
"'json'",
"not",
"in",
"self",
".",
"registered_formats",
":",
"self",
".",
"discover_json",
"(",
")",
"if",
"'yaml'",
"not",
"in",
"exclude",
"and",
"'yaml'",
"not",
"in",
"self",
".",
"registered_formats",
":",
"self",
".",
"discover_yaml",
"(",
")"
] | Automatically discovers and registers installed formats.
If a format is already registered with an exact same name, the
discovered format will not be registered.
:param exclude: (optional) Exclude formats from registering | [
"Automatically",
"discovers",
"and",
"registers",
"installed",
"formats",
"."
] | 5bc7a79a2c93ef895534edbbf83f1efe2f62e081 | https://github.com/redodo/formats/blob/5bc7a79a2c93ef895534edbbf83f1efe2f62e081/formats/banks.py#L152-L168 |
251,076 | EventTeam/beliefs | src/beliefs/cells/posets.py | PartialOrderedCell.set_domain | def set_domain(clz, dag):
""" Sets the domain. Should only be called once per class instantiation. """
logging.info("Setting domain for poset %s" % clz.__name__)
if nx.number_of_nodes(dag) == 0:
raise CellConstructionFailure("Empty DAG structure.")
if not nx.is_directed_acyclic_graph(dag):
raise CellConstructionFailure("Must be directed and acyclic")
if not nx.is_weakly_connected(dag):
raise CellConstructionFailure("Must be connected")
clz.domain_map[clz] = dag | python | def set_domain(clz, dag):
""" Sets the domain. Should only be called once per class instantiation. """
logging.info("Setting domain for poset %s" % clz.__name__)
if nx.number_of_nodes(dag) == 0:
raise CellConstructionFailure("Empty DAG structure.")
if not nx.is_directed_acyclic_graph(dag):
raise CellConstructionFailure("Must be directed and acyclic")
if not nx.is_weakly_connected(dag):
raise CellConstructionFailure("Must be connected")
clz.domain_map[clz] = dag | [
"def",
"set_domain",
"(",
"clz",
",",
"dag",
")",
":",
"logging",
".",
"info",
"(",
"\"Setting domain for poset %s\"",
"%",
"clz",
".",
"__name__",
")",
"if",
"nx",
".",
"number_of_nodes",
"(",
"dag",
")",
"==",
"0",
":",
"raise",
"CellConstructionFailure",
"(",
"\"Empty DAG structure.\"",
")",
"if",
"not",
"nx",
".",
"is_directed_acyclic_graph",
"(",
"dag",
")",
":",
"raise",
"CellConstructionFailure",
"(",
"\"Must be directed and acyclic\"",
")",
"if",
"not",
"nx",
".",
"is_weakly_connected",
"(",
"dag",
")",
":",
"raise",
"CellConstructionFailure",
"(",
"\"Must be connected\"",
")",
"clz",
".",
"domain_map",
"[",
"clz",
"]",
"=",
"dag"
] | Sets the domain. Should only be called once per class instantiation. | [
"Sets",
"the",
"domain",
".",
"Should",
"only",
"be",
"called",
"once",
"per",
"class",
"instantiation",
"."
] | c07d22b61bebeede74a72800030dde770bf64208 | https://github.com/EventTeam/beliefs/blob/c07d22b61bebeede74a72800030dde770bf64208/src/beliefs/cells/posets.py#L67-L78 |
251,077 | EventTeam/beliefs | src/beliefs/cells/posets.py | PartialOrderedCell.is_domain_equal | def is_domain_equal(self, other):
"""
Computes whether two Partial Orderings have the same generalization
structure.
"""
domain = self.get_domain()
other_domain = other.get_domain()
# if they share the same instance of memory for the domain
if domain == other_domain:
return True
else:
return False | python | def is_domain_equal(self, other):
"""
Computes whether two Partial Orderings have the same generalization
structure.
"""
domain = self.get_domain()
other_domain = other.get_domain()
# if they share the same instance of memory for the domain
if domain == other_domain:
return True
else:
return False | [
"def",
"is_domain_equal",
"(",
"self",
",",
"other",
")",
":",
"domain",
"=",
"self",
".",
"get_domain",
"(",
")",
"other_domain",
"=",
"other",
".",
"get_domain",
"(",
")",
"# if they share the same instance of memory for the domain",
"if",
"domain",
"==",
"other_domain",
":",
"return",
"True",
"else",
":",
"return",
"False"
] | Computes whether two Partial Orderings have the same generalization
structure. | [
"Computes",
"whether",
"two",
"Partial",
"Orderings",
"have",
"the",
"same",
"generalization",
"structure",
"."
] | c07d22b61bebeede74a72800030dde770bf64208 | https://github.com/EventTeam/beliefs/blob/c07d22b61bebeede74a72800030dde770bf64208/src/beliefs/cells/posets.py#L145-L156 |
251,078 | EventTeam/beliefs | src/beliefs/cells/posets.py | PartialOrderedCell.is_equal | def is_equal(self, other):
"""
Computes whether two Partial Orderings contain the same information
"""
if not (hasattr(other, 'get_domain') or hasattr(other, 'upper') or hasattr(other, 'lower')):
other = self.coerce(other)
if self.is_domain_equal(other) \
and len(self.upper.symmetric_difference(other.upper)) == 0 \
and len(self.lower.symmetric_difference(other.lower)) == 0:
return True
return False | python | def is_equal(self, other):
"""
Computes whether two Partial Orderings contain the same information
"""
if not (hasattr(other, 'get_domain') or hasattr(other, 'upper') or hasattr(other, 'lower')):
other = self.coerce(other)
if self.is_domain_equal(other) \
and len(self.upper.symmetric_difference(other.upper)) == 0 \
and len(self.lower.symmetric_difference(other.lower)) == 0:
return True
return False | [
"def",
"is_equal",
"(",
"self",
",",
"other",
")",
":",
"if",
"not",
"(",
"hasattr",
"(",
"other",
",",
"'get_domain'",
")",
"or",
"hasattr",
"(",
"other",
",",
"'upper'",
")",
"or",
"hasattr",
"(",
"other",
",",
"'lower'",
")",
")",
":",
"other",
"=",
"self",
".",
"coerce",
"(",
"other",
")",
"if",
"self",
".",
"is_domain_equal",
"(",
"other",
")",
"and",
"len",
"(",
"self",
".",
"upper",
".",
"symmetric_difference",
"(",
"other",
".",
"upper",
")",
")",
"==",
"0",
"and",
"len",
"(",
"self",
".",
"lower",
".",
"symmetric_difference",
"(",
"other",
".",
"lower",
")",
")",
"==",
"0",
":",
"return",
"True",
"return",
"False"
] | Computes whether two Partial Orderings contain the same information | [
"Computes",
"whether",
"two",
"Partial",
"Orderings",
"contain",
"the",
"same",
"information"
] | c07d22b61bebeede74a72800030dde770bf64208 | https://github.com/EventTeam/beliefs/blob/c07d22b61bebeede74a72800030dde770bf64208/src/beliefs/cells/posets.py#L161-L171 |
251,079 | EventTeam/beliefs | src/beliefs/cells/posets.py | PartialOrderedCell.is_contradictory | def is_contradictory(self, other):
"""
Does the merge yield the empty set?
"""
if not self.is_domain_equal(other):
return True
# what would happen if the two were combined?
test_lower = self.lower.union(other.lower)
test_upper = self.upper.union(other.upper)
# if there is a path from lower to upper nodes, we're in trouble:
domain = self.get_domain()
for low in test_lower:
for high in test_upper:
if low != high and has_path(domain, low, high):
return True
# lastly, build a merged ordering and see if it has 0 members
test = self.__class__()
test.lower = test_lower
test.upper = test_upper
return len(test) == 0 | python | def is_contradictory(self, other):
"""
Does the merge yield the empty set?
"""
if not self.is_domain_equal(other):
return True
# what would happen if the two were combined?
test_lower = self.lower.union(other.lower)
test_upper = self.upper.union(other.upper)
# if there is a path from lower to upper nodes, we're in trouble:
domain = self.get_domain()
for low in test_lower:
for high in test_upper:
if low != high and has_path(domain, low, high):
return True
# lastly, build a merged ordering and see if it has 0 members
test = self.__class__()
test.lower = test_lower
test.upper = test_upper
return len(test) == 0 | [
"def",
"is_contradictory",
"(",
"self",
",",
"other",
")",
":",
"if",
"not",
"self",
".",
"is_domain_equal",
"(",
"other",
")",
":",
"return",
"True",
"# what would happen if the two were combined? ",
"test_lower",
"=",
"self",
".",
"lower",
".",
"union",
"(",
"other",
".",
"lower",
")",
"test_upper",
"=",
"self",
".",
"upper",
".",
"union",
"(",
"other",
".",
"upper",
")",
"# if there is a path from lower to upper nodes, we're in trouble:",
"domain",
"=",
"self",
".",
"get_domain",
"(",
")",
"for",
"low",
"in",
"test_lower",
":",
"for",
"high",
"in",
"test_upper",
":",
"if",
"low",
"!=",
"high",
"and",
"has_path",
"(",
"domain",
",",
"low",
",",
"high",
")",
":",
"return",
"True",
"# lastly, build a merged ordering and see if it has 0 members",
"test",
"=",
"self",
".",
"__class__",
"(",
")",
"test",
".",
"lower",
"=",
"test_lower",
"test",
".",
"upper",
"=",
"test_upper",
"return",
"len",
"(",
"test",
")",
"==",
"0"
] | Does the merge yield the empty set? | [
"Does",
"the",
"merge",
"yield",
"the",
"empty",
"set?"
] | c07d22b61bebeede74a72800030dde770bf64208 | https://github.com/EventTeam/beliefs/blob/c07d22b61bebeede74a72800030dde770bf64208/src/beliefs/cells/posets.py#L252-L271 |
251,080 | EventTeam/beliefs | src/beliefs/cells/posets.py | PartialOrderedCell.coerce | def coerce(self, other, is_positive=True):
"""
Only copies a pointer to the new domain's cell
"""
if hasattr(other, 'get_domain') and hasattr(other, 'lower') and hasattr(other, 'upper'):
if self.is_domain_equal(other):
return other
else:
msg = "Cannot merge partial orders with different domains!"
raise CellConstructionFailure(msg)
if isinstance(other, LinearOrderedCell):
# convert other's domain to a chain/dag
# first ensure domain has same size and elements
raise NotImplemented("Please Implement me!")
domain = self.get_domain()
if other in domain:
c = self.__class__()
if not is_positive:
# add value to lower (negative example)
c.lower = set([other])
c.upper = set()
else:
# add value to upper (positive example)
c.upper = set([other])
c.lower = set()
return c
else:
raise CellConstructionFailure("Could not coerce value that is"+
" outside order's domain . (Other = %s) " % (str(other),)) | python | def coerce(self, other, is_positive=True):
"""
Only copies a pointer to the new domain's cell
"""
if hasattr(other, 'get_domain') and hasattr(other, 'lower') and hasattr(other, 'upper'):
if self.is_domain_equal(other):
return other
else:
msg = "Cannot merge partial orders with different domains!"
raise CellConstructionFailure(msg)
if isinstance(other, LinearOrderedCell):
# convert other's domain to a chain/dag
# first ensure domain has same size and elements
raise NotImplemented("Please Implement me!")
domain = self.get_domain()
if other in domain:
c = self.__class__()
if not is_positive:
# add value to lower (negative example)
c.lower = set([other])
c.upper = set()
else:
# add value to upper (positive example)
c.upper = set([other])
c.lower = set()
return c
else:
raise CellConstructionFailure("Could not coerce value that is"+
" outside order's domain . (Other = %s) " % (str(other),)) | [
"def",
"coerce",
"(",
"self",
",",
"other",
",",
"is_positive",
"=",
"True",
")",
":",
"if",
"hasattr",
"(",
"other",
",",
"'get_domain'",
")",
"and",
"hasattr",
"(",
"other",
",",
"'lower'",
")",
"and",
"hasattr",
"(",
"other",
",",
"'upper'",
")",
":",
"if",
"self",
".",
"is_domain_equal",
"(",
"other",
")",
":",
"return",
"other",
"else",
":",
"msg",
"=",
"\"Cannot merge partial orders with different domains!\"",
"raise",
"CellConstructionFailure",
"(",
"msg",
")",
"if",
"isinstance",
"(",
"other",
",",
"LinearOrderedCell",
")",
":",
"# convert other's domain to a chain/dag",
"# first ensure domain has same size and elements",
"raise",
"NotImplemented",
"(",
"\"Please Implement me!\"",
")",
"domain",
"=",
"self",
".",
"get_domain",
"(",
")",
"if",
"other",
"in",
"domain",
":",
"c",
"=",
"self",
".",
"__class__",
"(",
")",
"if",
"not",
"is_positive",
":",
"# add value to lower (negative example)",
"c",
".",
"lower",
"=",
"set",
"(",
"[",
"other",
"]",
")",
"c",
".",
"upper",
"=",
"set",
"(",
")",
"else",
":",
"# add value to upper (positive example)",
"c",
".",
"upper",
"=",
"set",
"(",
"[",
"other",
"]",
")",
"c",
".",
"lower",
"=",
"set",
"(",
")",
"return",
"c",
"else",
":",
"raise",
"CellConstructionFailure",
"(",
"\"Could not coerce value that is\"",
"+",
"\" outside order's domain . (Other = %s) \"",
"%",
"(",
"str",
"(",
"other",
")",
",",
")",
")"
] | Only copies a pointer to the new domain's cell | [
"Only",
"copies",
"a",
"pointer",
"to",
"the",
"new",
"domain",
"s",
"cell"
] | c07d22b61bebeede74a72800030dde770bf64208 | https://github.com/EventTeam/beliefs/blob/c07d22b61bebeede74a72800030dde770bf64208/src/beliefs/cells/posets.py#L273-L301 |
251,081 | EventTeam/beliefs | src/beliefs/cells/posets.py | PartialOrderedCell.get_refinement_options | def get_refinement_options(self):
""" Returns possible specializations for the upper values in the taxonomy """
domain = self.get_domain()
for upper_value in self.upper:
for suc in domain.successors(upper_value):
yield suc | python | def get_refinement_options(self):
""" Returns possible specializations for the upper values in the taxonomy """
domain = self.get_domain()
for upper_value in self.upper:
for suc in domain.successors(upper_value):
yield suc | [
"def",
"get_refinement_options",
"(",
"self",
")",
":",
"domain",
"=",
"self",
".",
"get_domain",
"(",
")",
"for",
"upper_value",
"in",
"self",
".",
"upper",
":",
"for",
"suc",
"in",
"domain",
".",
"successors",
"(",
"upper_value",
")",
":",
"yield",
"suc"
] | Returns possible specializations for the upper values in the taxonomy | [
"Returns",
"possible",
"specializations",
"for",
"the",
"upper",
"values",
"in",
"the",
"taxonomy"
] | c07d22b61bebeede74a72800030dde770bf64208 | https://github.com/EventTeam/beliefs/blob/c07d22b61bebeede74a72800030dde770bf64208/src/beliefs/cells/posets.py#L385-L390 |
251,082 | EventTeam/beliefs | src/beliefs/cells/posets.py | PartialOrderedCell.get_relaxation_options | def get_relaxation_options(self):
""" Returns possible generalizations for the upper values in the taxonomy """
domain = self.get_domain()
for upper_value in self.upper:
for suc in domain.predecessors(upper_value):
yield suc | python | def get_relaxation_options(self):
""" Returns possible generalizations for the upper values in the taxonomy """
domain = self.get_domain()
for upper_value in self.upper:
for suc in domain.predecessors(upper_value):
yield suc | [
"def",
"get_relaxation_options",
"(",
"self",
")",
":",
"domain",
"=",
"self",
".",
"get_domain",
"(",
")",
"for",
"upper_value",
"in",
"self",
".",
"upper",
":",
"for",
"suc",
"in",
"domain",
".",
"predecessors",
"(",
"upper_value",
")",
":",
"yield",
"suc"
] | Returns possible generalizations for the upper values in the taxonomy | [
"Returns",
"possible",
"generalizations",
"for",
"the",
"upper",
"values",
"in",
"the",
"taxonomy"
] | c07d22b61bebeede74a72800030dde770bf64208 | https://github.com/EventTeam/beliefs/blob/c07d22b61bebeede74a72800030dde770bf64208/src/beliefs/cells/posets.py#L392-L397 |
251,083 | EventTeam/beliefs | src/beliefs/cells/posets.py | PartialOrderedCell.to_dotfile | def to_dotfile(self):
""" Writes a DOT graphviz file of the domain structure, and returns the filename"""
domain = self.get_domain()
filename = "%s.dot" % (self.__class__.__name__)
nx.write_dot(domain, filename)
return filename | python | def to_dotfile(self):
""" Writes a DOT graphviz file of the domain structure, and returns the filename"""
domain = self.get_domain()
filename = "%s.dot" % (self.__class__.__name__)
nx.write_dot(domain, filename)
return filename | [
"def",
"to_dotfile",
"(",
"self",
")",
":",
"domain",
"=",
"self",
".",
"get_domain",
"(",
")",
"filename",
"=",
"\"%s.dot\"",
"%",
"(",
"self",
".",
"__class__",
".",
"__name__",
")",
"nx",
".",
"write_dot",
"(",
"domain",
",",
"filename",
")",
"return",
"filename"
] | Writes a DOT graphviz file of the domain structure, and returns the filename | [
"Writes",
"a",
"DOT",
"graphviz",
"file",
"of",
"the",
"domain",
"structure",
"and",
"returns",
"the",
"filename"
] | c07d22b61bebeede74a72800030dde770bf64208 | https://github.com/EventTeam/beliefs/blob/c07d22b61bebeede74a72800030dde770bf64208/src/beliefs/cells/posets.py#L406-L411 |
251,084 | alexhayes/django-toolkit | django_toolkit/views.py | error_handler_404 | def error_handler_404(request):
"""
500 error handler which includes ``request`` in the context.
Templates: `500.html`
Context: None
"""
from django.template import Context, loader
from django.http import HttpResponseServerError
t = loader.get_template('404.html')
return HttpResponseServerError(t.render(Context({
'request': request,
'settings': settings,
}))) | python | def error_handler_404(request):
"""
500 error handler which includes ``request`` in the context.
Templates: `500.html`
Context: None
"""
from django.template import Context, loader
from django.http import HttpResponseServerError
t = loader.get_template('404.html')
return HttpResponseServerError(t.render(Context({
'request': request,
'settings': settings,
}))) | [
"def",
"error_handler_404",
"(",
"request",
")",
":",
"from",
"django",
".",
"template",
"import",
"Context",
",",
"loader",
"from",
"django",
".",
"http",
"import",
"HttpResponseServerError",
"t",
"=",
"loader",
".",
"get_template",
"(",
"'404.html'",
")",
"return",
"HttpResponseServerError",
"(",
"t",
".",
"render",
"(",
"Context",
"(",
"{",
"'request'",
":",
"request",
",",
"'settings'",
":",
"settings",
",",
"}",
")",
")",
")"
] | 500 error handler which includes ``request`` in the context.
Templates: `500.html`
Context: None | [
"500",
"error",
"handler",
"which",
"includes",
"request",
"in",
"the",
"context",
"."
] | b64106392fad596defc915b8235fe6e1d0013b5b | https://github.com/alexhayes/django-toolkit/blob/b64106392fad596defc915b8235fe6e1d0013b5b/django_toolkit/views.py#L32-L46 |
251,085 | alexhayes/django-toolkit | django_toolkit/views.py | RedirectNextOrBackView.get_redirect_url | def get_redirect_url(self, **kwargs):
"""
Redirect to request parameter 'next' or to referrer if url is not defined.
"""
if self.request.REQUEST.has_key('next'):
return self.request.REQUEST.get('next')
url = RedirectView.get_redirect_url(self, **kwargs)
if url:
return url
return self.request.META.get('HTTP_REFERER') | python | def get_redirect_url(self, **kwargs):
"""
Redirect to request parameter 'next' or to referrer if url is not defined.
"""
if self.request.REQUEST.has_key('next'):
return self.request.REQUEST.get('next')
url = RedirectView.get_redirect_url(self, **kwargs)
if url:
return url
return self.request.META.get('HTTP_REFERER') | [
"def",
"get_redirect_url",
"(",
"self",
",",
"*",
"*",
"kwargs",
")",
":",
"if",
"self",
".",
"request",
".",
"REQUEST",
".",
"has_key",
"(",
"'next'",
")",
":",
"return",
"self",
".",
"request",
".",
"REQUEST",
".",
"get",
"(",
"'next'",
")",
"url",
"=",
"RedirectView",
".",
"get_redirect_url",
"(",
"self",
",",
"*",
"*",
"kwargs",
")",
"if",
"url",
":",
"return",
"url",
"return",
"self",
".",
"request",
".",
"META",
".",
"get",
"(",
"'HTTP_REFERER'",
")"
] | Redirect to request parameter 'next' or to referrer if url is not defined. | [
"Redirect",
"to",
"request",
"parameter",
"next",
"or",
"to",
"referrer",
"if",
"url",
"is",
"not",
"defined",
"."
] | b64106392fad596defc915b8235fe6e1d0013b5b | https://github.com/alexhayes/django-toolkit/blob/b64106392fad596defc915b8235fe6e1d0013b5b/django_toolkit/views.py#L96-L105 |
251,086 | alexhayes/django-toolkit | django_toolkit/views.py | AjaxMixin.render_to_response | def render_to_response(self, context, **response_kwargs):
"""
Returns a response, using the `response_class` for this
view, with a template rendered with the given context.
If any keyword arguments are provided, they will be
passed to the constructor of the response class.
"""
return HttpResponse(json.dumps(context, cls=JSON_ENCODER),
content_type='application/json',
**response_kwargs) | python | def render_to_response(self, context, **response_kwargs):
"""
Returns a response, using the `response_class` for this
view, with a template rendered with the given context.
If any keyword arguments are provided, they will be
passed to the constructor of the response class.
"""
return HttpResponse(json.dumps(context, cls=JSON_ENCODER),
content_type='application/json',
**response_kwargs) | [
"def",
"render_to_response",
"(",
"self",
",",
"context",
",",
"*",
"*",
"response_kwargs",
")",
":",
"return",
"HttpResponse",
"(",
"json",
".",
"dumps",
"(",
"context",
",",
"cls",
"=",
"JSON_ENCODER",
")",
",",
"content_type",
"=",
"'application/json'",
",",
"*",
"*",
"response_kwargs",
")"
] | Returns a response, using the `response_class` for this
view, with a template rendered with the given context.
If any keyword arguments are provided, they will be
passed to the constructor of the response class. | [
"Returns",
"a",
"response",
"using",
"the",
"response_class",
"for",
"this",
"view",
"with",
"a",
"template",
"rendered",
"with",
"the",
"given",
"context",
"."
] | b64106392fad596defc915b8235fe6e1d0013b5b | https://github.com/alexhayes/django-toolkit/blob/b64106392fad596defc915b8235fe6e1d0013b5b/django_toolkit/views.py#L246-L256 |
251,087 | openpermissions/perch | perch/user.py | User.clean | def clean(self):
"""Verified value is derived from whether user has a verification hash"""
result = super(User, self).clean()
result['verified'] = 'verification_hash' not in self._resource
return result | python | def clean(self):
"""Verified value is derived from whether user has a verification hash"""
result = super(User, self).clean()
result['verified'] = 'verification_hash' not in self._resource
return result | [
"def",
"clean",
"(",
"self",
")",
":",
"result",
"=",
"super",
"(",
"User",
",",
"self",
")",
".",
"clean",
"(",
")",
"result",
"[",
"'verified'",
"]",
"=",
"'verification_hash'",
"not",
"in",
"self",
".",
"_resource",
"return",
"result"
] | Verified value is derived from whether user has a verification hash | [
"Verified",
"value",
"is",
"derived",
"from",
"whether",
"user",
"has",
"a",
"verification",
"hash"
] | 36d78994133918f3c52c187f19e50132960a0156 | https://github.com/openpermissions/perch/blob/36d78994133918f3c52c187f19e50132960a0156/perch/user.py#L94-L98 |
251,088 | openpermissions/perch | perch/user.py | User.check_unique | def check_unique(self):
"""Check the user's email is unique"""
emails = yield self.view.values(key=self.email)
user_id = getattr(self, 'id', None)
users = {x for x in emails if x != user_id and x}
if users:
raise exceptions.ValidationError(
"User with email '{}' already exists".format(self.email)) | python | def check_unique(self):
"""Check the user's email is unique"""
emails = yield self.view.values(key=self.email)
user_id = getattr(self, 'id', None)
users = {x for x in emails if x != user_id and x}
if users:
raise exceptions.ValidationError(
"User with email '{}' already exists".format(self.email)) | [
"def",
"check_unique",
"(",
"self",
")",
":",
"emails",
"=",
"yield",
"self",
".",
"view",
".",
"values",
"(",
"key",
"=",
"self",
".",
"email",
")",
"user_id",
"=",
"getattr",
"(",
"self",
",",
"'id'",
",",
"None",
")",
"users",
"=",
"{",
"x",
"for",
"x",
"in",
"emails",
"if",
"x",
"!=",
"user_id",
"and",
"x",
"}",
"if",
"users",
":",
"raise",
"exceptions",
".",
"ValidationError",
"(",
"\"User with email '{}' already exists\"",
".",
"format",
"(",
"self",
".",
"email",
")",
")"
] | Check the user's email is unique | [
"Check",
"the",
"user",
"s",
"email",
"is",
"unique"
] | 36d78994133918f3c52c187f19e50132960a0156 | https://github.com/openpermissions/perch/blob/36d78994133918f3c52c187f19e50132960a0156/perch/user.py#L118-L126 |
251,089 | openpermissions/perch | perch/user.py | User.create_admin | def create_admin(cls, email, password, **kwargs):
"""
Create an approved 'global' administrator
:param email: the user's email address
:param password: the user's plain text password
:returns: a User
"""
data = {
'email': email,
'password': cls.hash_password(password),
'has_agreed_to_terms': True,
'state': State.approved,
'role': cls.roles.administrator.value,
'organisations': {}
}
data.update(**kwargs)
user = cls(**data)
yield user._save()
raise Return(user) | python | def create_admin(cls, email, password, **kwargs):
"""
Create an approved 'global' administrator
:param email: the user's email address
:param password: the user's plain text password
:returns: a User
"""
data = {
'email': email,
'password': cls.hash_password(password),
'has_agreed_to_terms': True,
'state': State.approved,
'role': cls.roles.administrator.value,
'organisations': {}
}
data.update(**kwargs)
user = cls(**data)
yield user._save()
raise Return(user) | [
"def",
"create_admin",
"(",
"cls",
",",
"email",
",",
"password",
",",
"*",
"*",
"kwargs",
")",
":",
"data",
"=",
"{",
"'email'",
":",
"email",
",",
"'password'",
":",
"cls",
".",
"hash_password",
"(",
"password",
")",
",",
"'has_agreed_to_terms'",
":",
"True",
",",
"'state'",
":",
"State",
".",
"approved",
",",
"'role'",
":",
"cls",
".",
"roles",
".",
"administrator",
".",
"value",
",",
"'organisations'",
":",
"{",
"}",
"}",
"data",
".",
"update",
"(",
"*",
"*",
"kwargs",
")",
"user",
"=",
"cls",
"(",
"*",
"*",
"data",
")",
"yield",
"user",
".",
"_save",
"(",
")",
"raise",
"Return",
"(",
"user",
")"
] | Create an approved 'global' administrator
:param email: the user's email address
:param password: the user's plain text password
:returns: a User | [
"Create",
"an",
"approved",
"global",
"administrator"
] | 36d78994133918f3c52c187f19e50132960a0156 | https://github.com/openpermissions/perch/blob/36d78994133918f3c52c187f19e50132960a0156/perch/user.py#L141-L162 |
251,090 | openpermissions/perch | perch/user.py | User.hash_password | def hash_password(plain_text):
"""Hash a plain text password"""
# NOTE: despite the name this is a one-way hash not a reversible cypher
hashed = pbkdf2_sha256.encrypt(plain_text, rounds=8000, salt_size=10)
return unicode(hashed) | python | def hash_password(plain_text):
"""Hash a plain text password"""
# NOTE: despite the name this is a one-way hash not a reversible cypher
hashed = pbkdf2_sha256.encrypt(plain_text, rounds=8000, salt_size=10)
return unicode(hashed) | [
"def",
"hash_password",
"(",
"plain_text",
")",
":",
"# NOTE: despite the name this is a one-way hash not a reversible cypher",
"hashed",
"=",
"pbkdf2_sha256",
".",
"encrypt",
"(",
"plain_text",
",",
"rounds",
"=",
"8000",
",",
"salt_size",
"=",
"10",
")",
"return",
"unicode",
"(",
"hashed",
")"
] | Hash a plain text password | [
"Hash",
"a",
"plain",
"text",
"password"
] | 36d78994133918f3c52c187f19e50132960a0156 | https://github.com/openpermissions/perch/blob/36d78994133918f3c52c187f19e50132960a0156/perch/user.py#L165-L169 |
251,091 | openpermissions/perch | perch/user.py | User.change_password | def change_password(self, previous, new_password):
"""
Change the user's password and save to the database
:param previous: plain text previous password
:param new_password: plain text new password
:raises: ValidationError
"""
if not self.verify_password(previous):
raise exceptions.Unauthorized('Incorrect password')
if len(new_password) < options.min_length_password:
msg = ('Passwords must be at least {} characters'
.format(options.min_length_password))
raise exceptions.ValidationError(msg)
if len(new_password) > options.max_length_password:
msg = ('Passwords must be at no more than {} characters'
.format(options.max_length_password))
raise exceptions.ValidationError(msg)
self.password = self.hash_password(new_password)
yield self._save() | python | def change_password(self, previous, new_password):
"""
Change the user's password and save to the database
:param previous: plain text previous password
:param new_password: plain text new password
:raises: ValidationError
"""
if not self.verify_password(previous):
raise exceptions.Unauthorized('Incorrect password')
if len(new_password) < options.min_length_password:
msg = ('Passwords must be at least {} characters'
.format(options.min_length_password))
raise exceptions.ValidationError(msg)
if len(new_password) > options.max_length_password:
msg = ('Passwords must be at no more than {} characters'
.format(options.max_length_password))
raise exceptions.ValidationError(msg)
self.password = self.hash_password(new_password)
yield self._save() | [
"def",
"change_password",
"(",
"self",
",",
"previous",
",",
"new_password",
")",
":",
"if",
"not",
"self",
".",
"verify_password",
"(",
"previous",
")",
":",
"raise",
"exceptions",
".",
"Unauthorized",
"(",
"'Incorrect password'",
")",
"if",
"len",
"(",
"new_password",
")",
"<",
"options",
".",
"min_length_password",
":",
"msg",
"=",
"(",
"'Passwords must be at least {} characters'",
".",
"format",
"(",
"options",
".",
"min_length_password",
")",
")",
"raise",
"exceptions",
".",
"ValidationError",
"(",
"msg",
")",
"if",
"len",
"(",
"new_password",
")",
">",
"options",
".",
"max_length_password",
":",
"msg",
"=",
"(",
"'Passwords must be at no more than {} characters'",
".",
"format",
"(",
"options",
".",
"max_length_password",
")",
")",
"raise",
"exceptions",
".",
"ValidationError",
"(",
"msg",
")",
"self",
".",
"password",
"=",
"self",
".",
"hash_password",
"(",
"new_password",
")",
"yield",
"self",
".",
"_save",
"(",
")"
] | Change the user's password and save to the database
:param previous: plain text previous password
:param new_password: plain text new password
:raises: ValidationError | [
"Change",
"the",
"user",
"s",
"password",
"and",
"save",
"to",
"the",
"database"
] | 36d78994133918f3c52c187f19e50132960a0156 | https://github.com/openpermissions/perch/blob/36d78994133918f3c52c187f19e50132960a0156/perch/user.py#L176-L198 |
251,092 | openpermissions/perch | perch/user.py | User.login | def login(cls, email, password):
"""
Log in a user
:param email: the user's email address
:param password: the user's password
:returns: (User, token)
:raises: SocketError, CouchException
"""
try:
doc = yield cls.view.first(key=email, include_docs=True)
except couch.NotFound:
raise exceptions.Unauthorized('Unknown email address')
user = cls(**doc['doc'])
verified = user.verify_password(password)
if not verified:
raise exceptions.Unauthorized('Invalid password')
token = yield Token.create(user)
raise Return((user, token.id)) | python | def login(cls, email, password):
"""
Log in a user
:param email: the user's email address
:param password: the user's password
:returns: (User, token)
:raises: SocketError, CouchException
"""
try:
doc = yield cls.view.first(key=email, include_docs=True)
except couch.NotFound:
raise exceptions.Unauthorized('Unknown email address')
user = cls(**doc['doc'])
verified = user.verify_password(password)
if not verified:
raise exceptions.Unauthorized('Invalid password')
token = yield Token.create(user)
raise Return((user, token.id)) | [
"def",
"login",
"(",
"cls",
",",
"email",
",",
"password",
")",
":",
"try",
":",
"doc",
"=",
"yield",
"cls",
".",
"view",
".",
"first",
"(",
"key",
"=",
"email",
",",
"include_docs",
"=",
"True",
")",
"except",
"couch",
".",
"NotFound",
":",
"raise",
"exceptions",
".",
"Unauthorized",
"(",
"'Unknown email address'",
")",
"user",
"=",
"cls",
"(",
"*",
"*",
"doc",
"[",
"'doc'",
"]",
")",
"verified",
"=",
"user",
".",
"verify_password",
"(",
"password",
")",
"if",
"not",
"verified",
":",
"raise",
"exceptions",
".",
"Unauthorized",
"(",
"'Invalid password'",
")",
"token",
"=",
"yield",
"Token",
".",
"create",
"(",
"user",
")",
"raise",
"Return",
"(",
"(",
"user",
",",
"token",
".",
"id",
")",
")"
] | Log in a user
:param email: the user's email address
:param password: the user's password
:returns: (User, token)
:raises: SocketError, CouchException | [
"Log",
"in",
"a",
"user"
] | 36d78994133918f3c52c187f19e50132960a0156 | https://github.com/openpermissions/perch/blob/36d78994133918f3c52c187f19e50132960a0156/perch/user.py#L202-L223 |
251,093 | openpermissions/perch | perch/user.py | User.verify | def verify(cls, user_id, verification_hash):
"""
Verify a user using the verification hash
The verification hash is removed from the user once verified
:param user_id: the user ID
:param verification_hash: the verification hash
:returns: a User instance
"""
user = yield cls.get(user_id)
# If user does not have verification hash then this means they have already been verified
if 'verification_hash' not in user._resource:
raise Return(user)
if user.verification_hash != verification_hash:
raise exceptions.ValidationError('Invalid verification hash')
del user.verification_hash
yield user._save()
raise Return(user) | python | def verify(cls, user_id, verification_hash):
"""
Verify a user using the verification hash
The verification hash is removed from the user once verified
:param user_id: the user ID
:param verification_hash: the verification hash
:returns: a User instance
"""
user = yield cls.get(user_id)
# If user does not have verification hash then this means they have already been verified
if 'verification_hash' not in user._resource:
raise Return(user)
if user.verification_hash != verification_hash:
raise exceptions.ValidationError('Invalid verification hash')
del user.verification_hash
yield user._save()
raise Return(user) | [
"def",
"verify",
"(",
"cls",
",",
"user_id",
",",
"verification_hash",
")",
":",
"user",
"=",
"yield",
"cls",
".",
"get",
"(",
"user_id",
")",
"# If user does not have verification hash then this means they have already been verified",
"if",
"'verification_hash'",
"not",
"in",
"user",
".",
"_resource",
":",
"raise",
"Return",
"(",
"user",
")",
"if",
"user",
".",
"verification_hash",
"!=",
"verification_hash",
":",
"raise",
"exceptions",
".",
"ValidationError",
"(",
"'Invalid verification hash'",
")",
"del",
"user",
".",
"verification_hash",
"yield",
"user",
".",
"_save",
"(",
")",
"raise",
"Return",
"(",
"user",
")"
] | Verify a user using the verification hash
The verification hash is removed from the user once verified
:param user_id: the user ID
:param verification_hash: the verification hash
:returns: a User instance | [
"Verify",
"a",
"user",
"using",
"the",
"verification",
"hash"
] | 36d78994133918f3c52c187f19e50132960a0156 | https://github.com/openpermissions/perch/blob/36d78994133918f3c52c187f19e50132960a0156/perch/user.py#L227-L249 |
251,094 | openpermissions/perch | perch/user.py | User.is_admin | def is_admin(self):
"""Is the user a system administrator"""
return self.role == self.roles.administrator.value and self.state == State.approved | python | def is_admin(self):
"""Is the user a system administrator"""
return self.role == self.roles.administrator.value and self.state == State.approved | [
"def",
"is_admin",
"(",
"self",
")",
":",
"return",
"self",
".",
"role",
"==",
"self",
".",
"roles",
".",
"administrator",
".",
"value",
"and",
"self",
".",
"state",
"==",
"State",
".",
"approved"
] | Is the user a system administrator | [
"Is",
"the",
"user",
"a",
"system",
"administrator"
] | 36d78994133918f3c52c187f19e50132960a0156 | https://github.com/openpermissions/perch/blob/36d78994133918f3c52c187f19e50132960a0156/perch/user.py#L251-L253 |
251,095 | openpermissions/perch | perch/user.py | User.is_reseller | def is_reseller(self):
"""is the user a reseller"""
return self.role == self.roles.reseller.value and self.state == State.approved | python | def is_reseller(self):
"""is the user a reseller"""
return self.role == self.roles.reseller.value and self.state == State.approved | [
"def",
"is_reseller",
"(",
"self",
")",
":",
"return",
"self",
".",
"role",
"==",
"self",
".",
"roles",
".",
"reseller",
".",
"value",
"and",
"self",
".",
"state",
"==",
"State",
".",
"approved"
] | is the user a reseller | [
"is",
"the",
"user",
"a",
"reseller"
] | 36d78994133918f3c52c187f19e50132960a0156 | https://github.com/openpermissions/perch/blob/36d78994133918f3c52c187f19e50132960a0156/perch/user.py#L255-L257 |
251,096 | openpermissions/perch | perch/user.py | User.is_org_admin | def is_org_admin(self, organisation_id):
"""Is the user authorized to administrate the organisation"""
return (self._has_role(organisation_id, self.roles.administrator) or
self.is_admin()) | python | def is_org_admin(self, organisation_id):
"""Is the user authorized to administrate the organisation"""
return (self._has_role(organisation_id, self.roles.administrator) or
self.is_admin()) | [
"def",
"is_org_admin",
"(",
"self",
",",
"organisation_id",
")",
":",
"return",
"(",
"self",
".",
"_has_role",
"(",
"organisation_id",
",",
"self",
".",
"roles",
".",
"administrator",
")",
"or",
"self",
".",
"is_admin",
"(",
")",
")"
] | Is the user authorized to administrate the organisation | [
"Is",
"the",
"user",
"authorized",
"to",
"administrate",
"the",
"organisation"
] | 36d78994133918f3c52c187f19e50132960a0156 | https://github.com/openpermissions/perch/blob/36d78994133918f3c52c187f19e50132960a0156/perch/user.py#L259-L262 |
251,097 | openpermissions/perch | perch/user.py | User.is_user | def is_user(self, organisation_id):
"""Is the user valid and approved in this organisation"""
return (self._has_role(organisation_id, self.roles.user) or
self.is_org_admin(organisation_id)) | python | def is_user(self, organisation_id):
"""Is the user valid and approved in this organisation"""
return (self._has_role(organisation_id, self.roles.user) or
self.is_org_admin(organisation_id)) | [
"def",
"is_user",
"(",
"self",
",",
"organisation_id",
")",
":",
"return",
"(",
"self",
".",
"_has_role",
"(",
"organisation_id",
",",
"self",
".",
"roles",
".",
"user",
")",
"or",
"self",
".",
"is_org_admin",
"(",
"organisation_id",
")",
")"
] | Is the user valid and approved in this organisation | [
"Is",
"the",
"user",
"valid",
"and",
"approved",
"in",
"this",
"organisation"
] | 36d78994133918f3c52c187f19e50132960a0156 | https://github.com/openpermissions/perch/blob/36d78994133918f3c52c187f19e50132960a0156/perch/user.py#L264-L267 |
251,098 | openpermissions/perch | perch/user.py | User._has_role | def _has_role(self, organisation_id, role):
"""Check the user's role for the organisation"""
if organisation_id is None:
return False
try:
org = self.organisations.get(organisation_id, {})
user_role = org.get('role')
state = org.get('state')
except AttributeError:
return False
return user_role == role.value and state == State.approved.name | python | def _has_role(self, organisation_id, role):
"""Check the user's role for the organisation"""
if organisation_id is None:
return False
try:
org = self.organisations.get(organisation_id, {})
user_role = org.get('role')
state = org.get('state')
except AttributeError:
return False
return user_role == role.value and state == State.approved.name | [
"def",
"_has_role",
"(",
"self",
",",
"organisation_id",
",",
"role",
")",
":",
"if",
"organisation_id",
"is",
"None",
":",
"return",
"False",
"try",
":",
"org",
"=",
"self",
".",
"organisations",
".",
"get",
"(",
"organisation_id",
",",
"{",
"}",
")",
"user_role",
"=",
"org",
".",
"get",
"(",
"'role'",
")",
"state",
"=",
"org",
".",
"get",
"(",
"'state'",
")",
"except",
"AttributeError",
":",
"return",
"False",
"return",
"user_role",
"==",
"role",
".",
"value",
"and",
"state",
"==",
"State",
".",
"approved",
".",
"name"
] | Check the user's role for the organisation | [
"Check",
"the",
"user",
"s",
"role",
"for",
"the",
"organisation"
] | 36d78994133918f3c52c187f19e50132960a0156 | https://github.com/openpermissions/perch/blob/36d78994133918f3c52c187f19e50132960a0156/perch/user.py#L269-L281 |
251,099 | openpermissions/perch | perch/user.py | User.remove_organisation_from_all | def remove_organisation_from_all(cls, organisation_id):
"""Remove an organisation from all users"""
users = yield views.organisation_members.get(key=organisation_id,
include_docs=True)
users = [x['doc'] for x in users['rows']]
for user in users:
user['organisations'][organisation_id]['state'] = State.deactivated.name
db = cls.db_client()
yield db.save_docs(users) | python | def remove_organisation_from_all(cls, organisation_id):
"""Remove an organisation from all users"""
users = yield views.organisation_members.get(key=organisation_id,
include_docs=True)
users = [x['doc'] for x in users['rows']]
for user in users:
user['organisations'][organisation_id]['state'] = State.deactivated.name
db = cls.db_client()
yield db.save_docs(users) | [
"def",
"remove_organisation_from_all",
"(",
"cls",
",",
"organisation_id",
")",
":",
"users",
"=",
"yield",
"views",
".",
"organisation_members",
".",
"get",
"(",
"key",
"=",
"organisation_id",
",",
"include_docs",
"=",
"True",
")",
"users",
"=",
"[",
"x",
"[",
"'doc'",
"]",
"for",
"x",
"in",
"users",
"[",
"'rows'",
"]",
"]",
"for",
"user",
"in",
"users",
":",
"user",
"[",
"'organisations'",
"]",
"[",
"organisation_id",
"]",
"[",
"'state'",
"]",
"=",
"State",
".",
"deactivated",
".",
"name",
"db",
"=",
"cls",
".",
"db_client",
"(",
")",
"yield",
"db",
".",
"save_docs",
"(",
"users",
")"
] | Remove an organisation from all users | [
"Remove",
"an",
"organisation",
"from",
"all",
"users"
] | 36d78994133918f3c52c187f19e50132960a0156 | https://github.com/openpermissions/perch/blob/36d78994133918f3c52c187f19e50132960a0156/perch/user.py#L285-L294 |
Subsets and Splits