repo stringlengths 7 55 | path stringlengths 4 223 | func_name stringlengths 1 134 | original_string stringlengths 75 104k | language stringclasses 1
value | code stringlengths 75 104k | code_tokens listlengths 19 28.4k | docstring stringlengths 1 46.9k | docstring_tokens listlengths 1 1.97k | sha stringlengths 40 40 | url stringlengths 87 315 | partition stringclasses 1
value |
|---|---|---|---|---|---|---|---|---|---|---|---|
ramses-tech/nefertari | nefertari/renderers.py | DefaultResponseRendererMixin._get_create_update_kwargs | def _get_create_update_kwargs(self, value, common_kw):
""" Get kwargs common to create, update, replace. """
kw = common_kw.copy()
kw['body'] = value
if '_self' in value:
kw['headers'] = [('Location', value['_self'])]
return kw | python | def _get_create_update_kwargs(self, value, common_kw):
""" Get kwargs common to create, update, replace. """
kw = common_kw.copy()
kw['body'] = value
if '_self' in value:
kw['headers'] = [('Location', value['_self'])]
return kw | [
"def",
"_get_create_update_kwargs",
"(",
"self",
",",
"value",
",",
"common_kw",
")",
":",
"kw",
"=",
"common_kw",
".",
"copy",
"(",
")",
"kw",
"[",
"'body'",
"]",
"=",
"value",
"if",
"'_self'",
"in",
"value",
":",
"kw",
"[",
"'headers'",
"]",
"=",
"... | Get kwargs common to create, update, replace. | [
"Get",
"kwargs",
"common",
"to",
"create",
"update",
"replace",
"."
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/renderers.py#L96-L102 | train |
ramses-tech/nefertari | nefertari/renderers.py | DefaultResponseRendererMixin.render_create | def render_create(self, value, system, common_kw):
""" Render response for view `create` method (collection POST) """
kw = self._get_create_update_kwargs(value, common_kw)
return JHTTPCreated(**kw) | python | def render_create(self, value, system, common_kw):
""" Render response for view `create` method (collection POST) """
kw = self._get_create_update_kwargs(value, common_kw)
return JHTTPCreated(**kw) | [
"def",
"render_create",
"(",
"self",
",",
"value",
",",
"system",
",",
"common_kw",
")",
":",
"kw",
"=",
"self",
".",
"_get_create_update_kwargs",
"(",
"value",
",",
"common_kw",
")",
"return",
"JHTTPCreated",
"(",
"*",
"*",
"kw",
")"
] | Render response for view `create` method (collection POST) | [
"Render",
"response",
"for",
"view",
"create",
"method",
"(",
"collection",
"POST",
")"
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/renderers.py#L104-L107 | train |
ramses-tech/nefertari | nefertari/renderers.py | DefaultResponseRendererMixin.render_update | def render_update(self, value, system, common_kw):
""" Render response for view `update` method (item PATCH) """
kw = self._get_create_update_kwargs(value, common_kw)
return JHTTPOk('Updated', **kw) | python | def render_update(self, value, system, common_kw):
""" Render response for view `update` method (item PATCH) """
kw = self._get_create_update_kwargs(value, common_kw)
return JHTTPOk('Updated', **kw) | [
"def",
"render_update",
"(",
"self",
",",
"value",
",",
"system",
",",
"common_kw",
")",
":",
"kw",
"=",
"self",
".",
"_get_create_update_kwargs",
"(",
"value",
",",
"common_kw",
")",
"return",
"JHTTPOk",
"(",
"'Updated'",
",",
"*",
"*",
"kw",
")"
] | Render response for view `update` method (item PATCH) | [
"Render",
"response",
"for",
"view",
"update",
"method",
"(",
"item",
"PATCH",
")"
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/renderers.py#L109-L112 | train |
ramses-tech/nefertari | nefertari/renderers.py | DefaultResponseRendererMixin.render_delete_many | def render_delete_many(self, value, system, common_kw):
""" Render response for view `delete_many` method (collection DELETE)
"""
if isinstance(value, dict):
return JHTTPOk(extra=value)
msg = 'Deleted {} {}(s) objects'.format(
value, system['view'].Model.__name__)... | python | def render_delete_many(self, value, system, common_kw):
""" Render response for view `delete_many` method (collection DELETE)
"""
if isinstance(value, dict):
return JHTTPOk(extra=value)
msg = 'Deleted {} {}(s) objects'.format(
value, system['view'].Model.__name__)... | [
"def",
"render_delete_many",
"(",
"self",
",",
"value",
",",
"system",
",",
"common_kw",
")",
":",
"if",
"isinstance",
"(",
"value",
",",
"dict",
")",
":",
"return",
"JHTTPOk",
"(",
"extra",
"=",
"value",
")",
"msg",
"=",
"'Deleted {} {}(s) objects'",
".",... | Render response for view `delete_many` method (collection DELETE) | [
"Render",
"response",
"for",
"view",
"delete_many",
"method",
"(",
"collection",
"DELETE",
")"
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/renderers.py#L122-L129 | train |
ramses-tech/nefertari | nefertari/renderers.py | DefaultResponseRendererMixin.render_update_many | def render_update_many(self, value, system, common_kw):
""" Render response for view `update_many` method
(collection PUT/PATCH)
"""
msg = 'Updated {} {}(s) objects'.format(
value, system['view'].Model.__name__)
return JHTTPOk(msg, **common_kw.copy()) | python | def render_update_many(self, value, system, common_kw):
""" Render response for view `update_many` method
(collection PUT/PATCH)
"""
msg = 'Updated {} {}(s) objects'.format(
value, system['view'].Model.__name__)
return JHTTPOk(msg, **common_kw.copy()) | [
"def",
"render_update_many",
"(",
"self",
",",
"value",
",",
"system",
",",
"common_kw",
")",
":",
"msg",
"=",
"'Updated {} {}(s) objects'",
".",
"format",
"(",
"value",
",",
"system",
"[",
"'view'",
"]",
".",
"Model",
".",
"__name__",
")",
"return",
"JHTT... | Render response for view `update_many` method
(collection PUT/PATCH) | [
"Render",
"response",
"for",
"view",
"update_many",
"method",
"(",
"collection",
"PUT",
"/",
"PATCH",
")"
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/renderers.py#L131-L137 | train |
ramses-tech/nefertari | nefertari/renderers.py | DefaultResponseRendererMixin._render_response | def _render_response(self, value, system):
""" Handle response rendering.
Calls mixin methods according to request.action value.
"""
super_call = super(DefaultResponseRendererMixin, self)._render_response
try:
method_name = 'render_{}'.format(system['request'].action... | python | def _render_response(self, value, system):
""" Handle response rendering.
Calls mixin methods according to request.action value.
"""
super_call = super(DefaultResponseRendererMixin, self)._render_response
try:
method_name = 'render_{}'.format(system['request'].action... | [
"def",
"_render_response",
"(",
"self",
",",
"value",
",",
"system",
")",
":",
"super_call",
"=",
"super",
"(",
"DefaultResponseRendererMixin",
",",
"self",
")",
".",
"_render_response",
"try",
":",
"method_name",
"=",
"'render_{}'",
".",
"format",
"(",
"syste... | Handle response rendering.
Calls mixin methods according to request.action value. | [
"Handle",
"response",
"rendering",
"."
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/renderers.py#L139-L155 | train |
ramses-tech/nefertari | nefertari/authentication/policies.py | ApiKeyAuthenticationPolicy.remember | def remember(self, request, username, **kw):
""" Returns 'WWW-Authenticate' header with a value that should be used
in 'Authorization' header.
"""
if self.credentials_callback:
token = self.credentials_callback(username, request)
api_key = 'ApiKey {}:{}'.format(us... | python | def remember(self, request, username, **kw):
""" Returns 'WWW-Authenticate' header with a value that should be used
in 'Authorization' header.
"""
if self.credentials_callback:
token = self.credentials_callback(username, request)
api_key = 'ApiKey {}:{}'.format(us... | [
"def",
"remember",
"(",
"self",
",",
"request",
",",
"username",
",",
"*",
"*",
"kw",
")",
":",
"if",
"self",
".",
"credentials_callback",
":",
"token",
"=",
"self",
".",
"credentials_callback",
"(",
"username",
",",
"request",
")",
"api_key",
"=",
"'Api... | Returns 'WWW-Authenticate' header with a value that should be used
in 'Authorization' header. | [
"Returns",
"WWW",
"-",
"Authenticate",
"header",
"with",
"a",
"value",
"that",
"should",
"be",
"used",
"in",
"Authorization",
"header",
"."
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/authentication/policies.py#L49-L56 | train |
ramses-tech/nefertari | nefertari/authentication/policies.py | ApiKeyAuthenticationPolicy.callback | def callback(self, username, request):
""" Having :username: return user's identifiers or None. """
credentials = self._get_credentials(request)
if credentials:
username, api_key = credentials
if self.check:
return self.check(username, api_key, request) | python | def callback(self, username, request):
""" Having :username: return user's identifiers or None. """
credentials = self._get_credentials(request)
if credentials:
username, api_key = credentials
if self.check:
return self.check(username, api_key, request) | [
"def",
"callback",
"(",
"self",
",",
"username",
",",
"request",
")",
":",
"credentials",
"=",
"self",
".",
"_get_credentials",
"(",
"request",
")",
"if",
"credentials",
":",
"username",
",",
"api_key",
"=",
"credentials",
"if",
"self",
".",
"check",
":",
... | Having :username: return user's identifiers or None. | [
"Having",
":",
"username",
":",
"return",
"user",
"s",
"identifiers",
"or",
"None",
"."
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/authentication/policies.py#L69-L75 | train |
ramses-tech/nefertari | nefertari/authentication/policies.py | ApiKeyAuthenticationPolicy._get_credentials | def _get_credentials(self, request):
""" Extract username and api key token from 'Authorization' header """
authorization = request.headers.get('Authorization')
if not authorization:
return None
try:
authmeth, authbytes = authorization.split(' ', 1)
except... | python | def _get_credentials(self, request):
""" Extract username and api key token from 'Authorization' header """
authorization = request.headers.get('Authorization')
if not authorization:
return None
try:
authmeth, authbytes = authorization.split(' ', 1)
except... | [
"def",
"_get_credentials",
"(",
"self",
",",
"request",
")",
":",
"authorization",
"=",
"request",
".",
"headers",
".",
"get",
"(",
"'Authorization'",
")",
"if",
"not",
"authorization",
":",
"return",
"None",
"try",
":",
"authmeth",
",",
"authbytes",
"=",
... | Extract username and api key token from 'Authorization' header | [
"Extract",
"username",
"and",
"api",
"key",
"token",
"from",
"Authorization",
"header"
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/authentication/policies.py#L77-L101 | train |
ramses-tech/nefertari | nefertari/events.py | _get_event_kwargs | def _get_event_kwargs(view_obj):
""" Helper function to get event kwargs.
:param view_obj: Instance of View that processes the request.
:returns dict: Containing event kwargs or None if events shouldn't
be fired.
"""
request = view_obj.request
view_method = getattr(view_obj, request.ac... | python | def _get_event_kwargs(view_obj):
""" Helper function to get event kwargs.
:param view_obj: Instance of View that processes the request.
:returns dict: Containing event kwargs or None if events shouldn't
be fired.
"""
request = view_obj.request
view_method = getattr(view_obj, request.ac... | [
"def",
"_get_event_kwargs",
"(",
"view_obj",
")",
":",
"request",
"=",
"view_obj",
".",
"request",
"view_method",
"=",
"getattr",
"(",
"view_obj",
",",
"request",
".",
"action",
")",
"do_trigger",
"=",
"not",
"(",
"getattr",
"(",
"view_method",
",",
"'_silen... | Helper function to get event kwargs.
:param view_obj: Instance of View that processes the request.
:returns dict: Containing event kwargs or None if events shouldn't
be fired. | [
"Helper",
"function",
"to",
"get",
"event",
"kwargs",
"."
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/events.py#L305-L330 | train |
ramses-tech/nefertari | nefertari/events.py | _get_event_cls | def _get_event_cls(view_obj, events_map):
""" Helper function to get event class.
:param view_obj: Instance of View that processes the request.
:param events_map: Map of events from which event class should be
picked.
:returns: Found event class.
"""
request = view_obj.request
view_... | python | def _get_event_cls(view_obj, events_map):
""" Helper function to get event class.
:param view_obj: Instance of View that processes the request.
:param events_map: Map of events from which event class should be
picked.
:returns: Found event class.
"""
request = view_obj.request
view_... | [
"def",
"_get_event_cls",
"(",
"view_obj",
",",
"events_map",
")",
":",
"request",
"=",
"view_obj",
".",
"request",
"view_method",
"=",
"getattr",
"(",
"view_obj",
",",
"request",
".",
"action",
")",
"event_action",
"=",
"(",
"getattr",
"(",
"view_method",
",... | Helper function to get event class.
:param view_obj: Instance of View that processes the request.
:param events_map: Map of events from which event class should be
picked.
:returns: Found event class. | [
"Helper",
"function",
"to",
"get",
"event",
"class",
"."
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/events.py#L333-L346 | train |
ramses-tech/nefertari | nefertari/events.py | _trigger_events | def _trigger_events(view_obj, events_map, additional_kw=None):
""" Common logic to trigger before/after events.
:param view_obj: Instance of View that processes the request.
:param events_map: Map of events from which event class should be
picked.
:returns: Instance if triggered event.
"""
... | python | def _trigger_events(view_obj, events_map, additional_kw=None):
""" Common logic to trigger before/after events.
:param view_obj: Instance of View that processes the request.
:param events_map: Map of events from which event class should be
picked.
:returns: Instance if triggered event.
"""
... | [
"def",
"_trigger_events",
"(",
"view_obj",
",",
"events_map",
",",
"additional_kw",
"=",
"None",
")",
":",
"if",
"additional_kw",
"is",
"None",
":",
"additional_kw",
"=",
"{",
"}",
"event_kwargs",
"=",
"_get_event_kwargs",
"(",
"view_obj",
")",
"if",
"event_kw... | Common logic to trigger before/after events.
:param view_obj: Instance of View that processes the request.
:param events_map: Map of events from which event class should be
picked.
:returns: Instance if triggered event. | [
"Common",
"logic",
"to",
"trigger",
"before",
"/",
"after",
"events",
"."
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/events.py#L349-L368 | train |
ramses-tech/nefertari | nefertari/events.py | subscribe_to_events | def subscribe_to_events(config, subscriber, events, model=None):
""" Helper function to subscribe to group of events.
:param config: Pyramid contig instance.
:param subscriber: Event subscriber function.
:param events: Sequence of events to subscribe to.
:param model: Model predicate value.
"""... | python | def subscribe_to_events(config, subscriber, events, model=None):
""" Helper function to subscribe to group of events.
:param config: Pyramid contig instance.
:param subscriber: Event subscriber function.
:param events: Sequence of events to subscribe to.
:param model: Model predicate value.
"""... | [
"def",
"subscribe_to_events",
"(",
"config",
",",
"subscriber",
",",
"events",
",",
"model",
"=",
"None",
")",
":",
"kwargs",
"=",
"{",
"}",
"if",
"model",
"is",
"not",
"None",
":",
"kwargs",
"[",
"'model'",
"]",
"=",
"model",
"for",
"evt",
"in",
"ev... | Helper function to subscribe to group of events.
:param config: Pyramid contig instance.
:param subscriber: Event subscriber function.
:param events: Sequence of events to subscribe to.
:param model: Model predicate value. | [
"Helper",
"function",
"to",
"subscribe",
"to",
"group",
"of",
"events",
"."
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/events.py#L393-L406 | train |
ramses-tech/nefertari | nefertari/events.py | add_field_processors | def add_field_processors(config, processors, model, field):
""" Add processors for model field.
Under the hood, regular nefertari event subscribed is created which
calls field processors in order passed to this function.
Processors are passed following params:
* **new_value**: New value of of fie... | python | def add_field_processors(config, processors, model, field):
""" Add processors for model field.
Under the hood, regular nefertari event subscribed is created which
calls field processors in order passed to this function.
Processors are passed following params:
* **new_value**: New value of of fie... | [
"def",
"add_field_processors",
"(",
"config",
",",
"processors",
",",
"model",
",",
"field",
")",
":",
"before_change_events",
"=",
"(",
"BeforeCreate",
",",
"BeforeUpdate",
",",
"BeforeReplace",
",",
"BeforeUpdateMany",
",",
"BeforeRegister",
",",
")",
"def",
"... | Add processors for model field.
Under the hood, regular nefertari event subscribed is created which
calls field processors in order passed to this function.
Processors are passed following params:
* **new_value**: New value of of field.
* **instance**: Instance affected by request. Is None when s... | [
"Add",
"processors",
"for",
"model",
"field",
"."
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/events.py#L409-L459 | train |
ramses-tech/nefertari | nefertari/events.py | BeforeEvent.set_field_value | def set_field_value(self, field_name, value):
""" Set value of request field named `field_name`.
Use this method to apply changes to object which is affected
by request. Values are set on `view._json_params` dict.
If `field_name` is not affected by request, it is added to
`self... | python | def set_field_value(self, field_name, value):
""" Set value of request field named `field_name`.
Use this method to apply changes to object which is affected
by request. Values are set on `view._json_params` dict.
If `field_name` is not affected by request, it is added to
`self... | [
"def",
"set_field_value",
"(",
"self",
",",
"field_name",
",",
"value",
")",
":",
"self",
".",
"view",
".",
"_json_params",
"[",
"field_name",
"]",
"=",
"value",
"if",
"field_name",
"in",
"self",
".",
"fields",
":",
"self",
".",
"fields",
"[",
"field_nam... | Set value of request field named `field_name`.
Use this method to apply changes to object which is affected
by request. Values are set on `view._json_params` dict.
If `field_name` is not affected by request, it is added to
`self.fields` which makes field processors which are connected
... | [
"Set",
"value",
"of",
"request",
"field",
"named",
"field_name",
"."
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/events.py#L46-L68 | train |
ramses-tech/nefertari | nefertari/events.py | AfterEvent.set_field_value | def set_field_value(self, field_name, value):
""" Set value of response field named `field_name`.
If response contains single item, its field is set.
If response contains multiple items, all the items in response
are edited.
To edit response meta(e.g. 'count') edit response dire... | python | def set_field_value(self, field_name, value):
""" Set value of response field named `field_name`.
If response contains single item, its field is set.
If response contains multiple items, all the items in response
are edited.
To edit response meta(e.g. 'count') edit response dire... | [
"def",
"set_field_value",
"(",
"self",
",",
"field_name",
",",
"value",
")",
":",
"if",
"self",
".",
"response",
"is",
"None",
":",
"return",
"if",
"'data'",
"in",
"self",
".",
"response",
":",
"items",
"=",
"self",
".",
"response",
"[",
"'data'",
"]",... | Set value of response field named `field_name`.
If response contains single item, its field is set.
If response contains multiple items, all the items in response
are edited.
To edit response meta(e.g. 'count') edit response directly at
`event.response`.
:param field_na... | [
"Set",
"value",
"of",
"response",
"field",
"named",
"field_name",
"."
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/events.py#L76-L98 | train |
ramses-tech/nefertari | nefertari/elasticsearch.py | process_fields_param | def process_fields_param(fields):
""" Process 'fields' ES param.
* Fields list is split if needed
* '_type' field is added, if not present, so the actual value is
displayed instead of 'None'
"""
if not fields:
return fields
if isinstance(fields, six.string_types):
fields =... | python | def process_fields_param(fields):
""" Process 'fields' ES param.
* Fields list is split if needed
* '_type' field is added, if not present, so the actual value is
displayed instead of 'None'
"""
if not fields:
return fields
if isinstance(fields, six.string_types):
fields =... | [
"def",
"process_fields_param",
"(",
"fields",
")",
":",
"if",
"not",
"fields",
":",
"return",
"fields",
"if",
"isinstance",
"(",
"fields",
",",
"six",
".",
"string_types",
")",
":",
"fields",
"=",
"split_strip",
"(",
"fields",
")",
"if",
"'_type'",
"not",
... | Process 'fields' ES param.
* Fields list is split if needed
* '_type' field is added, if not present, so the actual value is
displayed instead of 'None' | [
"Process",
"fields",
"ES",
"param",
"."
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/elasticsearch.py#L98-L114 | train |
ramses-tech/nefertari | nefertari/elasticsearch.py | ESHttpConnection._catch_index_error | def _catch_index_error(self, response):
""" Catch and raise index errors which are not critical and thus
not raised by elasticsearch-py.
"""
code, headers, raw_data = response
if not raw_data:
return
data = json.loads(raw_data)
if not data or not data.... | python | def _catch_index_error(self, response):
""" Catch and raise index errors which are not critical and thus
not raised by elasticsearch-py.
"""
code, headers, raw_data = response
if not raw_data:
return
data = json.loads(raw_data)
if not data or not data.... | [
"def",
"_catch_index_error",
"(",
"self",
",",
"response",
")",
":",
"code",
",",
"headers",
",",
"raw_data",
"=",
"response",
"if",
"not",
"raw_data",
":",
"return",
"data",
"=",
"json",
".",
"loads",
"(",
"raw_data",
")",
"if",
"not",
"data",
"or",
"... | Catch and raise index errors which are not critical and thus
not raised by elasticsearch-py. | [
"Catch",
"and",
"raise",
"index",
"errors",
"which",
"are",
"not",
"critical",
"and",
"thus",
"not",
"raised",
"by",
"elasticsearch",
"-",
"py",
"."
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/elasticsearch.py#L25-L40 | train |
ramses-tech/nefertari | nefertari/elasticsearch.py | ES.setup_mappings | def setup_mappings(cls, force=False):
""" Setup ES mappings for all existing models.
This method is meant to be run once at application lauch.
ES._mappings_setup flag is set to not run make mapping creation
calls on subsequent runs.
Use `force=True` to make subsequent calls per... | python | def setup_mappings(cls, force=False):
""" Setup ES mappings for all existing models.
This method is meant to be run once at application lauch.
ES._mappings_setup flag is set to not run make mapping creation
calls on subsequent runs.
Use `force=True` to make subsequent calls per... | [
"def",
"setup_mappings",
"(",
"cls",
",",
"force",
"=",
"False",
")",
":",
"if",
"getattr",
"(",
"cls",
",",
"'_mappings_setup'",
",",
"False",
")",
"and",
"not",
"force",
":",
"log",
".",
"debug",
"(",
"'ES mappings have been already set up for currently '",
... | Setup ES mappings for all existing models.
This method is meant to be run once at application lauch.
ES._mappings_setup flag is set to not run make mapping creation
calls on subsequent runs.
Use `force=True` to make subsequent calls perform mapping
creation calls to ES. | [
"Setup",
"ES",
"mappings",
"for",
"all",
"existing",
"models",
"."
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/elasticsearch.py#L226-L250 | train |
ramses-tech/nefertari | nefertari/elasticsearch.py | ES.process_chunks | def process_chunks(self, documents, operation):
""" Apply `operation` to chunks of `documents` of size
`self.chunk_size`.
"""
chunk_size = self.chunk_size
start = end = 0
count = len(documents)
while count:
if count < chunk_size:
chun... | python | def process_chunks(self, documents, operation):
""" Apply `operation` to chunks of `documents` of size
`self.chunk_size`.
"""
chunk_size = self.chunk_size
start = end = 0
count = len(documents)
while count:
if count < chunk_size:
chun... | [
"def",
"process_chunks",
"(",
"self",
",",
"documents",
",",
"operation",
")",
":",
"chunk_size",
"=",
"self",
".",
"chunk_size",
"start",
"=",
"end",
"=",
"0",
"count",
"=",
"len",
"(",
"documents",
")",
"while",
"count",
":",
"if",
"count",
"<",
"chu... | Apply `operation` to chunks of `documents` of size
`self.chunk_size`. | [
"Apply",
"operation",
"to",
"chunks",
"of",
"documents",
"of",
"size",
"self",
".",
"chunk_size",
"."
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/elasticsearch.py#L259-L277 | train |
ramses-tech/nefertari | nefertari/elasticsearch.py | ES.index_missing_documents | def index_missing_documents(self, documents, request=None):
""" Index documents that are missing from ES index.
Determines which documents are missing using ES `mget` call which
returns a list of document IDs as `documents`. Then missing
`documents` from that list are indexed.
"... | python | def index_missing_documents(self, documents, request=None):
""" Index documents that are missing from ES index.
Determines which documents are missing using ES `mget` call which
returns a list of document IDs as `documents`. Then missing
`documents` from that list are indexed.
"... | [
"def",
"index_missing_documents",
"(",
"self",
",",
"documents",
",",
"request",
"=",
"None",
")",
":",
"log",
".",
"info",
"(",
"'Trying to index documents of type `{}` missing from '",
"'`{}` index'",
".",
"format",
"(",
"self",
".",
"doc_type",
",",
"self",
"."... | Index documents that are missing from ES index.
Determines which documents are missing using ES `mget` call which
returns a list of document IDs as `documents`. Then missing
`documents` from that list are indexed. | [
"Index",
"documents",
"that",
"are",
"missing",
"from",
"ES",
"index",
"."
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/elasticsearch.py#L326-L358 | train |
ramses-tech/nefertari | nefertari/elasticsearch.py | ES.aggregate | def aggregate(self, **params):
""" Perform aggreration
Arguments:
:_aggregations_params: Dict of aggregation params. Root key is an
aggregation name. Required.
:_raise_on_empty: Boolean indicating whether to raise exception
when IndexNotFoundExcep... | python | def aggregate(self, **params):
""" Perform aggreration
Arguments:
:_aggregations_params: Dict of aggregation params. Root key is an
aggregation name. Required.
:_raise_on_empty: Boolean indicating whether to raise exception
when IndexNotFoundExcep... | [
"def",
"aggregate",
"(",
"self",
",",
"*",
"*",
"params",
")",
":",
"_aggregations_params",
"=",
"params",
".",
"pop",
"(",
"'_aggregations_params'",
",",
"None",
")",
"_raise_on_empty",
"=",
"params",
".",
"pop",
"(",
"'_raise_on_empty'",
",",
"False",
")",... | Perform aggreration
Arguments:
:_aggregations_params: Dict of aggregation params. Root key is an
aggregation name. Required.
:_raise_on_empty: Boolean indicating whether to raise exception
when IndexNotFoundException exception happens. Optional,
... | [
"Perform",
"aggreration"
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/elasticsearch.py#L493-L530 | train |
ramses-tech/nefertari | nefertari/elasticsearch.py | ES.bulk_index_relations | def bulk_index_relations(cls, items, request=None, **kwargs):
""" Index objects related to :items: in bulk.
Related items are first grouped in map
{model_name: {item1, item2, ...}} and then indexed.
:param items: Sequence of DB objects related objects if which
should be ind... | python | def bulk_index_relations(cls, items, request=None, **kwargs):
""" Index objects related to :items: in bulk.
Related items are first grouped in map
{model_name: {item1, item2, ...}} and then indexed.
:param items: Sequence of DB objects related objects if which
should be ind... | [
"def",
"bulk_index_relations",
"(",
"cls",
",",
"items",
",",
"request",
"=",
"None",
",",
"*",
"*",
"kwargs",
")",
":",
"index_map",
"=",
"defaultdict",
"(",
"set",
")",
"for",
"item",
"in",
"items",
":",
"relations",
"=",
"item",
".",
"get_related_docu... | Index objects related to :items: in bulk.
Related items are first grouped in map
{model_name: {item1, item2, ...}} and then indexed.
:param items: Sequence of DB objects related objects if which
should be indexed.
:param request: Pyramid Request instance. | [
"Index",
"objects",
"related",
"to",
":",
"items",
":",
"in",
"bulk",
"."
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/elasticsearch.py#L620-L639 | train |
sametmax/devpy | setup.py | get_version | def get_version(path="src/devpy/__init__.py"):
""" Return the version of by with regex intead of importing it"""
init_content = open(path, "rt").read()
pattern = r"^__version__ = ['\"]([^'\"]*)['\"]"
return re.search(pattern, init_content, re.M).group(1) | python | def get_version(path="src/devpy/__init__.py"):
""" Return the version of by with regex intead of importing it"""
init_content = open(path, "rt").read()
pattern = r"^__version__ = ['\"]([^'\"]*)['\"]"
return re.search(pattern, init_content, re.M).group(1) | [
"def",
"get_version",
"(",
"path",
"=",
"\"src/devpy/__init__.py\"",
")",
":",
"init_content",
"=",
"open",
"(",
"path",
",",
"\"rt\"",
")",
".",
"read",
"(",
")",
"pattern",
"=",
"r\"^__version__ = ['\\\"]([^'\\\"]*)['\\\"]\"",
"return",
"re",
".",
"search",
"(... | Return the version of by with regex intead of importing it | [
"Return",
"the",
"version",
"of",
"by",
"with",
"regex",
"intead",
"of",
"importing",
"it"
] | 66a150817644edf825d19b80f644e7d05b2a3e86 | https://github.com/sametmax/devpy/blob/66a150817644edf825d19b80f644e7d05b2a3e86/setup.py#L7-L11 | train |
scalative/haas | haas/plugin_manager.py | PluginManager.add_plugin_arguments | def add_plugin_arguments(self, parser):
"""Add plugin arguments to argument parser.
Parameters
----------
parser : argparse.ArgumentParser
The main haas ArgumentParser.
"""
for manager in self.hook_managers.values():
if len(list(manager)) == 0:
... | python | def add_plugin_arguments(self, parser):
"""Add plugin arguments to argument parser.
Parameters
----------
parser : argparse.ArgumentParser
The main haas ArgumentParser.
"""
for manager in self.hook_managers.values():
if len(list(manager)) == 0:
... | [
"def",
"add_plugin_arguments",
"(",
"self",
",",
"parser",
")",
":",
"for",
"manager",
"in",
"self",
".",
"hook_managers",
".",
"values",
"(",
")",
":",
"if",
"len",
"(",
"list",
"(",
"manager",
")",
")",
"==",
"0",
":",
"continue",
"manager",
".",
"... | Add plugin arguments to argument parser.
Parameters
----------
parser : argparse.ArgumentParser
The main haas ArgumentParser. | [
"Add",
"plugin",
"arguments",
"to",
"argument",
"parser",
"."
] | 72c05216a2a80e5ee94d9cd8d05ed2b188725027 | https://github.com/scalative/haas/blob/72c05216a2a80e5ee94d9cd8d05ed2b188725027/haas/plugin_manager.py#L105-L129 | train |
scalative/haas | haas/plugin_manager.py | PluginManager.get_enabled_hook_plugins | def get_enabled_hook_plugins(self, hook, args, **kwargs):
"""Get enabled plugins for specified hook name.
"""
manager = self.hook_managers[hook]
if len(list(manager)) == 0:
return []
return [
plugin for plugin in manager.map(
self._create_... | python | def get_enabled_hook_plugins(self, hook, args, **kwargs):
"""Get enabled plugins for specified hook name.
"""
manager = self.hook_managers[hook]
if len(list(manager)) == 0:
return []
return [
plugin for plugin in manager.map(
self._create_... | [
"def",
"get_enabled_hook_plugins",
"(",
"self",
",",
"hook",
",",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"manager",
"=",
"self",
".",
"hook_managers",
"[",
"hook",
"]",
"if",
"len",
"(",
"list",
"(",
"manager",
")",
")",
"==",
"0",
":",
"return",... | Get enabled plugins for specified hook name. | [
"Get",
"enabled",
"plugins",
"for",
"specified",
"hook",
"name",
"."
] | 72c05216a2a80e5ee94d9cd8d05ed2b188725027 | https://github.com/scalative/haas/blob/72c05216a2a80e5ee94d9cd8d05ed2b188725027/haas/plugin_manager.py#L131-L142 | train |
scalative/haas | haas/plugin_manager.py | PluginManager.get_driver | def get_driver(self, namespace, parsed_args, **kwargs):
"""Get mutually-exlusive plugin for plugin namespace.
"""
option, dest = self._namespace_to_option(namespace)
dest_prefix = '{0}_'.format(dest)
driver_name = getattr(parsed_args, dest, 'default')
driver_extension = ... | python | def get_driver(self, namespace, parsed_args, **kwargs):
"""Get mutually-exlusive plugin for plugin namespace.
"""
option, dest = self._namespace_to_option(namespace)
dest_prefix = '{0}_'.format(dest)
driver_name = getattr(parsed_args, dest, 'default')
driver_extension = ... | [
"def",
"get_driver",
"(",
"self",
",",
"namespace",
",",
"parsed_args",
",",
"*",
"*",
"kwargs",
")",
":",
"option",
",",
"dest",
"=",
"self",
".",
"_namespace_to_option",
"(",
"namespace",
")",
"dest_prefix",
"=",
"'{0}_'",
".",
"format",
"(",
"dest",
"... | Get mutually-exlusive plugin for plugin namespace. | [
"Get",
"mutually",
"-",
"exlusive",
"plugin",
"for",
"plugin",
"namespace",
"."
] | 72c05216a2a80e5ee94d9cd8d05ed2b188725027 | https://github.com/scalative/haas/blob/72c05216a2a80e5ee94d9cd8d05ed2b188725027/haas/plugin_manager.py#L144-L153 | train |
timgabets/bpc8583 | bpc8583/transaction.py | Transaction.get_description | def get_description(self):
"""
Get transaction description (for logging purposes)
"""
if self.card:
card_description = self.card.get_description()
else:
card_description = 'Cardless'
if card_description:
card_description += ' | '
... | python | def get_description(self):
"""
Get transaction description (for logging purposes)
"""
if self.card:
card_description = self.card.get_description()
else:
card_description = 'Cardless'
if card_description:
card_description += ' | '
... | [
"def",
"get_description",
"(",
"self",
")",
":",
"if",
"self",
".",
"card",
":",
"card_description",
"=",
"self",
".",
"card",
".",
"get_description",
"(",
")",
"else",
":",
"card_description",
"=",
"'Cardless'",
"if",
"card_description",
":",
"card_descriptio... | Get transaction description (for logging purposes) | [
"Get",
"transaction",
"description",
"(",
"for",
"logging",
"purposes",
")"
] | 1b8e95d73ad273ad9d11bff40d1af3f06f0f3503 | https://github.com/timgabets/bpc8583/blob/1b8e95d73ad273ad9d11bff40d1af3f06f0f3503/bpc8583/transaction.py#L196-L208 | train |
timgabets/bpc8583 | bpc8583/transaction.py | Transaction.set_amount | def set_amount(self, amount):
"""
Set transaction amount
"""
if amount:
try:
self.IsoMessage.FieldData(4, int(amount))
except ValueError:
self.IsoMessage.FieldData(4, 0)
self.rebuild() | python | def set_amount(self, amount):
"""
Set transaction amount
"""
if amount:
try:
self.IsoMessage.FieldData(4, int(amount))
except ValueError:
self.IsoMessage.FieldData(4, 0)
self.rebuild() | [
"def",
"set_amount",
"(",
"self",
",",
"amount",
")",
":",
"if",
"amount",
":",
"try",
":",
"self",
".",
"IsoMessage",
".",
"FieldData",
"(",
"4",
",",
"int",
"(",
"amount",
")",
")",
"except",
"ValueError",
":",
"self",
".",
"IsoMessage",
".",
"Fiel... | Set transaction amount | [
"Set",
"transaction",
"amount"
] | 1b8e95d73ad273ad9d11bff40d1af3f06f0f3503 | https://github.com/timgabets/bpc8583/blob/1b8e95d73ad273ad9d11bff40d1af3f06f0f3503/bpc8583/transaction.py#L244-L253 | train |
timgabets/bpc8583 | bpc8583/transaction.py | Transaction.set_expected_action | def set_expected_action(self, expected_response_action):
"""
Expected outcome of the transaction ('APPROVED' or 'DECLINED')
"""
if expected_response_action.upper() not in ['APPROVED', 'APPROVE', 'DECLINED', 'DECLINE']:
return False
self.expected_response_action = exp... | python | def set_expected_action(self, expected_response_action):
"""
Expected outcome of the transaction ('APPROVED' or 'DECLINED')
"""
if expected_response_action.upper() not in ['APPROVED', 'APPROVE', 'DECLINED', 'DECLINE']:
return False
self.expected_response_action = exp... | [
"def",
"set_expected_action",
"(",
"self",
",",
"expected_response_action",
")",
":",
"if",
"expected_response_action",
".",
"upper",
"(",
")",
"not",
"in",
"[",
"'APPROVED'",
",",
"'APPROVE'",
",",
"'DECLINED'",
",",
"'DECLINE'",
"]",
":",
"return",
"False",
... | Expected outcome of the transaction ('APPROVED' or 'DECLINED') | [
"Expected",
"outcome",
"of",
"the",
"transaction",
"(",
"APPROVED",
"or",
"DECLINED",
")"
] | 1b8e95d73ad273ad9d11bff40d1af3f06f0f3503 | https://github.com/timgabets/bpc8583/blob/1b8e95d73ad273ad9d11bff40d1af3f06f0f3503/bpc8583/transaction.py#L263-L271 | train |
timgabets/bpc8583 | bpc8583/transaction.py | Transaction.build_emv_data | def build_emv_data(self):
"""
TODO:
95 TVR
82 app_int_prof
"""
emv_data = ''
emv_data += self.TLV.build({'82': self._get_app_interchange_profile()})
emv_data += self.TLV.build({'9A': get_date()})
emv_data += self.TLV.build({'95': self.term.g... | python | def build_emv_data(self):
"""
TODO:
95 TVR
82 app_int_prof
"""
emv_data = ''
emv_data += self.TLV.build({'82': self._get_app_interchange_profile()})
emv_data += self.TLV.build({'9A': get_date()})
emv_data += self.TLV.build({'95': self.term.g... | [
"def",
"build_emv_data",
"(",
"self",
")",
":",
"emv_data",
"=",
"''",
"emv_data",
"+=",
"self",
".",
"TLV",
".",
"build",
"(",
"{",
"'82'",
":",
"self",
".",
"_get_app_interchange_profile",
"(",
")",
"}",
")",
"emv_data",
"+=",
"self",
".",
"TLV",
"."... | TODO:
95 TVR
82 app_int_prof | [
"TODO",
":",
"95",
"TVR",
"82",
"app_int_prof"
] | 1b8e95d73ad273ad9d11bff40d1af3f06f0f3503 | https://github.com/timgabets/bpc8583/blob/1b8e95d73ad273ad9d11bff40d1af3f06f0f3503/bpc8583/transaction.py#L302-L317 | train |
timgabets/bpc8583 | bpc8583/transaction.py | Transaction.set_currency | def set_currency(self, currency_id):
"""
Set transaction currency code from given currency id, e.g. set 840 from 'USD'
"""
try:
self.currency = currency_codes[currency_id]
self.IsoMessage.FieldData(49, self.currency)
self.rebuild()
except KeyEr... | python | def set_currency(self, currency_id):
"""
Set transaction currency code from given currency id, e.g. set 840 from 'USD'
"""
try:
self.currency = currency_codes[currency_id]
self.IsoMessage.FieldData(49, self.currency)
self.rebuild()
except KeyEr... | [
"def",
"set_currency",
"(",
"self",
",",
"currency_id",
")",
":",
"try",
":",
"self",
".",
"currency",
"=",
"currency_codes",
"[",
"currency_id",
"]",
"self",
".",
"IsoMessage",
".",
"FieldData",
"(",
"49",
",",
"self",
".",
"currency",
")",
"self",
".",... | Set transaction currency code from given currency id, e.g. set 840 from 'USD' | [
"Set",
"transaction",
"currency",
"code",
"from",
"given",
"currency",
"id",
"e",
".",
"g",
".",
"set",
"840",
"from",
"USD"
] | 1b8e95d73ad273ad9d11bff40d1af3f06f0f3503 | https://github.com/timgabets/bpc8583/blob/1b8e95d73ad273ad9d11bff40d1af3f06f0f3503/bpc8583/transaction.py#L337-L346 | train |
ucsb-cs-education/hairball | hairball/plugins/blocks.py | BlockCounts.finalize | def finalize(self):
"""Output the aggregate block count results."""
for name, count in sorted(self.blocks.items(), key=lambda x: x[1]):
print('{:3} {}'.format(count, name))
print('{:3} total'.format(sum(self.blocks.values()))) | python | def finalize(self):
"""Output the aggregate block count results."""
for name, count in sorted(self.blocks.items(), key=lambda x: x[1]):
print('{:3} {}'.format(count, name))
print('{:3} total'.format(sum(self.blocks.values()))) | [
"def",
"finalize",
"(",
"self",
")",
":",
"for",
"name",
",",
"count",
"in",
"sorted",
"(",
"self",
".",
"blocks",
".",
"items",
"(",
")",
",",
"key",
"=",
"lambda",
"x",
":",
"x",
"[",
"1",
"]",
")",
":",
"print",
"(",
"'{:3} {}'",
".",
"forma... | Output the aggregate block count results. | [
"Output",
"the",
"aggregate",
"block",
"count",
"results",
"."
] | c6da8971f8a34e88ce401d36b51431715e1dff5b | https://github.com/ucsb-cs-education/hairball/blob/c6da8971f8a34e88ce401d36b51431715e1dff5b/hairball/plugins/blocks.py#L17-L21 | train |
ucsb-cs-education/hairball | hairball/plugins/blocks.py | BlockCounts.analyze | def analyze(self, scratch, **kwargs):
"""Run and return the results from the BlockCounts plugin."""
file_blocks = Counter()
for script in self.iter_scripts(scratch):
for name, _, _ in self.iter_blocks(script.blocks):
file_blocks[name] += 1
self.blocks.update(f... | python | def analyze(self, scratch, **kwargs):
"""Run and return the results from the BlockCounts plugin."""
file_blocks = Counter()
for script in self.iter_scripts(scratch):
for name, _, _ in self.iter_blocks(script.blocks):
file_blocks[name] += 1
self.blocks.update(f... | [
"def",
"analyze",
"(",
"self",
",",
"scratch",
",",
"*",
"*",
"kwargs",
")",
":",
"file_blocks",
"=",
"Counter",
"(",
")",
"for",
"script",
"in",
"self",
".",
"iter_scripts",
"(",
"scratch",
")",
":",
"for",
"name",
",",
"_",
",",
"_",
"in",
"self"... | Run and return the results from the BlockCounts plugin. | [
"Run",
"and",
"return",
"the",
"results",
"from",
"the",
"BlockCounts",
"plugin",
"."
] | c6da8971f8a34e88ce401d36b51431715e1dff5b | https://github.com/ucsb-cs-education/hairball/blob/c6da8971f8a34e88ce401d36b51431715e1dff5b/hairball/plugins/blocks.py#L23-L30 | train |
ucsb-cs-education/hairball | hairball/plugins/blocks.py | DeadCode.analyze | def analyze(self, scratch, **kwargs):
"""Run and return the results form the DeadCode plugin.
The variable_event indicates that the Scratch file contains at least
one instance of a broadcast event based on a variable. When
variable_event is True, dead code scripts reported by this plugi... | python | def analyze(self, scratch, **kwargs):
"""Run and return the results form the DeadCode plugin.
The variable_event indicates that the Scratch file contains at least
one instance of a broadcast event based on a variable. When
variable_event is True, dead code scripts reported by this plugi... | [
"def",
"analyze",
"(",
"self",
",",
"scratch",
",",
"*",
"*",
"kwargs",
")",
":",
"self",
".",
"total_instances",
"+=",
"1",
"sprites",
"=",
"{",
"}",
"for",
"sprite",
",",
"script",
"in",
"self",
".",
"iter_sprite_scripts",
"(",
"scratch",
")",
":",
... | Run and return the results form the DeadCode plugin.
The variable_event indicates that the Scratch file contains at least
one instance of a broadcast event based on a variable. When
variable_event is True, dead code scripts reported by this plugin that
begin with a "when I receive" bloc... | [
"Run",
"and",
"return",
"the",
"results",
"form",
"the",
"DeadCode",
"plugin",
"."
] | c6da8971f8a34e88ce401d36b51431715e1dff5b | https://github.com/ucsb-cs-education/hairball/blob/c6da8971f8a34e88ce401d36b51431715e1dff5b/hairball/plugins/blocks.py#L43-L65 | train |
ucsb-cs-education/hairball | hairball/plugins/blocks.py | DeadCode.finalize | def finalize(self):
"""Output the number of instances that contained dead code."""
if self.total_instances > 1:
print('{} of {} instances contained dead code.'
.format(self.dead_code_instances, self.total_instances)) | python | def finalize(self):
"""Output the number of instances that contained dead code."""
if self.total_instances > 1:
print('{} of {} instances contained dead code.'
.format(self.dead_code_instances, self.total_instances)) | [
"def",
"finalize",
"(",
"self",
")",
":",
"if",
"self",
".",
"total_instances",
">",
"1",
":",
"print",
"(",
"'{} of {} instances contained dead code.'",
".",
"format",
"(",
"self",
".",
"dead_code_instances",
",",
"self",
".",
"total_instances",
")",
")"
] | Output the number of instances that contained dead code. | [
"Output",
"the",
"number",
"of",
"instances",
"that",
"contained",
"dead",
"code",
"."
] | c6da8971f8a34e88ce401d36b51431715e1dff5b | https://github.com/ucsb-cs-education/hairball/blob/c6da8971f8a34e88ce401d36b51431715e1dff5b/hairball/plugins/blocks.py#L67-L71 | train |
timgabets/bpc8583 | examples/isoClient.py | show_help | def show_help(name):
"""
Show help and basic usage
"""
print('Usage: python3 {} [OPTIONS]... '.format(name))
print('ISO8583 message client')
print(' -v, --verbose\t\tRun transactions verbosely')
print(' -p, --port=[PORT]\t\tTCP port to connect to, 1337 by default')
print(' -s, --serve... | python | def show_help(name):
"""
Show help and basic usage
"""
print('Usage: python3 {} [OPTIONS]... '.format(name))
print('ISO8583 message client')
print(' -v, --verbose\t\tRun transactions verbosely')
print(' -p, --port=[PORT]\t\tTCP port to connect to, 1337 by default')
print(' -s, --serve... | [
"def",
"show_help",
"(",
"name",
")",
":",
"print",
"(",
"'Usage: python3 {} [OPTIONS]... '",
".",
"format",
"(",
"name",
")",
")",
"print",
"(",
"'ISO8583 message client'",
")",
"print",
"(",
"' -v, --verbose\\t\\tRun transactions verbosely'",
")",
"print",
"(",
"... | Show help and basic usage | [
"Show",
"help",
"and",
"basic",
"usage"
] | 1b8e95d73ad273ad9d11bff40d1af3f06f0f3503 | https://github.com/timgabets/bpc8583/blob/1b8e95d73ad273ad9d11bff40d1af3f06f0f3503/examples/isoClient.py#L301-L314 | train |
timgabets/bpc8583 | examples/isoClient.py | isoClient._run_interactive | def _run_interactive(self):
"""
Run transactions interactively (by asking user which transaction to run)
"""
self.term.connect()
self._show_available_transactions()
while True:
trxn_type = self._user_input('\nEnter transaction to send: ')
... | python | def _run_interactive(self):
"""
Run transactions interactively (by asking user which transaction to run)
"""
self.term.connect()
self._show_available_transactions()
while True:
trxn_type = self._user_input('\nEnter transaction to send: ')
... | [
"def",
"_run_interactive",
"(",
"self",
")",
":",
"self",
".",
"term",
".",
"connect",
"(",
")",
"self",
".",
"_show_available_transactions",
"(",
")",
"while",
"True",
":",
"trxn_type",
"=",
"self",
".",
"_user_input",
"(",
"'\\nEnter transaction to send: '",
... | Run transactions interactively (by asking user which transaction to run) | [
"Run",
"transactions",
"interactively",
"(",
"by",
"asking",
"user",
"which",
"transaction",
"to",
"run",
")"
] | 1b8e95d73ad273ad9d11bff40d1af3f06f0f3503 | https://github.com/timgabets/bpc8583/blob/1b8e95d73ad273ad9d11bff40d1af3f06f0f3503/examples/isoClient.py#L92-L138 | train |
scalative/haas | haas/plugins/discoverer.py | find_top_level_directory | def find_top_level_directory(start_directory):
"""Finds the top-level directory of a project given a start directory
inside the project.
Parameters
----------
start_directory : str
The directory in which test discovery will start.
"""
top_level = start_directory
while os.path.i... | python | def find_top_level_directory(start_directory):
"""Finds the top-level directory of a project given a start directory
inside the project.
Parameters
----------
start_directory : str
The directory in which test discovery will start.
"""
top_level = start_directory
while os.path.i... | [
"def",
"find_top_level_directory",
"(",
"start_directory",
")",
":",
"top_level",
"=",
"start_directory",
"while",
"os",
".",
"path",
".",
"isfile",
"(",
"os",
".",
"path",
".",
"join",
"(",
"top_level",
",",
"'__init__.py'",
")",
")",
":",
"top_level",
"=",... | Finds the top-level directory of a project given a start directory
inside the project.
Parameters
----------
start_directory : str
The directory in which test discovery will start. | [
"Finds",
"the",
"top",
"-",
"level",
"directory",
"of",
"a",
"project",
"given",
"a",
"start",
"directory",
"inside",
"the",
"project",
"."
] | 72c05216a2a80e5ee94d9cd8d05ed2b188725027 | https://github.com/scalative/haas/blob/72c05216a2a80e5ee94d9cd8d05ed2b188725027/haas/plugins/discoverer.py#L92-L107 | train |
scalative/haas | haas/plugins/discoverer.py | Discoverer.discover | def discover(self, start, top_level_directory=None, pattern='test*.py'):
"""Do test case discovery.
This is the top-level entry-point for test discovery.
If the ``start`` argument is a drectory, then ``haas`` will
discover all tests in the package contained in that directory.
... | python | def discover(self, start, top_level_directory=None, pattern='test*.py'):
"""Do test case discovery.
This is the top-level entry-point for test discovery.
If the ``start`` argument is a drectory, then ``haas`` will
discover all tests in the package contained in that directory.
... | [
"def",
"discover",
"(",
"self",
",",
"start",
",",
"top_level_directory",
"=",
"None",
",",
"pattern",
"=",
"'test*.py'",
")",
":",
"logger",
".",
"debug",
"(",
"'Starting test discovery'",
")",
"if",
"os",
".",
"path",
".",
"isdir",
"(",
"start",
")",
"... | Do test case discovery.
This is the top-level entry-point for test discovery.
If the ``start`` argument is a drectory, then ``haas`` will
discover all tests in the package contained in that directory.
If the ``start`` argument is not a directory, it is assumed to
be a package ... | [
"Do",
"test",
"case",
"discovery",
"."
] | 72c05216a2a80e5ee94d9cd8d05ed2b188725027 | https://github.com/scalative/haas/blob/72c05216a2a80e5ee94d9cd8d05ed2b188725027/haas/plugins/discoverer.py#L178-L219 | train |
scalative/haas | haas/plugins/discoverer.py | Discoverer.discover_by_module | def discover_by_module(self, module_name, top_level_directory=None,
pattern='test*.py'):
"""Find all tests in a package or module, or load a single test case if
a class or test inside a module was specified.
Parameters
----------
module_name : str
... | python | def discover_by_module(self, module_name, top_level_directory=None,
pattern='test*.py'):
"""Find all tests in a package or module, or load a single test case if
a class or test inside a module was specified.
Parameters
----------
module_name : str
... | [
"def",
"discover_by_module",
"(",
"self",
",",
"module_name",
",",
"top_level_directory",
"=",
"None",
",",
"pattern",
"=",
"'test*.py'",
")",
":",
"# If the top level directory is given, the module may only be",
"# importable with that in the path.",
"if",
"top_level_directory... | Find all tests in a package or module, or load a single test case if
a class or test inside a module was specified.
Parameters
----------
module_name : str
The dotted package name, module name or TestCase class and
test method.
top_level_directory : str
... | [
"Find",
"all",
"tests",
"in",
"a",
"package",
"or",
"module",
"or",
"load",
"a",
"single",
"test",
"case",
"if",
"a",
"class",
"or",
"test",
"inside",
"a",
"module",
"was",
"specified",
"."
] | 72c05216a2a80e5ee94d9cd8d05ed2b188725027 | https://github.com/scalative/haas/blob/72c05216a2a80e5ee94d9cd8d05ed2b188725027/haas/plugins/discoverer.py#L221-L266 | train |
scalative/haas | haas/plugins/discoverer.py | Discoverer.discover_single_case | def discover_single_case(self, module, case_attributes):
"""Find and load a single TestCase or TestCase method from a module.
Parameters
----------
module : module
The imported Python module containing the TestCase to be
loaded.
case_attributes : list
... | python | def discover_single_case(self, module, case_attributes):
"""Find and load a single TestCase or TestCase method from a module.
Parameters
----------
module : module
The imported Python module containing the TestCase to be
loaded.
case_attributes : list
... | [
"def",
"discover_single_case",
"(",
"self",
",",
"module",
",",
"case_attributes",
")",
":",
"# Find single case",
"case",
"=",
"module",
"loader",
"=",
"self",
".",
"_loader",
"for",
"index",
",",
"component",
"in",
"enumerate",
"(",
"case_attributes",
")",
"... | Find and load a single TestCase or TestCase method from a module.
Parameters
----------
module : module
The imported Python module containing the TestCase to be
loaded.
case_attributes : list
A list (length 1 or 2) of str. The first component must be... | [
"Find",
"and",
"load",
"a",
"single",
"TestCase",
"or",
"TestCase",
"method",
"from",
"a",
"module",
"."
] | 72c05216a2a80e5ee94d9cd8d05ed2b188725027 | https://github.com/scalative/haas/blob/72c05216a2a80e5ee94d9cd8d05ed2b188725027/haas/plugins/discoverer.py#L268-L299 | train |
scalative/haas | haas/plugins/discoverer.py | Discoverer.discover_by_directory | def discover_by_directory(self, start_directory, top_level_directory=None,
pattern='test*.py'):
"""Run test discovery in a directory.
Parameters
----------
start_directory : str
The package directory in which to start test discovery.
top... | python | def discover_by_directory(self, start_directory, top_level_directory=None,
pattern='test*.py'):
"""Run test discovery in a directory.
Parameters
----------
start_directory : str
The package directory in which to start test discovery.
top... | [
"def",
"discover_by_directory",
"(",
"self",
",",
"start_directory",
",",
"top_level_directory",
"=",
"None",
",",
"pattern",
"=",
"'test*.py'",
")",
":",
"start_directory",
"=",
"os",
".",
"path",
".",
"abspath",
"(",
"start_directory",
")",
"if",
"top_level_di... | Run test discovery in a directory.
Parameters
----------
start_directory : str
The package directory in which to start test discovery.
top_level_directory : str
The path to the top-level directoy of the project. This is
the parent directory of the pr... | [
"Run",
"test",
"discovery",
"in",
"a",
"directory",
"."
] | 72c05216a2a80e5ee94d9cd8d05ed2b188725027 | https://github.com/scalative/haas/blob/72c05216a2a80e5ee94d9cd8d05ed2b188725027/haas/plugins/discoverer.py#L301-L332 | train |
scalative/haas | haas/plugins/discoverer.py | Discoverer.discover_by_file | def discover_by_file(self, start_filepath, top_level_directory=None):
"""Run test discovery on a single file.
Parameters
----------
start_filepath : str
The module file in which to start test discovery.
top_level_directory : str
The path to the top-level ... | python | def discover_by_file(self, start_filepath, top_level_directory=None):
"""Run test discovery on a single file.
Parameters
----------
start_filepath : str
The module file in which to start test discovery.
top_level_directory : str
The path to the top-level ... | [
"def",
"discover_by_file",
"(",
"self",
",",
"start_filepath",
",",
"top_level_directory",
"=",
"None",
")",
":",
"start_filepath",
"=",
"os",
".",
"path",
".",
"abspath",
"(",
"start_filepath",
")",
"start_directory",
"=",
"os",
".",
"path",
".",
"dirname",
... | Run test discovery on a single file.
Parameters
----------
start_filepath : str
The module file in which to start test discovery.
top_level_directory : str
The path to the top-level directoy of the project. This is
the parent directory of the project... | [
"Run",
"test",
"discovery",
"on",
"a",
"single",
"file",
"."
] | 72c05216a2a80e5ee94d9cd8d05ed2b188725027 | https://github.com/scalative/haas/blob/72c05216a2a80e5ee94d9cd8d05ed2b188725027/haas/plugins/discoverer.py#L334-L362 | train |
ramses-tech/nefertari | nefertari/view_helpers.py | OptionsViewMixin._set_options_headers | def _set_options_headers(self, methods):
""" Set proper headers.
Sets following headers:
Allow
Access-Control-Allow-Methods
Access-Control-Allow-Headers
Arguments:
:methods: Sequence of HTTP method names that are value for
request... | python | def _set_options_headers(self, methods):
""" Set proper headers.
Sets following headers:
Allow
Access-Control-Allow-Methods
Access-Control-Allow-Headers
Arguments:
:methods: Sequence of HTTP method names that are value for
request... | [
"def",
"_set_options_headers",
"(",
"self",
",",
"methods",
")",
":",
"request",
"=",
"self",
".",
"request",
"response",
"=",
"request",
".",
"response",
"response",
".",
"headers",
"[",
"'Allow'",
"]",
"=",
"', '",
".",
"join",
"(",
"sorted",
"(",
"met... | Set proper headers.
Sets following headers:
Allow
Access-Control-Allow-Methods
Access-Control-Allow-Headers
Arguments:
:methods: Sequence of HTTP method names that are value for
requested URI | [
"Set",
"proper",
"headers",
"."
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/view_helpers.py#L33-L58 | train |
ramses-tech/nefertari | nefertari/view_helpers.py | OptionsViewMixin._get_handled_methods | def _get_handled_methods(self, actions_map):
""" Get names of HTTP methods that can be used at requested URI.
Arguments:
:actions_map: Map of actions. Must have the same structure as
self._item_actions and self._collection_actions
"""
methods = ('OPTIONS',)
... | python | def _get_handled_methods(self, actions_map):
""" Get names of HTTP methods that can be used at requested URI.
Arguments:
:actions_map: Map of actions. Must have the same structure as
self._item_actions and self._collection_actions
"""
methods = ('OPTIONS',)
... | [
"def",
"_get_handled_methods",
"(",
"self",
",",
"actions_map",
")",
":",
"methods",
"=",
"(",
"'OPTIONS'",
",",
")",
"defined_actions",
"=",
"[",
"]",
"for",
"action_name",
"in",
"actions_map",
".",
"keys",
"(",
")",
":",
"view_method",
"=",
"getattr",
"(... | Get names of HTTP methods that can be used at requested URI.
Arguments:
:actions_map: Map of actions. Must have the same structure as
self._item_actions and self._collection_actions | [
"Get",
"names",
"of",
"HTTP",
"methods",
"that",
"can",
"be",
"used",
"at",
"requested",
"URI",
"."
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/view_helpers.py#L60-L80 | train |
ramses-tech/nefertari | nefertari/view_helpers.py | OptionsViewMixin.item_options | def item_options(self, **kwargs):
""" Handle collection OPTIONS request.
Singular route requests are handled a bit differently because
singular views may handle POST requests despite being registered
as item routes.
"""
actions = self._item_actions.copy()
if self... | python | def item_options(self, **kwargs):
""" Handle collection OPTIONS request.
Singular route requests are handled a bit differently because
singular views may handle POST requests despite being registered
as item routes.
"""
actions = self._item_actions.copy()
if self... | [
"def",
"item_options",
"(",
"self",
",",
"*",
"*",
"kwargs",
")",
":",
"actions",
"=",
"self",
".",
"_item_actions",
".",
"copy",
"(",
")",
"if",
"self",
".",
"_resource",
".",
"is_singular",
":",
"actions",
"[",
"'create'",
"]",
"=",
"(",
"'POST'",
... | Handle collection OPTIONS request.
Singular route requests are handled a bit differently because
singular views may handle POST requests despite being registered
as item routes. | [
"Handle",
"collection",
"OPTIONS",
"request",
"."
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/view_helpers.py#L82-L93 | train |
ramses-tech/nefertari | nefertari/view_helpers.py | OptionsViewMixin.collection_options | def collection_options(self, **kwargs):
""" Handle collection item OPTIONS request. """
methods = self._get_handled_methods(self._collection_actions)
return self._set_options_headers(methods) | python | def collection_options(self, **kwargs):
""" Handle collection item OPTIONS request. """
methods = self._get_handled_methods(self._collection_actions)
return self._set_options_headers(methods) | [
"def",
"collection_options",
"(",
"self",
",",
"*",
"*",
"kwargs",
")",
":",
"methods",
"=",
"self",
".",
"_get_handled_methods",
"(",
"self",
".",
"_collection_actions",
")",
"return",
"self",
".",
"_set_options_headers",
"(",
"methods",
")"
] | Handle collection item OPTIONS request. | [
"Handle",
"collection",
"item",
"OPTIONS",
"request",
"."
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/view_helpers.py#L95-L98 | train |
ramses-tech/nefertari | nefertari/view_helpers.py | ESAggregator.wrap | def wrap(self, func):
""" Wrap :func: to perform aggregation on :func: call.
Should be called with view instance methods.
"""
@six.wraps(func)
def wrapper(*args, **kwargs):
try:
return self.aggregate()
except KeyError:
retu... | python | def wrap(self, func):
""" Wrap :func: to perform aggregation on :func: call.
Should be called with view instance methods.
"""
@six.wraps(func)
def wrapper(*args, **kwargs):
try:
return self.aggregate()
except KeyError:
retu... | [
"def",
"wrap",
"(",
"self",
",",
"func",
")",
":",
"@",
"six",
".",
"wraps",
"(",
"func",
")",
"def",
"wrapper",
"(",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"try",
":",
"return",
"self",
".",
"aggregate",
"(",
")",
"except",
"KeyError",
... | Wrap :func: to perform aggregation on :func: call.
Should be called with view instance methods. | [
"Wrap",
":",
"func",
":",
"to",
"perform",
"aggregation",
"on",
":",
"func",
":",
"call",
"."
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/view_helpers.py#L129-L140 | train |
ramses-tech/nefertari | nefertari/view_helpers.py | ESAggregator.pop_aggregations_params | def pop_aggregations_params(self):
""" Pop and return aggregation params from query string params.
Aggregation params are expected to be prefixed(nested under) by
any of `self._aggregations_keys`.
"""
from nefertari.view import BaseView
self._query_params = BaseView.conv... | python | def pop_aggregations_params(self):
""" Pop and return aggregation params from query string params.
Aggregation params are expected to be prefixed(nested under) by
any of `self._aggregations_keys`.
"""
from nefertari.view import BaseView
self._query_params = BaseView.conv... | [
"def",
"pop_aggregations_params",
"(",
"self",
")",
":",
"from",
"nefertari",
".",
"view",
"import",
"BaseView",
"self",
".",
"_query_params",
"=",
"BaseView",
".",
"convert_dotted",
"(",
"self",
".",
"view",
".",
"_query_params",
")",
"for",
"key",
"in",
"s... | Pop and return aggregation params from query string params.
Aggregation params are expected to be prefixed(nested under) by
any of `self._aggregations_keys`. | [
"Pop",
"and",
"return",
"aggregation",
"params",
"from",
"query",
"string",
"params",
"."
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/view_helpers.py#L142-L155 | train |
ramses-tech/nefertari | nefertari/view_helpers.py | ESAggregator.get_aggregations_fields | def get_aggregations_fields(cls, params):
""" Recursively get values under the 'field' key.
Is used to get names of fields on which aggregations should be
performed.
"""
fields = []
for key, val in params.items():
if isinstance(val, dict):
fie... | python | def get_aggregations_fields(cls, params):
""" Recursively get values under the 'field' key.
Is used to get names of fields on which aggregations should be
performed.
"""
fields = []
for key, val in params.items():
if isinstance(val, dict):
fie... | [
"def",
"get_aggregations_fields",
"(",
"cls",
",",
"params",
")",
":",
"fields",
"=",
"[",
"]",
"for",
"key",
",",
"val",
"in",
"params",
".",
"items",
"(",
")",
":",
"if",
"isinstance",
"(",
"val",
",",
"dict",
")",
":",
"fields",
"+=",
"cls",
"."... | Recursively get values under the 'field' key.
Is used to get names of fields on which aggregations should be
performed. | [
"Recursively",
"get",
"values",
"under",
"the",
"field",
"key",
"."
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/view_helpers.py#L164-L176 | train |
ramses-tech/nefertari | nefertari/view_helpers.py | ESAggregator.check_aggregations_privacy | def check_aggregations_privacy(self, aggregations_params):
""" Check per-field privacy rules in aggregations.
Privacy is checked by making sure user has access to the fields
used in aggregations.
"""
fields = self.get_aggregations_fields(aggregations_params)
fields_dict ... | python | def check_aggregations_privacy(self, aggregations_params):
""" Check per-field privacy rules in aggregations.
Privacy is checked by making sure user has access to the fields
used in aggregations.
"""
fields = self.get_aggregations_fields(aggregations_params)
fields_dict ... | [
"def",
"check_aggregations_privacy",
"(",
"self",
",",
"aggregations_params",
")",
":",
"fields",
"=",
"self",
".",
"get_aggregations_fields",
"(",
"aggregations_params",
")",
"fields_dict",
"=",
"dictset",
".",
"fromkeys",
"(",
"fields",
")",
"fields_dict",
"[",
... | Check per-field privacy rules in aggregations.
Privacy is checked by making sure user has access to the fields
used in aggregations. | [
"Check",
"per",
"-",
"field",
"privacy",
"rules",
"in",
"aggregations",
"."
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/view_helpers.py#L178-L193 | train |
ramses-tech/nefertari | nefertari/view_helpers.py | ESAggregator.aggregate | def aggregate(self):
""" Perform aggregation and return response. """
from nefertari.elasticsearch import ES
aggregations_params = self.pop_aggregations_params()
if self.view._auth_enabled:
self.check_aggregations_privacy(aggregations_params)
self.stub_wrappers()
... | python | def aggregate(self):
""" Perform aggregation and return response. """
from nefertari.elasticsearch import ES
aggregations_params = self.pop_aggregations_params()
if self.view._auth_enabled:
self.check_aggregations_privacy(aggregations_params)
self.stub_wrappers()
... | [
"def",
"aggregate",
"(",
"self",
")",
":",
"from",
"nefertari",
".",
"elasticsearch",
"import",
"ES",
"aggregations_params",
"=",
"self",
".",
"pop_aggregations_params",
"(",
")",
"if",
"self",
".",
"view",
".",
"_auth_enabled",
":",
"self",
".",
"check_aggreg... | Perform aggregation and return response. | [
"Perform",
"aggregation",
"and",
"return",
"response",
"."
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/view_helpers.py#L195-L205 | train |
ramses-tech/nefertari | nefertari/utils/dictset.py | dictset.asdict | def asdict(self, name, _type=None, _set=False):
"""
Turn this 'a:2,b:blabla,c:True,a:'d' to
{a:[2, 'd'], b:'blabla', c:True}
"""
if _type is None:
_type = lambda t: t
dict_str = self.pop(name, None)
if not dict_str:
return {}
_d... | python | def asdict(self, name, _type=None, _set=False):
"""
Turn this 'a:2,b:blabla,c:True,a:'d' to
{a:[2, 'd'], b:'blabla', c:True}
"""
if _type is None:
_type = lambda t: t
dict_str = self.pop(name, None)
if not dict_str:
return {}
_d... | [
"def",
"asdict",
"(",
"self",
",",
"name",
",",
"_type",
"=",
"None",
",",
"_set",
"=",
"False",
")",
":",
"if",
"_type",
"is",
"None",
":",
"_type",
"=",
"lambda",
"t",
":",
"t",
"dict_str",
"=",
"self",
".",
"pop",
"(",
"name",
",",
"None",
"... | Turn this 'a:2,b:blabla,c:True,a:'d' to
{a:[2, 'd'], b:'blabla', c:True} | [
"Turn",
"this",
"a",
":",
"2",
"b",
":",
"blabla",
"c",
":",
"True",
"a",
":",
"d",
"to",
"{",
"a",
":",
"[",
"2",
"d",
"]",
"b",
":",
"blabla",
"c",
":",
"True",
"}"
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/utils/dictset.py#L66-L95 | train |
timgabets/bpc8583 | bpc8583/tools.py | get_random_hex | def get_random_hex(length):
"""
Return random hex string of a given length
"""
if length <= 0:
return ''
return hexify(random.randint(pow(2, length*2), pow(2, length*4)))[0:length] | python | def get_random_hex(length):
"""
Return random hex string of a given length
"""
if length <= 0:
return ''
return hexify(random.randint(pow(2, length*2), pow(2, length*4)))[0:length] | [
"def",
"get_random_hex",
"(",
"length",
")",
":",
"if",
"length",
"<=",
"0",
":",
"return",
"''",
"return",
"hexify",
"(",
"random",
".",
"randint",
"(",
"pow",
"(",
"2",
",",
"length",
"*",
"2",
")",
",",
"pow",
"(",
"2",
",",
"length",
"*",
"4"... | Return random hex string of a given length | [
"Return",
"random",
"hex",
"string",
"of",
"a",
"given",
"length"
] | 1b8e95d73ad273ad9d11bff40d1af3f06f0f3503 | https://github.com/timgabets/bpc8583/blob/1b8e95d73ad273ad9d11bff40d1af3f06f0f3503/bpc8583/tools.py#L59-L65 | train |
timgabets/bpc8583 | bpc8583/tools.py | get_response | def get_response(_code):
"""
Return xx1x response for xx0x codes (e.g. 0810 for 0800)
"""
if _code:
code = str(_code)
return code[:-2] + str(int(code[-2:-1]) + 1) + code[-1]
else:
return None | python | def get_response(_code):
"""
Return xx1x response for xx0x codes (e.g. 0810 for 0800)
"""
if _code:
code = str(_code)
return code[:-2] + str(int(code[-2:-1]) + 1) + code[-1]
else:
return None | [
"def",
"get_response",
"(",
"_code",
")",
":",
"if",
"_code",
":",
"code",
"=",
"str",
"(",
"_code",
")",
"return",
"code",
"[",
":",
"-",
"2",
"]",
"+",
"str",
"(",
"int",
"(",
"code",
"[",
"-",
"2",
":",
"-",
"1",
"]",
")",
"+",
"1",
")",... | Return xx1x response for xx0x codes (e.g. 0810 for 0800) | [
"Return",
"xx1x",
"response",
"for",
"xx0x",
"codes",
"(",
"e",
".",
"g",
".",
"0810",
"for",
"0800",
")"
] | 1b8e95d73ad273ad9d11bff40d1af3f06f0f3503 | https://github.com/timgabets/bpc8583/blob/1b8e95d73ad273ad9d11bff40d1af3f06f0f3503/bpc8583/tools.py#L68-L76 | train |
scalative/haas | haas/loader.py | Loader.load_case | def load_case(self, testcase):
"""Load a TestSuite containing all TestCase instances for all tests in
a TestCase subclass.
Parameters
----------
testcase : type
A subclass of :class:`unittest.TestCase`
"""
tests = [self.load_test(testcase, name)
... | python | def load_case(self, testcase):
"""Load a TestSuite containing all TestCase instances for all tests in
a TestCase subclass.
Parameters
----------
testcase : type
A subclass of :class:`unittest.TestCase`
"""
tests = [self.load_test(testcase, name)
... | [
"def",
"load_case",
"(",
"self",
",",
"testcase",
")",
":",
"tests",
"=",
"[",
"self",
".",
"load_test",
"(",
"testcase",
",",
"name",
")",
"for",
"name",
"in",
"self",
".",
"find_test_method_names",
"(",
"testcase",
")",
"]",
"return",
"self",
".",
"c... | Load a TestSuite containing all TestCase instances for all tests in
a TestCase subclass.
Parameters
----------
testcase : type
A subclass of :class:`unittest.TestCase` | [
"Load",
"a",
"TestSuite",
"containing",
"all",
"TestCase",
"instances",
"for",
"all",
"tests",
"in",
"a",
"TestCase",
"subclass",
"."
] | 72c05216a2a80e5ee94d9cd8d05ed2b188725027 | https://github.com/scalative/haas/blob/72c05216a2a80e5ee94d9cd8d05ed2b188725027/haas/loader.py#L83-L95 | train |
scalative/haas | haas/loader.py | Loader.load_module | def load_module(self, module):
"""Create and return a test suite containing all cases loaded from the
provided module.
Parameters
----------
module : module
A module object containing ``TestCases``
"""
cases = self.get_test_cases_from_module(module)
... | python | def load_module(self, module):
"""Create and return a test suite containing all cases loaded from the
provided module.
Parameters
----------
module : module
A module object containing ``TestCases``
"""
cases = self.get_test_cases_from_module(module)
... | [
"def",
"load_module",
"(",
"self",
",",
"module",
")",
":",
"cases",
"=",
"self",
".",
"get_test_cases_from_module",
"(",
"module",
")",
"suites",
"=",
"[",
"self",
".",
"load_case",
"(",
"case",
")",
"for",
"case",
"in",
"cases",
"]",
"return",
"self",
... | Create and return a test suite containing all cases loaded from the
provided module.
Parameters
----------
module : module
A module object containing ``TestCases`` | [
"Create",
"and",
"return",
"a",
"test",
"suite",
"containing",
"all",
"cases",
"loaded",
"from",
"the",
"provided",
"module",
"."
] | 72c05216a2a80e5ee94d9cd8d05ed2b188725027 | https://github.com/scalative/haas/blob/72c05216a2a80e5ee94d9cd8d05ed2b188725027/haas/loader.py#L112-L124 | train |
timgabets/bpc8583 | bpc8583/ISO8583.py | ISO8583.Field | def Field(self, field, Value = None):
'''
Add field to bitmap
'''
if Value == None:
try:
return self.__Bitmap[field]
except KeyError:
return None
elif Value == 1 or Value == 0:
self.__Bitmap[field] = Value
... | python | def Field(self, field, Value = None):
'''
Add field to bitmap
'''
if Value == None:
try:
return self.__Bitmap[field]
except KeyError:
return None
elif Value == 1 or Value == 0:
self.__Bitmap[field] = Value
... | [
"def",
"Field",
"(",
"self",
",",
"field",
",",
"Value",
"=",
"None",
")",
":",
"if",
"Value",
"==",
"None",
":",
"try",
":",
"return",
"self",
".",
"__Bitmap",
"[",
"field",
"]",
"except",
"KeyError",
":",
"return",
"None",
"elif",
"Value",
"==",
... | Add field to bitmap | [
"Add",
"field",
"to",
"bitmap"
] | 1b8e95d73ad273ad9d11bff40d1af3f06f0f3503 | https://github.com/timgabets/bpc8583/blob/1b8e95d73ad273ad9d11bff40d1af3f06f0f3503/bpc8583/ISO8583.py#L396-L408 | train |
timgabets/bpc8583 | bpc8583/ISO8583.py | ISO8583.FieldData | def FieldData(self, field, Value = None):
'''
Add field data
'''
if Value == None:
try:
return self.__FieldData[field]
except KeyError:
return None
else:
if len(str(Value)) > self.__IsoSpec.MaxLength(field):
... | python | def FieldData(self, field, Value = None):
'''
Add field data
'''
if Value == None:
try:
return self.__FieldData[field]
except KeyError:
return None
else:
if len(str(Value)) > self.__IsoSpec.MaxLength(field):
... | [
"def",
"FieldData",
"(",
"self",
",",
"field",
",",
"Value",
"=",
"None",
")",
":",
"if",
"Value",
"==",
"None",
":",
"try",
":",
"return",
"self",
".",
"__FieldData",
"[",
"field",
"]",
"except",
"KeyError",
":",
"return",
"None",
"else",
":",
"if",... | Add field data | [
"Add",
"field",
"data"
] | 1b8e95d73ad273ad9d11bff40d1af3f06f0f3503 | https://github.com/timgabets/bpc8583/blob/1b8e95d73ad273ad9d11bff40d1af3f06f0f3503/bpc8583/ISO8583.py#L419-L433 | train |
ramses-tech/nefertari | nefertari/acl.py | authenticated_userid | def authenticated_userid(request):
"""Helper function that can be used in ``db_key`` to support `self`
as a collection key.
"""
user = getattr(request, 'user', None)
key = user.pk_field()
return getattr(user, key) | python | def authenticated_userid(request):
"""Helper function that can be used in ``db_key`` to support `self`
as a collection key.
"""
user = getattr(request, 'user', None)
key = user.pk_field()
return getattr(user, key) | [
"def",
"authenticated_userid",
"(",
"request",
")",
":",
"user",
"=",
"getattr",
"(",
"request",
",",
"'user'",
",",
"None",
")",
"key",
"=",
"user",
".",
"pk_field",
"(",
")",
"return",
"getattr",
"(",
"user",
",",
"key",
")"
] | Helper function that can be used in ``db_key`` to support `self`
as a collection key. | [
"Helper",
"function",
"that",
"can",
"be",
"used",
"in",
"db_key",
"to",
"support",
"self",
"as",
"a",
"collection",
"key",
"."
] | c7caffe11576c11aa111adbdbadeff70ce66b1dd | https://github.com/ramses-tech/nefertari/blob/c7caffe11576c11aa111adbdbadeff70ce66b1dd/nefertari/acl.py#L68-L74 | train |
ucsb-cs-education/hairball | hairball/plugins/__init__.py | HairballPlugin.iter_blocks | def iter_blocks(block_list):
"""A generator for blocks contained in a block list.
Yields tuples containing the block name, the depth that the block was
found at, and finally a handle to the block itself.
"""
# queue the block and the depth of the block
queue = [(block, ... | python | def iter_blocks(block_list):
"""A generator for blocks contained in a block list.
Yields tuples containing the block name, the depth that the block was
found at, and finally a handle to the block itself.
"""
# queue the block and the depth of the block
queue = [(block, ... | [
"def",
"iter_blocks",
"(",
"block_list",
")",
":",
"# queue the block and the depth of the block",
"queue",
"=",
"[",
"(",
"block",
",",
"0",
")",
"for",
"block",
"in",
"block_list",
"if",
"isinstance",
"(",
"block",
",",
"kurt",
".",
"Block",
")",
"]",
"whi... | A generator for blocks contained in a block list.
Yields tuples containing the block name, the depth that the block was
found at, and finally a handle to the block itself. | [
"A",
"generator",
"for",
"blocks",
"contained",
"in",
"a",
"block",
"list",
"."
] | c6da8971f8a34e88ce401d36b51431715e1dff5b | https://github.com/ucsb-cs-education/hairball/blob/c6da8971f8a34e88ce401d36b51431715e1dff5b/hairball/plugins/__init__.py#L48-L67 | train |
ucsb-cs-education/hairball | hairball/plugins/__init__.py | HairballPlugin.iter_scripts | def iter_scripts(scratch):
"""A generator for all scripts contained in a scratch file.
yields stage scripts first, then scripts for each sprite
"""
for script in scratch.stage.scripts:
if not isinstance(script, kurt.Comment):
yield script
for sprite ... | python | def iter_scripts(scratch):
"""A generator for all scripts contained in a scratch file.
yields stage scripts first, then scripts for each sprite
"""
for script in scratch.stage.scripts:
if not isinstance(script, kurt.Comment):
yield script
for sprite ... | [
"def",
"iter_scripts",
"(",
"scratch",
")",
":",
"for",
"script",
"in",
"scratch",
".",
"stage",
".",
"scripts",
":",
"if",
"not",
"isinstance",
"(",
"script",
",",
"kurt",
".",
"Comment",
")",
":",
"yield",
"script",
"for",
"sprite",
"in",
"scratch",
... | A generator for all scripts contained in a scratch file.
yields stage scripts first, then scripts for each sprite | [
"A",
"generator",
"for",
"all",
"scripts",
"contained",
"in",
"a",
"scratch",
"file",
"."
] | c6da8971f8a34e88ce401d36b51431715e1dff5b | https://github.com/ucsb-cs-education/hairball/blob/c6da8971f8a34e88ce401d36b51431715e1dff5b/hairball/plugins/__init__.py#L70-L82 | train |
ucsb-cs-education/hairball | hairball/plugins/__init__.py | HairballPlugin.iter_sprite_scripts | def iter_sprite_scripts(scratch):
"""A generator for all scripts contained in a scratch file.
yields stage scripts first, then scripts for each sprite
"""
for script in scratch.stage.scripts:
if not isinstance(script, kurt.Comment):
yield ('Stage', script)
... | python | def iter_sprite_scripts(scratch):
"""A generator for all scripts contained in a scratch file.
yields stage scripts first, then scripts for each sprite
"""
for script in scratch.stage.scripts:
if not isinstance(script, kurt.Comment):
yield ('Stage', script)
... | [
"def",
"iter_sprite_scripts",
"(",
"scratch",
")",
":",
"for",
"script",
"in",
"scratch",
".",
"stage",
".",
"scripts",
":",
"if",
"not",
"isinstance",
"(",
"script",
",",
"kurt",
".",
"Comment",
")",
":",
"yield",
"(",
"'Stage'",
",",
"script",
")",
"... | A generator for all scripts contained in a scratch file.
yields stage scripts first, then scripts for each sprite | [
"A",
"generator",
"for",
"all",
"scripts",
"contained",
"in",
"a",
"scratch",
"file",
"."
] | c6da8971f8a34e88ce401d36b51431715e1dff5b | https://github.com/ucsb-cs-education/hairball/blob/c6da8971f8a34e88ce401d36b51431715e1dff5b/hairball/plugins/__init__.py#L91-L103 | train |
ucsb-cs-education/hairball | hairball/plugins/__init__.py | HairballPlugin.script_start_type | def script_start_type(script):
"""Return the type of block the script begins with."""
if script[0].type.text == 'when @greenFlag clicked':
return HairballPlugin.HAT_GREEN_FLAG
elif script[0].type.text == 'when I receive %s':
return HairballPlugin.HAT_WHEN_I_RECEIVE
... | python | def script_start_type(script):
"""Return the type of block the script begins with."""
if script[0].type.text == 'when @greenFlag clicked':
return HairballPlugin.HAT_GREEN_FLAG
elif script[0].type.text == 'when I receive %s':
return HairballPlugin.HAT_WHEN_I_RECEIVE
... | [
"def",
"script_start_type",
"(",
"script",
")",
":",
"if",
"script",
"[",
"0",
"]",
".",
"type",
".",
"text",
"==",
"'when @greenFlag clicked'",
":",
"return",
"HairballPlugin",
".",
"HAT_GREEN_FLAG",
"elif",
"script",
"[",
"0",
"]",
".",
"type",
".",
"tex... | Return the type of block the script begins with. | [
"Return",
"the",
"type",
"of",
"block",
"the",
"script",
"begins",
"with",
"."
] | c6da8971f8a34e88ce401d36b51431715e1dff5b | https://github.com/ucsb-cs-education/hairball/blob/c6da8971f8a34e88ce401d36b51431715e1dff5b/hairball/plugins/__init__.py#L106-L117 | train |
ucsb-cs-education/hairball | hairball/plugins/__init__.py | HairballPlugin.get_broadcast_events | def get_broadcast_events(cls, script):
"""Return a Counter of event-names that were broadcast.
The Count will contain the key True if any of the broadcast blocks
contain a parameter that is a variable.
"""
events = Counter()
for name, _, block in cls.iter_blocks(script)... | python | def get_broadcast_events(cls, script):
"""Return a Counter of event-names that were broadcast.
The Count will contain the key True if any of the broadcast blocks
contain a parameter that is a variable.
"""
events = Counter()
for name, _, block in cls.iter_blocks(script)... | [
"def",
"get_broadcast_events",
"(",
"cls",
",",
"script",
")",
":",
"events",
"=",
"Counter",
"(",
")",
"for",
"name",
",",
"_",
",",
"block",
"in",
"cls",
".",
"iter_blocks",
"(",
"script",
")",
":",
"if",
"'broadcast %s'",
"in",
"name",
":",
"if",
... | Return a Counter of event-names that were broadcast.
The Count will contain the key True if any of the broadcast blocks
contain a parameter that is a variable. | [
"Return",
"a",
"Counter",
"of",
"event",
"-",
"names",
"that",
"were",
"broadcast",
"."
] | c6da8971f8a34e88ce401d36b51431715e1dff5b | https://github.com/ucsb-cs-education/hairball/blob/c6da8971f8a34e88ce401d36b51431715e1dff5b/hairball/plugins/__init__.py#L120-L134 | train |
ucsb-cs-education/hairball | hairball/plugins/__init__.py | HairballPlugin.tag_reachable_scripts | def tag_reachable_scripts(cls, scratch):
"""Tag each script with attribute reachable.
The reachable attribute will be set false for any script that does not
begin with a hat block. Additionally, any script that begins with a
'when I receive' block whose event-name doesn't appear in a
... | python | def tag_reachable_scripts(cls, scratch):
"""Tag each script with attribute reachable.
The reachable attribute will be set false for any script that does not
begin with a hat block. Additionally, any script that begins with a
'when I receive' block whose event-name doesn't appear in a
... | [
"def",
"tag_reachable_scripts",
"(",
"cls",
",",
"scratch",
")",
":",
"if",
"getattr",
"(",
"scratch",
",",
"'hairball_prepared'",
",",
"False",
")",
":",
"# Only process once",
"return",
"reachable",
"=",
"set",
"(",
")",
"untriggered_events",
"=",
"{",
"}",
... | Tag each script with attribute reachable.
The reachable attribute will be set false for any script that does not
begin with a hat block. Additionally, any script that begins with a
'when I receive' block whose event-name doesn't appear in a
corresponding broadcast block is marked as unr... | [
"Tag",
"each",
"script",
"with",
"attribute",
"reachable",
"."
] | c6da8971f8a34e88ce401d36b51431715e1dff5b | https://github.com/ucsb-cs-education/hairball/blob/c6da8971f8a34e88ce401d36b51431715e1dff5b/hairball/plugins/__init__.py#L137-L172 | train |
ucsb-cs-education/hairball | hairball/plugins/__init__.py | HairballPlugin.description | def description(self):
"""Attribute that returns the plugin description from its docstring."""
lines = []
for line in self.__doc__.split('\n')[2:]:
line = line.strip()
if line:
lines.append(line)
return ' '.join(lines) | python | def description(self):
"""Attribute that returns the plugin description from its docstring."""
lines = []
for line in self.__doc__.split('\n')[2:]:
line = line.strip()
if line:
lines.append(line)
return ' '.join(lines) | [
"def",
"description",
"(",
"self",
")",
":",
"lines",
"=",
"[",
"]",
"for",
"line",
"in",
"self",
".",
"__doc__",
".",
"split",
"(",
"'\\n'",
")",
"[",
"2",
":",
"]",
":",
"line",
"=",
"line",
".",
"strip",
"(",
")",
"if",
"line",
":",
"lines",... | Attribute that returns the plugin description from its docstring. | [
"Attribute",
"that",
"returns",
"the",
"plugin",
"description",
"from",
"its",
"docstring",
"."
] | c6da8971f8a34e88ce401d36b51431715e1dff5b | https://github.com/ucsb-cs-education/hairball/blob/c6da8971f8a34e88ce401d36b51431715e1dff5b/hairball/plugins/__init__.py#L175-L182 | train |
ucsb-cs-education/hairball | hairball/plugins/__init__.py | HairballPlugin._process | def _process(self, scratch, filename, **kwargs):
"""Internal hook that marks reachable scripts before calling analyze.
Returns data exactly as returned by the analyze method.
"""
self.tag_reachable_scripts(scratch)
return self.analyze(scratch, filename=filename, **kwargs) | python | def _process(self, scratch, filename, **kwargs):
"""Internal hook that marks reachable scripts before calling analyze.
Returns data exactly as returned by the analyze method.
"""
self.tag_reachable_scripts(scratch)
return self.analyze(scratch, filename=filename, **kwargs) | [
"def",
"_process",
"(",
"self",
",",
"scratch",
",",
"filename",
",",
"*",
"*",
"kwargs",
")",
":",
"self",
".",
"tag_reachable_scripts",
"(",
"scratch",
")",
"return",
"self",
".",
"analyze",
"(",
"scratch",
",",
"filename",
"=",
"filename",
",",
"*",
... | Internal hook that marks reachable scripts before calling analyze.
Returns data exactly as returned by the analyze method. | [
"Internal",
"hook",
"that",
"marks",
"reachable",
"scripts",
"before",
"calling",
"analyze",
"."
] | c6da8971f8a34e88ce401d36b51431715e1dff5b | https://github.com/ucsb-cs-education/hairball/blob/c6da8971f8a34e88ce401d36b51431715e1dff5b/hairball/plugins/__init__.py#L189-L196 | train |
mmulqueen/odswriter | odswriter/__init__.py | ODSWriter.close | def close(self):
"""
Finalises the compressed version of the spreadsheet. If you aren't using the context manager ('with' statement,
you must call this manually, it is not triggered automatically like on a file object.
:return: Nothing.
"""
self.zipf.writestr("content.xml... | python | def close(self):
"""
Finalises the compressed version of the spreadsheet. If you aren't using the context manager ('with' statement,
you must call this manually, it is not triggered automatically like on a file object.
:return: Nothing.
"""
self.zipf.writestr("content.xml... | [
"def",
"close",
"(",
"self",
")",
":",
"self",
".",
"zipf",
".",
"writestr",
"(",
"\"content.xml\"",
",",
"self",
".",
"dom",
".",
"toxml",
"(",
")",
".",
"encode",
"(",
"\"utf-8\"",
")",
")",
"self",
".",
"zipf",
".",
"close",
"(",
")"
] | Finalises the compressed version of the spreadsheet. If you aren't using the context manager ('with' statement,
you must call this manually, it is not triggered automatically like on a file object.
:return: Nothing. | [
"Finalises",
"the",
"compressed",
"version",
"of",
"the",
"spreadsheet",
".",
"If",
"you",
"aren",
"t",
"using",
"the",
"context",
"manager",
"(",
"with",
"statement",
"you",
"must",
"call",
"this",
"manually",
"it",
"is",
"not",
"triggered",
"automatically",
... | 0bb038a60dd27bacd76d6b1ff3a200e2a7729651 | https://github.com/mmulqueen/odswriter/blob/0bb038a60dd27bacd76d6b1ff3a200e2a7729651/odswriter/__init__.py#L49-L56 | train |
mmulqueen/odswriter | odswriter/__init__.py | ODSWriter.writerow | def writerow(self, cells):
"""
Write a row of cells into the default sheet of the spreadsheet.
:param cells: A list of cells (most basic Python types supported).
:return: Nothing.
"""
if self.default_sheet is None:
self.default_sheet = self.new_sheet()
... | python | def writerow(self, cells):
"""
Write a row of cells into the default sheet of the spreadsheet.
:param cells: A list of cells (most basic Python types supported).
:return: Nothing.
"""
if self.default_sheet is None:
self.default_sheet = self.new_sheet()
... | [
"def",
"writerow",
"(",
"self",
",",
"cells",
")",
":",
"if",
"self",
".",
"default_sheet",
"is",
"None",
":",
"self",
".",
"default_sheet",
"=",
"self",
".",
"new_sheet",
"(",
")",
"self",
".",
"default_sheet",
".",
"writerow",
"(",
"cells",
")"
] | Write a row of cells into the default sheet of the spreadsheet.
:param cells: A list of cells (most basic Python types supported).
:return: Nothing. | [
"Write",
"a",
"row",
"of",
"cells",
"into",
"the",
"default",
"sheet",
"of",
"the",
"spreadsheet",
".",
":",
"param",
"cells",
":",
"A",
"list",
"of",
"cells",
"(",
"most",
"basic",
"Python",
"types",
"supported",
")",
".",
":",
"return",
":",
"Nothing... | 0bb038a60dd27bacd76d6b1ff3a200e2a7729651 | https://github.com/mmulqueen/odswriter/blob/0bb038a60dd27bacd76d6b1ff3a200e2a7729651/odswriter/__init__.py#L58-L66 | train |
mmulqueen/odswriter | odswriter/__init__.py | ODSWriter.new_sheet | def new_sheet(self, name=None, cols=None):
"""
Create a new sheet in the spreadsheet and return it so content can be added.
:param name: Optional name for the sheet.
:param cols: Specify the number of columns, needed for compatibility in some cases
:return: Sheet object
"... | python | def new_sheet(self, name=None, cols=None):
"""
Create a new sheet in the spreadsheet and return it so content can be added.
:param name: Optional name for the sheet.
:param cols: Specify the number of columns, needed for compatibility in some cases
:return: Sheet object
"... | [
"def",
"new_sheet",
"(",
"self",
",",
"name",
"=",
"None",
",",
"cols",
"=",
"None",
")",
":",
"sheet",
"=",
"Sheet",
"(",
"self",
".",
"dom",
",",
"name",
",",
"cols",
")",
"self",
".",
"sheets",
".",
"append",
"(",
"sheet",
")",
"return",
"shee... | Create a new sheet in the spreadsheet and return it so content can be added.
:param name: Optional name for the sheet.
:param cols: Specify the number of columns, needed for compatibility in some cases
:return: Sheet object | [
"Create",
"a",
"new",
"sheet",
"in",
"the",
"spreadsheet",
"and",
"return",
"it",
"so",
"content",
"can",
"be",
"added",
".",
":",
"param",
"name",
":",
"Optional",
"name",
"for",
"the",
"sheet",
".",
":",
"param",
"cols",
":",
"Specify",
"the",
"numbe... | 0bb038a60dd27bacd76d6b1ff3a200e2a7729651 | https://github.com/mmulqueen/odswriter/blob/0bb038a60dd27bacd76d6b1ff3a200e2a7729651/odswriter/__init__.py#L77-L86 | train |
jeffrimko/Qprompt | lib/qprompt.py | _format_kwargs | def _format_kwargs(func):
"""Decorator to handle formatting kwargs to the proper names expected by
the associated function. The formats dictionary string keys will be used as
expected function kwargs and the value list of strings will be renamed to
the associated key string."""
formats = {}
form... | python | def _format_kwargs(func):
"""Decorator to handle formatting kwargs to the proper names expected by
the associated function. The formats dictionary string keys will be used as
expected function kwargs and the value list of strings will be renamed to
the associated key string."""
formats = {}
form... | [
"def",
"_format_kwargs",
"(",
"func",
")",
":",
"formats",
"=",
"{",
"}",
"formats",
"[",
"'blk'",
"]",
"=",
"[",
"\"blank\"",
"]",
"formats",
"[",
"'dft'",
"]",
"=",
"[",
"\"default\"",
"]",
"formats",
"[",
"'hdr'",
"]",
"=",
"[",
"\"header\"",
"]",... | Decorator to handle formatting kwargs to the proper names expected by
the associated function. The formats dictionary string keys will be used as
expected function kwargs and the value list of strings will be renamed to
the associated key string. | [
"Decorator",
"to",
"handle",
"formatting",
"kwargs",
"to",
"the",
"proper",
"names",
"expected",
"by",
"the",
"associated",
"function",
".",
"The",
"formats",
"dictionary",
"string",
"keys",
"will",
"be",
"used",
"as",
"expected",
"function",
"kwargs",
"and",
... | 1887c53656dfecac49e0650e0f912328801cbb83 | https://github.com/jeffrimko/Qprompt/blob/1887c53656dfecac49e0650e0f912328801cbb83/lib/qprompt.py#L34-L55 | train |
jeffrimko/Qprompt | lib/qprompt.py | show_limit | def show_limit(entries, **kwargs):
"""Shows a menu but limits the number of entries shown at a time.
Functionally equivalent to `show_menu()` with the `limit` parameter set."""
limit = kwargs.pop('limit', 5)
if limit <= 0:
return show_menu(entries, **kwargs)
istart = 0 # Index of group start... | python | def show_limit(entries, **kwargs):
"""Shows a menu but limits the number of entries shown at a time.
Functionally equivalent to `show_menu()` with the `limit` parameter set."""
limit = kwargs.pop('limit', 5)
if limit <= 0:
return show_menu(entries, **kwargs)
istart = 0 # Index of group start... | [
"def",
"show_limit",
"(",
"entries",
",",
"*",
"*",
"kwargs",
")",
":",
"limit",
"=",
"kwargs",
".",
"pop",
"(",
"'limit'",
",",
"5",
")",
"if",
"limit",
"<=",
"0",
":",
"return",
"show_menu",
"(",
"entries",
",",
"*",
"*",
"kwargs",
")",
"istart",... | Shows a menu but limits the number of entries shown at a time.
Functionally equivalent to `show_menu()` with the `limit` parameter set. | [
"Shows",
"a",
"menu",
"but",
"limits",
"the",
"number",
"of",
"entries",
"shown",
"at",
"a",
"time",
".",
"Functionally",
"equivalent",
"to",
"show_menu",
"()",
"with",
"the",
"limit",
"parameter",
"set",
"."
] | 1887c53656dfecac49e0650e0f912328801cbb83 | https://github.com/jeffrimko/Qprompt/blob/1887c53656dfecac49e0650e0f912328801cbb83/lib/qprompt.py#L258-L315 | train |
jeffrimko/Qprompt | lib/qprompt.py | show_menu | def show_menu(entries, **kwargs):
"""Shows a menu with the given list of `MenuEntry` items.
**Params**:
- header (str) - String to show above menu.
- note (str) - String to show as a note below menu.
- msg (str) - String to show below menu.
- dft (str) - Default value if input is left b... | python | def show_menu(entries, **kwargs):
"""Shows a menu with the given list of `MenuEntry` items.
**Params**:
- header (str) - String to show above menu.
- note (str) - String to show as a note below menu.
- msg (str) - String to show below menu.
- dft (str) - Default value if input is left b... | [
"def",
"show_menu",
"(",
"entries",
",",
"*",
"*",
"kwargs",
")",
":",
"global",
"_AUTO",
"hdr",
"=",
"kwargs",
".",
"get",
"(",
"'hdr'",
",",
"\"\"",
")",
"note",
"=",
"kwargs",
".",
"get",
"(",
"'note'",
",",
"\"\"",
")",
"dft",
"=",
"kwargs",
... | Shows a menu with the given list of `MenuEntry` items.
**Params**:
- header (str) - String to show above menu.
- note (str) - String to show as a note below menu.
- msg (str) - String to show below menu.
- dft (str) - Default value if input is left blank.
- compact (bool) - If true, t... | [
"Shows",
"a",
"menu",
"with",
"the",
"given",
"list",
"of",
"MenuEntry",
"items",
"."
] | 1887c53656dfecac49e0650e0f912328801cbb83 | https://github.com/jeffrimko/Qprompt/blob/1887c53656dfecac49e0650e0f912328801cbb83/lib/qprompt.py#L318-L388 | train |
jeffrimko/Qprompt | lib/qprompt.py | run_func | def run_func(entry):
"""Runs the function associated with the given MenuEntry."""
if entry.func:
if entry.args and entry.krgs:
return entry.func(*entry.args, **entry.krgs)
if entry.args:
return entry.func(*entry.args)
if entry.krgs:
return entry.func(*... | python | def run_func(entry):
"""Runs the function associated with the given MenuEntry."""
if entry.func:
if entry.args and entry.krgs:
return entry.func(*entry.args, **entry.krgs)
if entry.args:
return entry.func(*entry.args)
if entry.krgs:
return entry.func(*... | [
"def",
"run_func",
"(",
"entry",
")",
":",
"if",
"entry",
".",
"func",
":",
"if",
"entry",
".",
"args",
"and",
"entry",
".",
"krgs",
":",
"return",
"entry",
".",
"func",
"(",
"*",
"entry",
".",
"args",
",",
"*",
"*",
"entry",
".",
"krgs",
")",
... | Runs the function associated with the given MenuEntry. | [
"Runs",
"the",
"function",
"associated",
"with",
"the",
"given",
"MenuEntry",
"."
] | 1887c53656dfecac49e0650e0f912328801cbb83 | https://github.com/jeffrimko/Qprompt/blob/1887c53656dfecac49e0650e0f912328801cbb83/lib/qprompt.py#L390-L399 | train |
jeffrimko/Qprompt | lib/qprompt.py | enum_menu | def enum_menu(strs, menu=None, *args, **kwargs):
"""Enumerates the given list of strings into returned menu.
**Params**:
- menu (Menu) - Existing menu to append. If not provided, a new menu will
be created.
"""
if not menu:
menu = Menu(*args, **kwargs)
for s in strs:
m... | python | def enum_menu(strs, menu=None, *args, **kwargs):
"""Enumerates the given list of strings into returned menu.
**Params**:
- menu (Menu) - Existing menu to append. If not provided, a new menu will
be created.
"""
if not menu:
menu = Menu(*args, **kwargs)
for s in strs:
m... | [
"def",
"enum_menu",
"(",
"strs",
",",
"menu",
"=",
"None",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"if",
"not",
"menu",
":",
"menu",
"=",
"Menu",
"(",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
"for",
"s",
"in",
"strs",
":",
"men... | Enumerates the given list of strings into returned menu.
**Params**:
- menu (Menu) - Existing menu to append. If not provided, a new menu will
be created. | [
"Enumerates",
"the",
"given",
"list",
"of",
"strings",
"into",
"returned",
"menu",
"."
] | 1887c53656dfecac49e0650e0f912328801cbb83 | https://github.com/jeffrimko/Qprompt/blob/1887c53656dfecac49e0650e0f912328801cbb83/lib/qprompt.py#L401-L412 | train |
jeffrimko/Qprompt | lib/qprompt.py | ask | def ask(msg="Enter input", fmt=None, dft=None, vld=None, shw=True, blk=False, hlp=None, qstr=True):
"""Prompts the user for input and returns the given answer. Optionally
checks if answer is valid.
**Params**:
- msg (str) - Message to prompt the user with.
- fmt (func) - Function used to format... | python | def ask(msg="Enter input", fmt=None, dft=None, vld=None, shw=True, blk=False, hlp=None, qstr=True):
"""Prompts the user for input and returns the given answer. Optionally
checks if answer is valid.
**Params**:
- msg (str) - Message to prompt the user with.
- fmt (func) - Function used to format... | [
"def",
"ask",
"(",
"msg",
"=",
"\"Enter input\"",
",",
"fmt",
"=",
"None",
",",
"dft",
"=",
"None",
",",
"vld",
"=",
"None",
",",
"shw",
"=",
"True",
",",
"blk",
"=",
"False",
",",
"hlp",
"=",
"None",
",",
"qstr",
"=",
"True",
")",
":",
"global... | Prompts the user for input and returns the given answer. Optionally
checks if answer is valid.
**Params**:
- msg (str) - Message to prompt the user with.
- fmt (func) - Function used to format user input.
- dft (int|float|str) - Default value if input is left blank.
- vld ([int|float|st... | [
"Prompts",
"the",
"user",
"for",
"input",
"and",
"returns",
"the",
"given",
"answer",
".",
"Optionally",
"checks",
"if",
"answer",
"is",
"valid",
"."
] | 1887c53656dfecac49e0650e0f912328801cbb83 | https://github.com/jeffrimko/Qprompt/blob/1887c53656dfecac49e0650e0f912328801cbb83/lib/qprompt.py#L424-L516 | train |
jeffrimko/Qprompt | lib/qprompt.py | ask_yesno | def ask_yesno(msg="Proceed?", dft=None):
"""Prompts the user for a yes or no answer. Returns True for yes, False
for no."""
yes = ["y", "yes", "Y", "YES"]
no = ["n", "no", "N", "NO"]
if dft != None:
dft = yes[0] if (dft in yes or dft == True) else no[0]
return ask(msg, dft=dft, vld=yes+n... | python | def ask_yesno(msg="Proceed?", dft=None):
"""Prompts the user for a yes or no answer. Returns True for yes, False
for no."""
yes = ["y", "yes", "Y", "YES"]
no = ["n", "no", "N", "NO"]
if dft != None:
dft = yes[0] if (dft in yes or dft == True) else no[0]
return ask(msg, dft=dft, vld=yes+n... | [
"def",
"ask_yesno",
"(",
"msg",
"=",
"\"Proceed?\"",
",",
"dft",
"=",
"None",
")",
":",
"yes",
"=",
"[",
"\"y\"",
",",
"\"yes\"",
",",
"\"Y\"",
",",
"\"YES\"",
"]",
"no",
"=",
"[",
"\"n\"",
",",
"\"no\"",
",",
"\"N\"",
",",
"\"NO\"",
"]",
"if",
"... | Prompts the user for a yes or no answer. Returns True for yes, False
for no. | [
"Prompts",
"the",
"user",
"for",
"a",
"yes",
"or",
"no",
"answer",
".",
"Returns",
"True",
"for",
"yes",
"False",
"for",
"no",
"."
] | 1887c53656dfecac49e0650e0f912328801cbb83 | https://github.com/jeffrimko/Qprompt/blob/1887c53656dfecac49e0650e0f912328801cbb83/lib/qprompt.py#L519-L526 | train |
jeffrimko/Qprompt | lib/qprompt.py | ask_int | def ask_int(msg="Enter an integer", dft=None, vld=None, hlp=None):
"""Prompts the user for an integer."""
vld = vld or [int]
return ask(msg, dft=dft, vld=vld, fmt=partial(cast, typ=int), hlp=hlp) | python | def ask_int(msg="Enter an integer", dft=None, vld=None, hlp=None):
"""Prompts the user for an integer."""
vld = vld or [int]
return ask(msg, dft=dft, vld=vld, fmt=partial(cast, typ=int), hlp=hlp) | [
"def",
"ask_int",
"(",
"msg",
"=",
"\"Enter an integer\"",
",",
"dft",
"=",
"None",
",",
"vld",
"=",
"None",
",",
"hlp",
"=",
"None",
")",
":",
"vld",
"=",
"vld",
"or",
"[",
"int",
"]",
"return",
"ask",
"(",
"msg",
",",
"dft",
"=",
"dft",
",",
... | Prompts the user for an integer. | [
"Prompts",
"the",
"user",
"for",
"an",
"integer",
"."
] | 1887c53656dfecac49e0650e0f912328801cbb83 | https://github.com/jeffrimko/Qprompt/blob/1887c53656dfecac49e0650e0f912328801cbb83/lib/qprompt.py#L529-L532 | train |
jeffrimko/Qprompt | lib/qprompt.py | ask_float | def ask_float(msg="Enter a float", dft=None, vld=None, hlp=None):
"""Prompts the user for a float."""
vld = vld or [float]
return ask(msg, dft=dft, vld=vld, fmt=partial(cast, typ=float), hlp=hlp) | python | def ask_float(msg="Enter a float", dft=None, vld=None, hlp=None):
"""Prompts the user for a float."""
vld = vld or [float]
return ask(msg, dft=dft, vld=vld, fmt=partial(cast, typ=float), hlp=hlp) | [
"def",
"ask_float",
"(",
"msg",
"=",
"\"Enter a float\"",
",",
"dft",
"=",
"None",
",",
"vld",
"=",
"None",
",",
"hlp",
"=",
"None",
")",
":",
"vld",
"=",
"vld",
"or",
"[",
"float",
"]",
"return",
"ask",
"(",
"msg",
",",
"dft",
"=",
"dft",
",",
... | Prompts the user for a float. | [
"Prompts",
"the",
"user",
"for",
"a",
"float",
"."
] | 1887c53656dfecac49e0650e0f912328801cbb83 | https://github.com/jeffrimko/Qprompt/blob/1887c53656dfecac49e0650e0f912328801cbb83/lib/qprompt.py#L535-L538 | train |
jeffrimko/Qprompt | lib/qprompt.py | ask_str | def ask_str(msg="Enter a string", dft=None, vld=None, shw=True, blk=True, hlp=None):
"""Prompts the user for a string."""
vld = vld or [str]
return ask(msg, dft=dft, vld=vld, shw=shw, blk=blk, hlp=hlp) | python | def ask_str(msg="Enter a string", dft=None, vld=None, shw=True, blk=True, hlp=None):
"""Prompts the user for a string."""
vld = vld or [str]
return ask(msg, dft=dft, vld=vld, shw=shw, blk=blk, hlp=hlp) | [
"def",
"ask_str",
"(",
"msg",
"=",
"\"Enter a string\"",
",",
"dft",
"=",
"None",
",",
"vld",
"=",
"None",
",",
"shw",
"=",
"True",
",",
"blk",
"=",
"True",
",",
"hlp",
"=",
"None",
")",
":",
"vld",
"=",
"vld",
"or",
"[",
"str",
"]",
"return",
... | Prompts the user for a string. | [
"Prompts",
"the",
"user",
"for",
"a",
"string",
"."
] | 1887c53656dfecac49e0650e0f912328801cbb83 | https://github.com/jeffrimko/Qprompt/blob/1887c53656dfecac49e0650e0f912328801cbb83/lib/qprompt.py#L541-L544 | train |
jeffrimko/Qprompt | lib/qprompt.py | ask_captcha | def ask_captcha(length=4):
"""Prompts the user for a random string."""
captcha = "".join(random.choice(string.ascii_lowercase) for _ in range(length))
ask_str('Enter the following letters, "%s"' % (captcha), vld=[captcha, captcha.upper()], blk=False) | python | def ask_captcha(length=4):
"""Prompts the user for a random string."""
captcha = "".join(random.choice(string.ascii_lowercase) for _ in range(length))
ask_str('Enter the following letters, "%s"' % (captcha), vld=[captcha, captcha.upper()], blk=False) | [
"def",
"ask_captcha",
"(",
"length",
"=",
"4",
")",
":",
"captcha",
"=",
"\"\"",
".",
"join",
"(",
"random",
".",
"choice",
"(",
"string",
".",
"ascii_lowercase",
")",
"for",
"_",
"in",
"range",
"(",
"length",
")",
")",
"ask_str",
"(",
"'Enter the foll... | Prompts the user for a random string. | [
"Prompts",
"the",
"user",
"for",
"a",
"random",
"string",
"."
] | 1887c53656dfecac49e0650e0f912328801cbb83 | https://github.com/jeffrimko/Qprompt/blob/1887c53656dfecac49e0650e0f912328801cbb83/lib/qprompt.py#L549-L552 | train |
jeffrimko/Qprompt | lib/qprompt.py | clear | def clear():
"""Clears the console."""
if sys.platform.startswith("win"):
call("cls", shell=True)
else:
call("clear", shell=True) | python | def clear():
"""Clears the console."""
if sys.platform.startswith("win"):
call("cls", shell=True)
else:
call("clear", shell=True) | [
"def",
"clear",
"(",
")",
":",
"if",
"sys",
".",
"platform",
".",
"startswith",
"(",
"\"win\"",
")",
":",
"call",
"(",
"\"cls\"",
",",
"shell",
"=",
"True",
")",
"else",
":",
"call",
"(",
"\"clear\"",
",",
"shell",
"=",
"True",
")"
] | Clears the console. | [
"Clears",
"the",
"console",
"."
] | 1887c53656dfecac49e0650e0f912328801cbb83 | https://github.com/jeffrimko/Qprompt/blob/1887c53656dfecac49e0650e0f912328801cbb83/lib/qprompt.py#L558-L563 | train |
jeffrimko/Qprompt | lib/qprompt.py | status | def status(*args, **kwargs):
"""Prints a status message at the start and finish of an associated
function. Can be used as a function decorator or as a function that accepts
another function as the first parameter.
**Params**:
The following parameters are available when used as a decorator:
... | python | def status(*args, **kwargs):
"""Prints a status message at the start and finish of an associated
function. Can be used as a function decorator or as a function that accepts
another function as the first parameter.
**Params**:
The following parameters are available when used as a decorator:
... | [
"def",
"status",
"(",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"def",
"decor",
"(",
"func",
")",
":",
"@",
"wraps",
"(",
"func",
")",
"def",
"wrapper",
"(",
"*",
"args",
",",
"*",
"*",
"krgs",
")",
":",
"echo",
"(",
"\"[!] \"",
"+",
"m... | Prints a status message at the start and finish of an associated
function. Can be used as a function decorator or as a function that accepts
another function as the first parameter.
**Params**:
The following parameters are available when used as a decorator:
- msg (str) [args] - Message to prin... | [
"Prints",
"a",
"status",
"message",
"at",
"the",
"start",
"and",
"finish",
"of",
"an",
"associated",
"function",
".",
"Can",
"be",
"used",
"as",
"a",
"function",
"decorator",
"or",
"as",
"a",
"function",
"that",
"accepts",
"another",
"function",
"as",
"the... | 1887c53656dfecac49e0650e0f912328801cbb83 | https://github.com/jeffrimko/Qprompt/blob/1887c53656dfecac49e0650e0f912328801cbb83/lib/qprompt.py#L565-L616 | train |
jeffrimko/Qprompt | lib/qprompt.py | fatal | def fatal(msg, exitcode=1, **kwargs):
"""Prints a message then exits the program. Optionally pause before exit
with `pause=True` kwarg."""
# NOTE: Can't use normal arg named `pause` since function has same name.
pause_before_exit = kwargs.pop("pause") if "pause" in kwargs.keys() else False
echo("[FA... | python | def fatal(msg, exitcode=1, **kwargs):
"""Prints a message then exits the program. Optionally pause before exit
with `pause=True` kwarg."""
# NOTE: Can't use normal arg named `pause` since function has same name.
pause_before_exit = kwargs.pop("pause") if "pause" in kwargs.keys() else False
echo("[FA... | [
"def",
"fatal",
"(",
"msg",
",",
"exitcode",
"=",
"1",
",",
"*",
"*",
"kwargs",
")",
":",
"# NOTE: Can't use normal arg named `pause` since function has same name.",
"pause_before_exit",
"=",
"kwargs",
".",
"pop",
"(",
"\"pause\"",
")",
"if",
"\"pause\"",
"in",
"k... | Prints a message then exits the program. Optionally pause before exit
with `pause=True` kwarg. | [
"Prints",
"a",
"message",
"then",
"exits",
"the",
"program",
".",
"Optionally",
"pause",
"before",
"exit",
"with",
"pause",
"=",
"True",
"kwarg",
"."
] | 1887c53656dfecac49e0650e0f912328801cbb83 | https://github.com/jeffrimko/Qprompt/blob/1887c53656dfecac49e0650e0f912328801cbb83/lib/qprompt.py#L618-L626 | train |
jeffrimko/Qprompt | lib/qprompt.py | hrule | def hrule(width=None, char=None):
"""Outputs or returns a horizontal line of the given character and width.
Returns printed string."""
width = width or HRWIDTH
char = char or HRCHAR
return echo(getline(char, width)) | python | def hrule(width=None, char=None):
"""Outputs or returns a horizontal line of the given character and width.
Returns printed string."""
width = width or HRWIDTH
char = char or HRCHAR
return echo(getline(char, width)) | [
"def",
"hrule",
"(",
"width",
"=",
"None",
",",
"char",
"=",
"None",
")",
":",
"width",
"=",
"width",
"or",
"HRWIDTH",
"char",
"=",
"char",
"or",
"HRCHAR",
"return",
"echo",
"(",
"getline",
"(",
"char",
",",
"width",
")",
")"
] | Outputs or returns a horizontal line of the given character and width.
Returns printed string. | [
"Outputs",
"or",
"returns",
"a",
"horizontal",
"line",
"of",
"the",
"given",
"character",
"and",
"width",
".",
"Returns",
"printed",
"string",
"."
] | 1887c53656dfecac49e0650e0f912328801cbb83 | https://github.com/jeffrimko/Qprompt/blob/1887c53656dfecac49e0650e0f912328801cbb83/lib/qprompt.py#L644-L649 | train |
jeffrimko/Qprompt | lib/qprompt.py | title | def title(msg):
"""Sets the title of the console window."""
if sys.platform.startswith("win"):
ctypes.windll.kernel32.SetConsoleTitleW(tounicode(msg)) | python | def title(msg):
"""Sets the title of the console window."""
if sys.platform.startswith("win"):
ctypes.windll.kernel32.SetConsoleTitleW(tounicode(msg)) | [
"def",
"title",
"(",
"msg",
")",
":",
"if",
"sys",
".",
"platform",
".",
"startswith",
"(",
"\"win\"",
")",
":",
"ctypes",
".",
"windll",
".",
"kernel32",
".",
"SetConsoleTitleW",
"(",
"tounicode",
"(",
"msg",
")",
")"
] | Sets the title of the console window. | [
"Sets",
"the",
"title",
"of",
"the",
"console",
"window",
"."
] | 1887c53656dfecac49e0650e0f912328801cbb83 | https://github.com/jeffrimko/Qprompt/blob/1887c53656dfecac49e0650e0f912328801cbb83/lib/qprompt.py#L651-L654 | train |
jeffrimko/Qprompt | lib/qprompt.py | wrap | def wrap(item, args=None, krgs=None, **kwargs):
"""Wraps the given item content between horizontal lines. Item can be a
string or a function.
**Examples**:
::
qprompt.wrap("Hi, this will be wrapped.") # String item.
qprompt.wrap(myfunc, [arg1, arg2], {'krgk': krgv}) # Func item.
"... | python | def wrap(item, args=None, krgs=None, **kwargs):
"""Wraps the given item content between horizontal lines. Item can be a
string or a function.
**Examples**:
::
qprompt.wrap("Hi, this will be wrapped.") # String item.
qprompt.wrap(myfunc, [arg1, arg2], {'krgk': krgv}) # Func item.
"... | [
"def",
"wrap",
"(",
"item",
",",
"args",
"=",
"None",
",",
"krgs",
"=",
"None",
",",
"*",
"*",
"kwargs",
")",
":",
"with",
"Wrap",
"(",
"*",
"*",
"kwargs",
")",
":",
"if",
"callable",
"(",
"item",
")",
":",
"args",
"=",
"args",
"or",
"[",
"]"... | Wraps the given item content between horizontal lines. Item can be a
string or a function.
**Examples**:
::
qprompt.wrap("Hi, this will be wrapped.") # String item.
qprompt.wrap(myfunc, [arg1, arg2], {'krgk': krgv}) # Func item. | [
"Wraps",
"the",
"given",
"item",
"content",
"between",
"horizontal",
"lines",
".",
"Item",
"can",
"be",
"a",
"string",
"or",
"a",
"function",
"."
] | 1887c53656dfecac49e0650e0f912328801cbb83 | https://github.com/jeffrimko/Qprompt/blob/1887c53656dfecac49e0650e0f912328801cbb83/lib/qprompt.py#L657-L672 | train |
jeffrimko/Qprompt | lib/qprompt.py | _guess_name | def _guess_name(desc, taken=None):
"""Attempts to guess the menu entry name from the function name."""
taken = taken or []
name = ""
# Try to find the shortest name based on the given description.
for word in desc.split():
c = word[0].lower()
if not c.isalnum():
continue
... | python | def _guess_name(desc, taken=None):
"""Attempts to guess the menu entry name from the function name."""
taken = taken or []
name = ""
# Try to find the shortest name based on the given description.
for word in desc.split():
c = word[0].lower()
if not c.isalnum():
continue
... | [
"def",
"_guess_name",
"(",
"desc",
",",
"taken",
"=",
"None",
")",
":",
"taken",
"=",
"taken",
"or",
"[",
"]",
"name",
"=",
"\"\"",
"# Try to find the shortest name based on the given description.",
"for",
"word",
"in",
"desc",
".",
"split",
"(",
")",
":",
"... | Attempts to guess the menu entry name from the function name. | [
"Attempts",
"to",
"guess",
"the",
"menu",
"entry",
"name",
"from",
"the",
"function",
"name",
"."
] | 1887c53656dfecac49e0650e0f912328801cbb83 | https://github.com/jeffrimko/Qprompt/blob/1887c53656dfecac49e0650e0f912328801cbb83/lib/qprompt.py#L674-L691 | train |
jeffrimko/Qprompt | lib/qprompt.py | Menu.add | def add(self, name, desc, func=None, args=None, krgs=None):
"""Add a menu entry."""
self.entries.append(MenuEntry(name, desc, func, args or [], krgs or {})) | python | def add(self, name, desc, func=None, args=None, krgs=None):
"""Add a menu entry."""
self.entries.append(MenuEntry(name, desc, func, args or [], krgs or {})) | [
"def",
"add",
"(",
"self",
",",
"name",
",",
"desc",
",",
"func",
"=",
"None",
",",
"args",
"=",
"None",
",",
"krgs",
"=",
"None",
")",
":",
"self",
".",
"entries",
".",
"append",
"(",
"MenuEntry",
"(",
"name",
",",
"desc",
",",
"func",
",",
"a... | Add a menu entry. | [
"Add",
"a",
"menu",
"entry",
"."
] | 1887c53656dfecac49e0650e0f912328801cbb83 | https://github.com/jeffrimko/Qprompt/blob/1887c53656dfecac49e0650e0f912328801cbb83/lib/qprompt.py#L141-L143 | train |
jeffrimko/Qprompt | lib/qprompt.py | Menu.enum | def enum(self, desc, func=None, args=None, krgs=None):
"""Add a menu entry whose name will be an auto indexed number."""
name = str(len(self.entries)+1)
self.entries.append(MenuEntry(name, desc, func, args or [], krgs or {})) | python | def enum(self, desc, func=None, args=None, krgs=None):
"""Add a menu entry whose name will be an auto indexed number."""
name = str(len(self.entries)+1)
self.entries.append(MenuEntry(name, desc, func, args or [], krgs or {})) | [
"def",
"enum",
"(",
"self",
",",
"desc",
",",
"func",
"=",
"None",
",",
"args",
"=",
"None",
",",
"krgs",
"=",
"None",
")",
":",
"name",
"=",
"str",
"(",
"len",
"(",
"self",
".",
"entries",
")",
"+",
"1",
")",
"self",
".",
"entries",
".",
"ap... | Add a menu entry whose name will be an auto indexed number. | [
"Add",
"a",
"menu",
"entry",
"whose",
"name",
"will",
"be",
"an",
"auto",
"indexed",
"number",
"."
] | 1887c53656dfecac49e0650e0f912328801cbb83 | https://github.com/jeffrimko/Qprompt/blob/1887c53656dfecac49e0650e0f912328801cbb83/lib/qprompt.py#L144-L147 | train |
jeffrimko/Qprompt | lib/qprompt.py | Menu.show | def show(self, **kwargs):
"""Shows the menu. Any `kwargs` supplied will be passed to
`show_menu()`."""
show_kwargs = copy.deepcopy(self._show_kwargs)
show_kwargs.update(kwargs)
return show_menu(self.entries, **show_kwargs) | python | def show(self, **kwargs):
"""Shows the menu. Any `kwargs` supplied will be passed to
`show_menu()`."""
show_kwargs = copy.deepcopy(self._show_kwargs)
show_kwargs.update(kwargs)
return show_menu(self.entries, **show_kwargs) | [
"def",
"show",
"(",
"self",
",",
"*",
"*",
"kwargs",
")",
":",
"show_kwargs",
"=",
"copy",
".",
"deepcopy",
"(",
"self",
".",
"_show_kwargs",
")",
"show_kwargs",
".",
"update",
"(",
"kwargs",
")",
"return",
"show_menu",
"(",
"self",
".",
"entries",
","... | Shows the menu. Any `kwargs` supplied will be passed to
`show_menu()`. | [
"Shows",
"the",
"menu",
".",
"Any",
"kwargs",
"supplied",
"will",
"be",
"passed",
"to",
"show_menu",
"()",
"."
] | 1887c53656dfecac49e0650e0f912328801cbb83 | https://github.com/jeffrimko/Qprompt/blob/1887c53656dfecac49e0650e0f912328801cbb83/lib/qprompt.py#L148-L153 | train |
jeffrimko/Qprompt | lib/qprompt.py | Menu.run | def run(self, name):
"""Runs the function associated with the given entry `name`."""
for entry in self.entries:
if entry.name == name:
run_func(entry)
break | python | def run(self, name):
"""Runs the function associated with the given entry `name`."""
for entry in self.entries:
if entry.name == name:
run_func(entry)
break | [
"def",
"run",
"(",
"self",
",",
"name",
")",
":",
"for",
"entry",
"in",
"self",
".",
"entries",
":",
"if",
"entry",
".",
"name",
"==",
"name",
":",
"run_func",
"(",
"entry",
")",
"break"
] | Runs the function associated with the given entry `name`. | [
"Runs",
"the",
"function",
"associated",
"with",
"the",
"given",
"entry",
"name",
"."
] | 1887c53656dfecac49e0650e0f912328801cbb83 | https://github.com/jeffrimko/Qprompt/blob/1887c53656dfecac49e0650e0f912328801cbb83/lib/qprompt.py#L154-L159 | train |
jeffrimko/Qprompt | lib/qprompt.py | Menu.main | def main(self, auto=None, loop=False, quit=("q", "Quit"), **kwargs):
"""Runs the standard menu main logic. Any `kwargs` supplied will be
pass to `Menu.show()`. If `argv` is provided to the script, it will be
used as the `auto` parameter.
**Params**:
- auto ([str]) - If provide... | python | def main(self, auto=None, loop=False, quit=("q", "Quit"), **kwargs):
"""Runs the standard menu main logic. Any `kwargs` supplied will be
pass to `Menu.show()`. If `argv` is provided to the script, it will be
used as the `auto` parameter.
**Params**:
- auto ([str]) - If provide... | [
"def",
"main",
"(",
"self",
",",
"auto",
"=",
"None",
",",
"loop",
"=",
"False",
",",
"quit",
"=",
"(",
"\"q\"",
",",
"\"Quit\"",
")",
",",
"*",
"*",
"kwargs",
")",
":",
"def",
"_main",
"(",
")",
":",
"global",
"_AUTO",
"if",
"quit",
":",
"if",... | Runs the standard menu main logic. Any `kwargs` supplied will be
pass to `Menu.show()`. If `argv` is provided to the script, it will be
used as the `auto` parameter.
**Params**:
- auto ([str]) - If provided, the list of strings with be used as
input for the menu prompts.
... | [
"Runs",
"the",
"standard",
"menu",
"main",
"logic",
".",
"Any",
"kwargs",
"supplied",
"will",
"be",
"pass",
"to",
"Menu",
".",
"show",
"()",
".",
"If",
"argv",
"is",
"provided",
"to",
"the",
"script",
"it",
"will",
"be",
"used",
"as",
"the",
"auto",
... | 1887c53656dfecac49e0650e0f912328801cbb83 | https://github.com/jeffrimko/Qprompt/blob/1887c53656dfecac49e0650e0f912328801cbb83/lib/qprompt.py#L160-L199 | train |
ucsb-cs-education/hairball | hairball/plugins/initialization.py | partition_scripts | def partition_scripts(scripts, start_type1, start_type2):
"""Return two lists of scripts out of the original `scripts` list.
Scripts that begin with a `start_type1` or `start_type2` blocks
are returned first. All other scripts are returned second.
"""
match, other = [], []
for script in scrip... | python | def partition_scripts(scripts, start_type1, start_type2):
"""Return two lists of scripts out of the original `scripts` list.
Scripts that begin with a `start_type1` or `start_type2` blocks
are returned first. All other scripts are returned second.
"""
match, other = [], []
for script in scrip... | [
"def",
"partition_scripts",
"(",
"scripts",
",",
"start_type1",
",",
"start_type2",
")",
":",
"match",
",",
"other",
"=",
"[",
"]",
",",
"[",
"]",
"for",
"script",
"in",
"scripts",
":",
"if",
"(",
"HairballPlugin",
".",
"script_start_type",
"(",
"script",
... | Return two lists of scripts out of the original `scripts` list.
Scripts that begin with a `start_type1` or `start_type2` blocks
are returned first. All other scripts are returned second. | [
"Return",
"two",
"lists",
"of",
"scripts",
"out",
"of",
"the",
"original",
"scripts",
"list",
"."
] | c6da8971f8a34e88ce401d36b51431715e1dff5b | https://github.com/ucsb-cs-education/hairball/blob/c6da8971f8a34e88ce401d36b51431715e1dff5b/hairball/plugins/initialization.py#L7-L21 | train |
ucsb-cs-education/hairball | hairball/plugins/initialization.py | AttributeInitialization.attribute_result | def attribute_result(cls, sprites):
"""Return mapping of attributes to if they were initialized or not."""
retval = dict((x, True) for x in cls.ATTRIBUTES)
for properties in sprites.values():
for attribute, state in properties.items():
retval[attribute] &= state != cl... | python | def attribute_result(cls, sprites):
"""Return mapping of attributes to if they were initialized or not."""
retval = dict((x, True) for x in cls.ATTRIBUTES)
for properties in sprites.values():
for attribute, state in properties.items():
retval[attribute] &= state != cl... | [
"def",
"attribute_result",
"(",
"cls",
",",
"sprites",
")",
":",
"retval",
"=",
"dict",
"(",
"(",
"x",
",",
"True",
")",
"for",
"x",
"in",
"cls",
".",
"ATTRIBUTES",
")",
"for",
"properties",
"in",
"sprites",
".",
"values",
"(",
")",
":",
"for",
"at... | Return mapping of attributes to if they were initialized or not. | [
"Return",
"mapping",
"of",
"attributes",
"to",
"if",
"they",
"were",
"initialized",
"or",
"not",
"."
] | c6da8971f8a34e88ce401d36b51431715e1dff5b | https://github.com/ucsb-cs-education/hairball/blob/c6da8971f8a34e88ce401d36b51431715e1dff5b/hairball/plugins/initialization.py#L36-L42 | train |
ucsb-cs-education/hairball | hairball/plugins/initialization.py | AttributeInitialization.attribute_state | def attribute_state(cls, scripts, attribute):
"""Return the state of the scripts for the given attribute.
If there is more than one 'when green flag clicked' script and they
both modify the attribute, then the attribute is considered to not be
initialized.
"""
green_fla... | python | def attribute_state(cls, scripts, attribute):
"""Return the state of the scripts for the given attribute.
If there is more than one 'when green flag clicked' script and they
both modify the attribute, then the attribute is considered to not be
initialized.
"""
green_fla... | [
"def",
"attribute_state",
"(",
"cls",
",",
"scripts",
",",
"attribute",
")",
":",
"green_flag",
",",
"other",
"=",
"partition_scripts",
"(",
"scripts",
",",
"cls",
".",
"HAT_GREEN_FLAG",
",",
"cls",
".",
"HAT_CLONE",
")",
"block_set",
"=",
"cls",
".",
"BLO... | Return the state of the scripts for the given attribute.
If there is more than one 'when green flag clicked' script and they
both modify the attribute, then the attribute is considered to not be
initialized. | [
"Return",
"the",
"state",
"of",
"the",
"scripts",
"for",
"the",
"given",
"attribute",
"."
] | c6da8971f8a34e88ce401d36b51431715e1dff5b | https://github.com/ucsb-cs-education/hairball/blob/c6da8971f8a34e88ce401d36b51431715e1dff5b/hairball/plugins/initialization.py#L45-L86 | train |
ucsb-cs-education/hairball | hairball/plugins/initialization.py | AttributeInitialization.output_results | def output_results(cls, sprites):
"""Output whether or not each attribute was correctly initialized.
Attributes that were not modified at all are considered to be properly
initialized.
"""
print(' '.join(cls.ATTRIBUTES))
format_strs = ['{{{}!s:^{}}}'.format(x, len(x)) f... | python | def output_results(cls, sprites):
"""Output whether or not each attribute was correctly initialized.
Attributes that were not modified at all are considered to be properly
initialized.
"""
print(' '.join(cls.ATTRIBUTES))
format_strs = ['{{{}!s:^{}}}'.format(x, len(x)) f... | [
"def",
"output_results",
"(",
"cls",
",",
"sprites",
")",
":",
"print",
"(",
"' '",
".",
"join",
"(",
"cls",
".",
"ATTRIBUTES",
")",
")",
"format_strs",
"=",
"[",
"'{{{}!s:^{}}}'",
".",
"format",
"(",
"x",
",",
"len",
"(",
"x",
")",
")",
"for",
"x"... | Output whether or not each attribute was correctly initialized.
Attributes that were not modified at all are considered to be properly
initialized. | [
"Output",
"whether",
"or",
"not",
"each",
"attribute",
"was",
"correctly",
"initialized",
"."
] | c6da8971f8a34e88ce401d36b51431715e1dff5b | https://github.com/ucsb-cs-education/hairball/blob/c6da8971f8a34e88ce401d36b51431715e1dff5b/hairball/plugins/initialization.py#L89-L99 | train |
ucsb-cs-education/hairball | hairball/plugins/initialization.py | AttributeInitialization.sprite_changes | def sprite_changes(cls, sprite):
"""Return a mapping of attributes to their initilization state."""
retval = dict((x, cls.attribute_state(sprite.scripts, x)) for x in
(x for x in cls.ATTRIBUTES if x != 'background'))
return retval | python | def sprite_changes(cls, sprite):
"""Return a mapping of attributes to their initilization state."""
retval = dict((x, cls.attribute_state(sprite.scripts, x)) for x in
(x for x in cls.ATTRIBUTES if x != 'background'))
return retval | [
"def",
"sprite_changes",
"(",
"cls",
",",
"sprite",
")",
":",
"retval",
"=",
"dict",
"(",
"(",
"x",
",",
"cls",
".",
"attribute_state",
"(",
"sprite",
".",
"scripts",
",",
"x",
")",
")",
"for",
"x",
"in",
"(",
"x",
"for",
"x",
"in",
"cls",
".",
... | Return a mapping of attributes to their initilization state. | [
"Return",
"a",
"mapping",
"of",
"attributes",
"to",
"their",
"initilization",
"state",
"."
] | c6da8971f8a34e88ce401d36b51431715e1dff5b | https://github.com/ucsb-cs-education/hairball/blob/c6da8971f8a34e88ce401d36b51431715e1dff5b/hairball/plugins/initialization.py#L102-L106 | train |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.