source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self) ->str: return '\n'.join([self.gen_classdef(k, v) for k, v in self.schema. classes.items() if not v.mixin])
gen_classdefs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->str:\n return '\\n'.join([self.gen_classdef(k, v) for k, v in self.schema.\n classes.items() if not v.mixin])\n", "role": "user" }, { "content": "gen_classdefs", "role": "assistant" } ]
def x(self, clsname: str, cls: ClassDefinition) ->str: parentref = ( f"({self.python_name_for(cls.is_a) if cls.is_a else 'YAMLRoot'})") slotdefs = self.gen_slot_variables(cls) postinits = self.gen_postinits(cls) if not slotdefs: slotdefs = 'pass' wrapped_description = ( f""" ""\" {wrapped_annotation(be(cls.description))} ""\"""" if be(cls.description) else '') return f""" @dataclass class {camelcase(clsname)}{parentref}:{wrapped_description} {slotdefs} {postinits}"""
gen_classdef
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, clsname: str, cls: ClassDefinition) ->str:\n parentref = (\n f\"({self.python_name_for(cls.is_a) if cls.is_a else 'YAMLRoot'})\")\n slotdefs = self.gen_slot_variables(cls)\n postinits = self.gen_postinits(cls)\n if not slotdefs:\n slotdefs = 'pass'\n wrapped_description = (\n f\"\"\"\n \"\"\\\"\n {wrapped_annotation(be(cls.description))}\n \"\"\\\"\"\"\"\n if be(cls.description) else '')\n return f\"\"\"\n@dataclass\nclass {camelcase(clsname)}{parentref}:{wrapped_description}\n {slotdefs}\n {postinits}\"\"\"\n", "role": "user" }, { "content": "gen_classdef", "role": "assistant" } ]
def x(self, cls: ClassDefinition) ->str: return '\n\t'.join([self.gen_slot_variable(cls, pk) for pk in self. primary_keys_for(cls)] + [self.gen_slot_variable(cls, slot) for slot in cls.slots if not self.schema.slots[slot].primary_key and not self.schema.slots[slot].identifier])
gen_slot_variables
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cls: ClassDefinition) ->str:\n return '\\n\\t'.join([self.gen_slot_variable(cls, pk) for pk in self.\n primary_keys_for(cls)] + [self.gen_slot_variable(cls, slot) for\n slot in cls.slots if not self.schema.slots[slot].primary_key and \n not self.schema.slots[slot].identifier])\n", "role": "user" }, { "content": "gen_slot_variables", "role": "assistant" } ]
def x(self, cls: ClassDefinition, slotname: str) ->str: slot = self.schema.slots[slotname] if slot.alias: slotname = slot.alias range_type = self.range_type_name(slot, cls.name) if (slot.inlined and slot.range in self.schema.classes and self. forward_reference(slot.range, cls.name)): range_type = f'"{range_type}"' slot_range, default_val = self.range_cardinality(range_type, slot, cls) default = f'= {default_val}' if default_val else '' return f'{underscore(slotname)}: {slot_range} {default}'
gen_slot_variable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cls: ClassDefinition, slotname: str) ->str:\n slot = self.schema.slots[slotname]\n if slot.alias:\n slotname = slot.alias\n range_type = self.range_type_name(slot, cls.name)\n if (slot.inlined and slot.range in self.schema.classes and self.\n forward_reference(slot.range, cls.name)):\n range_type = f'\"{range_type}\"'\n slot_range, default_val = self.range_cardinality(range_type, slot, cls)\n default = f'= {default_val}' if default_val else ''\n return f'{underscore(slotname)}: {slot_range} {default}'\n", "role": "user" }, { "content": "gen_slot_variable", "role": "assistant" } ]
def x(self, cls: ClassDefinition) ->str: post_inits = [] if not cls.abstract: pkeys = self.primary_keys_for(cls) for pkey in pkeys: post_inits.append(self.gen_postinit(cls, pkey)) for slotname in cls.slots: slot = self.schema.slots[slotname] if not (slot.primary_key or slot.identifier): post_inits.append(self.gen_postinit(cls, slotname)) post_inits_line = '\n\t\t'.join([p for p in post_inits if p]) return ( f""" def _fix_elements(self): super()._fix_elements() {post_inits_line}""" + '\n' if post_inits_line else '')
gen_postinits
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cls: ClassDefinition) ->str:\n post_inits = []\n if not cls.abstract:\n pkeys = self.primary_keys_for(cls)\n for pkey in pkeys:\n post_inits.append(self.gen_postinit(cls, pkey))\n for slotname in cls.slots:\n slot = self.schema.slots[slotname]\n if not (slot.primary_key or slot.identifier):\n post_inits.append(self.gen_postinit(cls, slotname))\n post_inits_line = '\\n\\t\\t'.join([p for p in post_inits if p])\n return (\n f\"\"\"\n def _fix_elements(self):\n super()._fix_elements()\n {post_inits_line}\"\"\"\n + '\\n' if post_inits_line else '')\n", "role": "user" }, { "content": "gen_postinits", "role": "assistant" } ]
def x(self, cls: ClassDefinition, slotname: str) ->Optional[str]: rlines: List[str] = [] slot = self.schema.slots[slotname] if slot.alias: slotname = slot.alias slotname = self.python_name_for(slotname) range_type_name = self.range_type_name(slot, cls.name) if slot.primary_key or slot.identifier or slot.required: if cls.is_a: rlines.append(f'if self.{slotname} is None:') rlines.append(f'\traise ValueError(f"{slotname} must be supplied")' ) rlines.append( f'if not isinstance(self.{slotname}, {range_type_name}):') rlines.append( f'\tself.{slotname} = {range_type_name}(self.{slotname})') elif slot.range in self.schema.classes or slot.range in self.schema.types: if not slot.multivalued: rlines.append( f'if self.{slotname} and not isinstance(self.{slotname}, {range_type_name}):' ) if slot.range in self.schema.classes and not self.all_slots_for( self.schema.classes[slot.range]): rlines.append(f'\tself.{slotname} = {range_type_name}()') else: rlines.append( f'\tself.{slotname} = {range_type_name}(self.{slotname})') elif slot.inlined: slot_range_cls = self.schema.classes[slot.range] pkeys = self.primary_keys_for(slot_range_cls) if pkeys: if len(self.all_slots_for(slot_range_cls)) - len(pkeys) == 1: class_init = '(k, v)' else: pkey_name = self.python_name_for(pkeys[0]) class_init = ( f'({pkey_name}=k, **({{}} if v is None else v))') rlines.append(f'for k, v in self.{slotname}.items():') rlines.append(f'\tif not isinstance(v, {range_type_name}):') rlines.append( f'\t\tself.{slotname}[k] = {range_type_name}{class_init}') else: rlines.append( f'self.{slotname} = [v if isinstance(v, {range_type_name})') indent = len(f'self.{slotname} = [') * ' ' rlines.append( f'{indent}else {range_type_name}(v) for v in self.{slotname}]') return '\n\t\t'.join(rlines)
gen_postinit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cls: ClassDefinition, slotname: str) ->Optional[str]:\n rlines: List[str] = []\n slot = self.schema.slots[slotname]\n if slot.alias:\n slotname = slot.alias\n slotname = self.python_name_for(slotname)\n range_type_name = self.range_type_name(slot, cls.name)\n if slot.primary_key or slot.identifier or slot.required:\n if cls.is_a:\n rlines.append(f'if self.{slotname} is None:')\n rlines.append(f'\\traise ValueError(f\"{slotname} must be supplied\")'\n )\n rlines.append(\n f'if not isinstance(self.{slotname}, {range_type_name}):')\n rlines.append(\n f'\\tself.{slotname} = {range_type_name}(self.{slotname})')\n elif slot.range in self.schema.classes or slot.range in self.schema.types:\n if not slot.multivalued:\n rlines.append(\n f'if self.{slotname} and not isinstance(self.{slotname}, {range_type_name}):'\n )\n if slot.range in self.schema.classes and not self.all_slots_for(\n self.schema.classes[slot.range]):\n rlines.append(f'\\tself.{slotname} = {range_type_name}()')\n else:\n rlines.append(\n f'\\tself.{slotname} = {range_type_name}(self.{slotname})')\n elif slot.inlined:\n slot_range_cls = self.schema.classes[slot.range]\n pkeys = self.primary_keys_for(slot_range_cls)\n if pkeys:\n if len(self.all_slots_for(slot_range_cls)) - len(pkeys) == 1:\n class_init = '(k, v)'\n else:\n pkey_name = self.python_name_for(pkeys[0])\n class_init = (\n f'({pkey_name}=k, **({{}} if v is None else v))')\n rlines.append(f'for k, v in self.{slotname}.items():')\n rlines.append(f'\\tif not isinstance(v, {range_type_name}):')\n rlines.append(\n f'\\t\\tself.{slotname}[k] = {range_type_name}{class_init}')\n else:\n rlines.append(\n f'self.{slotname} = [v if isinstance(v, {range_type_name})')\n indent = len(f'self.{slotname} = [') * ' '\n rlines.append(\n f'{indent}else {range_type_name}(v) for v in self.{slotname}]')\n return '\\n\\t\\t'.join(rlines)\n", "role": "user" }, { "content": "gen_postinit", "role": "assistant" } ]
def x(self, cls: ClassDefinition) ->List[SlotDefinitionName]: return [slot_name for slot_name in self.all_slots_for(cls) if self. schema.slots[slot_name].primary_key or self.schema.slots[slot_name] .identifier]
primary_keys_for
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cls: ClassDefinition) ->List[SlotDefinitionName]:\n return [slot_name for slot_name in self.all_slots_for(cls) if self.\n schema.slots[slot_name].primary_key or self.schema.slots[slot_name]\n .identifier]\n", "role": "user" }, { "content": "primary_keys_for", "role": "assistant" } ]
def x(self, cls: ClassDefinition) ->List[SlotDefinitionName]: if not cls.is_a: return cls.slots else: return [sn for sn in self.all_slots_for(self.schema.classes[cls. is_a]) if sn not in cls.slot_usage] + cls.slots
all_slots_for
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cls: ClassDefinition) ->List[SlotDefinitionName]:\n if not cls.is_a:\n return cls.slots\n else:\n return [sn for sn in self.all_slots_for(self.schema.classes[cls.\n is_a]) if sn not in cls.slot_usage] + cls.slots\n", "role": "user" }, { "content": "all_slots_for", "role": "assistant" } ]
def x(self, slot: SlotDefinition, containing_class_name: ClassDefinitionName ) ->str: if slot.primary_key or slot.identifier: return self.python_name_for(containing_class_name) + camelcase(slot .name) if slot.range in self.schema.classes and not slot.inlined: class_key = self.key_name_for(cast(ClassDefinitionName, slot.range)) if class_key: return class_key return self.python_name_for(slot.range)
range_type_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, slot: SlotDefinition, containing_class_name: ClassDefinitionName\n ) ->str:\n if slot.primary_key or slot.identifier:\n return self.python_name_for(containing_class_name) + camelcase(slot\n .name)\n if slot.range in self.schema.classes and not slot.inlined:\n class_key = self.key_name_for(cast(ClassDefinitionName, slot.range))\n if class_key:\n return class_key\n return self.python_name_for(slot.range)\n", "role": "user" }, { "content": "range_type_name", "role": "assistant" } ]
def x(self, slot_range: str, owning_class: str) ->bool: for cname in self.schema.classes: if cname == owning_class: return True elif cname == slot_range: return False return True
forward_reference
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, slot_range: str, owning_class: str) ->bool:\n for cname in self.schema.classes:\n if cname == owning_class:\n return True\n elif cname == slot_range:\n return False\n return True\n", "role": "user" }, { "content": "forward_reference", "role": "assistant" } ]
def x(self) ->SchemaDefinition: if not isinstance(self.schema.slots, dict): raise ValueError( f'File: {self.schema.source_file} Slots are not a dictionary') if not isinstance(self.schema.classes, dict): raise ValueError( f'File: {self.schema.source_file} Classes are not a dictionary') for sname in self.schema.imports: if sname not in self.loaded: self.loaded.add(sname) merge_schemas(self.schema, load_raw_schema(sname + '.yaml', base_dir=self.base_dir)) for slot in self.schema.slots.values(): if (slot.domain in self.schema.classes and slot.name not in self. schema.classes[slot.domain].slots): self.schema.classes[slot.domain].slots.append(slot.name) for cls in self.schema.classes.values(): if not isinstance(cls, ClassDefinition): raise ValueError( f'File: {self.schema.source_file} Class "{cls} (type: {type(cls)})" definition is peculiar' ) if isinstance(cls.slots, str): print( f'File: {self.schema.source_file} Class: {cls.name} Slots are not an array' , file=sys.stderr) cls.slots = [cls.slots] for slotname in cls.slots: if slotname in self.schema.slots: if self.schema.slots[slotname].domain is None: self.schema.slots[slotname].domain = cls.name for cls in self.schema.classes.values(): if cls.apply_to in self.schema.classes: self.schema.classes[cls.apply_to].mixins.append(cls.name) for cls in self.schema.classes.values(): for slot_name, slot_usage in cls.slot_usage.items(): parent_slot = self.slot_definition_for(slot_name, cls) if not parent_slot and slot_name in self.schema.slots: parent_slot = self.schema.slots[slot_name] child_name = SlotDefinitionName(cls.name + ' ' + slot_name ) if parent_slot else slot_name new_slot = SlotDefinition(name=child_name, alias=slot_name, domain=cls.name) merge_slots(new_slot, slot_usage) if parent_slot is not None: new_slot.is_a = parent_slot.name merge_slots(new_slot, parent_slot) merge_slots(new_slot, slot_usage) self.schema.slots[child_name] = new_slot append = True for i, s in enumerate(cls.slots): if s == slot_name: cls.slots[i] = SlotDefinitionName(child_name) append = False break if append: cls.slots.append(SlotDefinitionName(child_name)) merged_slots: List[SlotDefinition] = [] for slot in self.schema.slots.values(): self.merge_slot(slot, merged_slots) for slot in self.schema.slots.values(): if not slot.range: slot.range = 'string' return self.schema
resolve
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->SchemaDefinition:\n if not isinstance(self.schema.slots, dict):\n raise ValueError(\n f'File: {self.schema.source_file} Slots are not a dictionary')\n if not isinstance(self.schema.classes, dict):\n raise ValueError(\n f'File: {self.schema.source_file} Classes are not a dictionary')\n for sname in self.schema.imports:\n if sname not in self.loaded:\n self.loaded.add(sname)\n merge_schemas(self.schema, load_raw_schema(sname + '.yaml',\n base_dir=self.base_dir))\n for slot in self.schema.slots.values():\n if (slot.domain in self.schema.classes and slot.name not in self.\n schema.classes[slot.domain].slots):\n self.schema.classes[slot.domain].slots.append(slot.name)\n for cls in self.schema.classes.values():\n if not isinstance(cls, ClassDefinition):\n raise ValueError(\n f'File: {self.schema.source_file} Class \"{cls} (type: {type(cls)})\" definition is peculiar'\n )\n if isinstance(cls.slots, str):\n print(\n f'File: {self.schema.source_file} Class: {cls.name} Slots are not an array'\n , file=sys.stderr)\n cls.slots = [cls.slots]\n for slotname in cls.slots:\n if slotname in self.schema.slots:\n if self.schema.slots[slotname].domain is None:\n self.schema.slots[slotname].domain = cls.name\n for cls in self.schema.classes.values():\n if cls.apply_to in self.schema.classes:\n self.schema.classes[cls.apply_to].mixins.append(cls.name)\n for cls in self.schema.classes.values():\n for slot_name, slot_usage in cls.slot_usage.items():\n parent_slot = self.slot_definition_for(slot_name, cls)\n if not parent_slot and slot_name in self.schema.slots:\n parent_slot = self.schema.slots[slot_name]\n child_name = SlotDefinitionName(cls.name + ' ' + slot_name\n ) if parent_slot else slot_name\n new_slot = SlotDefinition(name=child_name, alias=slot_name,\n domain=cls.name)\n merge_slots(new_slot, slot_usage)\n if parent_slot is not None:\n new_slot.is_a = parent_slot.name\n merge_slots(new_slot, parent_slot)\n merge_slots(new_slot, slot_usage)\n self.schema.slots[child_name] = new_slot\n append = True\n for i, s in enumerate(cls.slots):\n if s == slot_name:\n cls.slots[i] = SlotDefinitionName(child_name)\n append = False\n break\n if append:\n cls.slots.append(SlotDefinitionName(child_name))\n merged_slots: List[SlotDefinition] = []\n for slot in self.schema.slots.values():\n self.merge_slot(slot, merged_slots)\n for slot in self.schema.slots.values():\n if not slot.range:\n slot.range = 'string'\n return self.schema\n", "role": "user" }, { "content": "resolve", "role": "assistant" } ]
def x(self, slotname: SlotDefinitionName, cls: ClassDefinition) ->Optional[ SlotDefinition]: if cls.is_a: for sn in self.schema.classes[cls.is_a].slots: slot = self.schema.slots[sn] if slot.alias and slotname == slot.alias or slotname == slot.name: return slot for mixin in cls.mixins: for sn in self.schema.classes[mixin].slots: slot = self.schema.slots[sn] if slot.alias and slotname == slot.alias or slotname == slot.name: return slot if cls.is_a: defn = self.slot_definition_for(slotname, self.schema.classes[cls.is_a] ) if defn: return defn for mixin in cls.mixins: defn = self.slot_definition_for(slotname, self.schema.classes[mixin]) if defn: return defn return None
slot_definition_for
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, slotname: SlotDefinitionName, cls: ClassDefinition) ->Optional[\n SlotDefinition]:\n if cls.is_a:\n for sn in self.schema.classes[cls.is_a].slots:\n slot = self.schema.slots[sn]\n if slot.alias and slotname == slot.alias or slotname == slot.name:\n return slot\n for mixin in cls.mixins:\n for sn in self.schema.classes[mixin].slots:\n slot = self.schema.slots[sn]\n if slot.alias and slotname == slot.alias or slotname == slot.name:\n return slot\n if cls.is_a:\n defn = self.slot_definition_for(slotname, self.schema.classes[cls.is_a]\n )\n if defn:\n return defn\n for mixin in cls.mixins:\n defn = self.slot_definition_for(slotname, self.schema.classes[mixin])\n if defn:\n return defn\n return None\n", "role": "user" }, { "content": "slot_definition_for", "role": "assistant" } ]
def x(yamlfile, format, classes, directory): print(YumlGenerator(yamlfile, format).serialize(classes=classes, directory=directory), end='')
cli
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(yamlfile, format, classes, directory):\n print(YumlGenerator(yamlfile, format).serialize(classes=classes,\n directory=directory), end='')\n", "role": "user" }, { "content": "cli", "role": "assistant" } ]
def x(self, cn: ClassDefinitionName) ->str: slot_defs: List[str] = [] if cn not in self.box_generated and (not self.focus_classes or cn in self.focus_classes): cls = self.schema.classes[cn] for slotname in self.filtered_cls_slots(cn, all_slots=True): slot = self.schema.slots[slotname] if (not slot.range or slot.range in builtin_names or slot.range in self.schema.types): mod = self.prop_modifier(cls, slot) slot_defs.append(underscore(self.aliased_slot_name(slot)) + mod + ':' + underscore(slot.range) + self.cardinality(slot) ) self.box_generated.add(cn) self.referenced.add(cn) return '[' + camelcase(cn) + ('|' + ';'.join(slot_defs) if slot_defs else '') + ']'
class_box
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cn: ClassDefinitionName) ->str:\n slot_defs: List[str] = []\n if cn not in self.box_generated and (not self.focus_classes or cn in\n self.focus_classes):\n cls = self.schema.classes[cn]\n for slotname in self.filtered_cls_slots(cn, all_slots=True):\n slot = self.schema.slots[slotname]\n if (not slot.range or slot.range in builtin_names or slot.range in\n self.schema.types):\n mod = self.prop_modifier(cls, slot)\n slot_defs.append(underscore(self.aliased_slot_name(slot)) +\n mod + ':' + underscore(slot.range) + self.cardinality(slot)\n )\n self.box_generated.add(cn)\n self.referenced.add(cn)\n return '[' + camelcase(cn) + ('|' + ';'.join(slot_defs) if slot_defs else\n '') + ']'\n", "role": "user" }, { "content": "class_box", "role": "assistant" } ]
def x(self, cn: ClassDefinitionName, must_render: bool=False) ->str: assocs: List[str] = [] if cn not in self.associations_generated and (not self.focus_classes or cn in self.focus_classes): cls = self.schema.classes[cn] for slotname in self.filtered_cls_slots(cn, False)[::-1]: slot = self.schema.slots[slotname] if slot.range in self.schema.classes: assocs.append(self.class_box(cn) + (yuml_inline if slot. inlined else yuml_ref) + self.aliased_slot_name(slot) + self.prop_modifier(cls, slot) + self.cardinality(slot) + '>' + self.class_box(slot.range)) if cn in self.synopsis.rangerefs: for slotname in sorted(self.synopsis.rangerefs[cn]): slot = self.schema.slots[slotname] if slot.domain in self.schema.classes and (slot.range != cls.name or must_render): assocs.append(self.class_box(slot.domain) + ( yuml_inline if slot.inlined else yuml_ref) + self. aliased_slot_name(slot) + self.prop_modifier(cls, slot) + self.cardinality(slot) + '>' + self. class_box(cn)) for mixin in cls.mixins: assocs.append(self.class_box(cn) + yuml_uses + self.class_box( mixin)) if cls.name in self.synopsis.mixinrefs: for mixin in sorted(self.synopsis.mixinrefs[cls.name].classrefs, reverse=True): assocs.append(self.class_box(ClassDefinitionName(mixin)) + yuml_uses + self.class_box(cn)) if cn in self.synopsis.applytos: for injector in sorted(self.synopsis.applytos[cn].classrefs, reverse=True): assocs.append(self.class_box(cn) + yuml_injected + self. class_box(ClassDefinitionName(injector))) self.associations_generated.add(cn) if cn in self.synopsis.isarefs: for is_a_cls in sorted(self.synopsis.isarefs[cn].classrefs, reverse=True): assocs.append(self.class_box(cn) + yuml_is_a + self. class_box(ClassDefinitionName(is_a_cls))) if cls.is_a: assocs.append(self.class_box(cls.is_a) + yuml_is_a + self. class_box(cn)) return ', '.join(assocs)
class_associations
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cn: ClassDefinitionName, must_render: bool=False) ->str:\n assocs: List[str] = []\n if cn not in self.associations_generated and (not self.focus_classes or\n cn in self.focus_classes):\n cls = self.schema.classes[cn]\n for slotname in self.filtered_cls_slots(cn, False)[::-1]:\n slot = self.schema.slots[slotname]\n if slot.range in self.schema.classes:\n assocs.append(self.class_box(cn) + (yuml_inline if slot.\n inlined else yuml_ref) + self.aliased_slot_name(slot) +\n self.prop_modifier(cls, slot) + self.cardinality(slot) +\n '>' + self.class_box(slot.range))\n if cn in self.synopsis.rangerefs:\n for slotname in sorted(self.synopsis.rangerefs[cn]):\n slot = self.schema.slots[slotname]\n if slot.domain in self.schema.classes and (slot.range !=\n cls.name or must_render):\n assocs.append(self.class_box(slot.domain) + (\n yuml_inline if slot.inlined else yuml_ref) + self.\n aliased_slot_name(slot) + self.prop_modifier(cls,\n slot) + self.cardinality(slot) + '>' + self.\n class_box(cn))\n for mixin in cls.mixins:\n assocs.append(self.class_box(cn) + yuml_uses + self.class_box(\n mixin))\n if cls.name in self.synopsis.mixinrefs:\n for mixin in sorted(self.synopsis.mixinrefs[cls.name].classrefs,\n reverse=True):\n assocs.append(self.class_box(ClassDefinitionName(mixin)) +\n yuml_uses + self.class_box(cn))\n if cn in self.synopsis.applytos:\n for injector in sorted(self.synopsis.applytos[cn].classrefs,\n reverse=True):\n assocs.append(self.class_box(cn) + yuml_injected + self.\n class_box(ClassDefinitionName(injector)))\n self.associations_generated.add(cn)\n if cn in self.synopsis.isarefs:\n for is_a_cls in sorted(self.synopsis.isarefs[cn].classrefs,\n reverse=True):\n assocs.append(self.class_box(cn) + yuml_is_a + self.\n class_box(ClassDefinitionName(is_a_cls)))\n if cls.is_a:\n assocs.append(self.class_box(cls.is_a) + yuml_is_a + self.\n class_box(cn))\n return ', '.join(assocs)\n", "role": "user" }, { "content": "class_associations", "role": "assistant" } ]
def x(self, cn: ClassDefinitionName, all_slots: bool=True) ->List[ SlotDefinitionName]: rval = [] cls = self.schema.classes[cn] cls_slots = self.all_slots(cls, cls_slots_first=True) for slot in cls_slots: if all_slots or slot.range in self.schema.classes: rval.append(slot.name) return rval
filtered_cls_slots
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cn: ClassDefinitionName, all_slots: bool=True) ->List[\n SlotDefinitionName]:\n rval = []\n cls = self.schema.classes[cn]\n cls_slots = self.all_slots(cls, cls_slots_first=True)\n for slot in cls_slots:\n if all_slots or slot.range in self.schema.classes:\n rval.append(slot.name)\n return rval\n", "role": "user" }, { "content": "filtered_cls_slots", "role": "assistant" } ]
def x(self, cls: ClassDefinition, slot: SlotDefinition) ->str: pk = '(pk)' if slot.primary_key else '' inherited = slot.name not in cls.slots mixin = inherited and slot.name in [mslot.name for mslot in [self. schema.classes[m] for m in cls.mixins]] injected = cls.name in self.synopsis.applytos and slot.name in [aslot. name for aslot in [self.schema.classes[a] for a in sorted(self. synopsis.applytos[cls.name].classrefs)]] return (pk + '(a)' if injected else '(m)' if mixin else '(i)' if inherited else '')
prop_modifier
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cls: ClassDefinition, slot: SlotDefinition) ->str:\n pk = '(pk)' if slot.primary_key else ''\n inherited = slot.name not in cls.slots\n mixin = inherited and slot.name in [mslot.name for mslot in [self.\n schema.classes[m] for m in cls.mixins]]\n injected = cls.name in self.synopsis.applytos and slot.name in [aslot.\n name for aslot in [self.schema.classes[a] for a in sorted(self.\n synopsis.applytos[cls.name].classrefs)]]\n return (pk + '(a)' if injected else '(m)' if mixin else '(i)' if\n inherited else '')\n", "role": "user" }, { "content": "prop_modifier", "role": "assistant" } ]
def x(yamlfile, format, output, collections): print(ShExGenerator(yamlfile, format).serialize(output=output, collections=collections))
cli
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(yamlfile, format, output, collections):\n print(ShExGenerator(yamlfile, format).serialize(output=output,\n collections=collections))\n", "role": "user" }, { "content": "cli", "role": "assistant" } ]
def x(self, target_name_base: str, target_type: IRIREF) ->IRIREF: list_shape_id = IRIREF(target_name_base + '__List') if list_shape_id not in self.list_shapes: list_shape = Shape(id=list_shape_id, closed=True) list_shape.expression = EachOf() expressions = [TripleConstraint(predicate=RDF.first, valueExpr= target_type, min=0, max=1)] targets = ShapeOr() targets.shapeExprs = [NodeConstraint(values=[RDF.nil]), list_shape_id] expressions.append(TripleConstraint(predicate=RDF.rest, valueExpr= targets)) list_shape.expression.expressions = expressions self.shapes.append(list_shape) self.list_shapes.append(list_shape_id) return list_shape_id
gen_multivalued_slot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, target_name_base: str, target_type: IRIREF) ->IRIREF:\n list_shape_id = IRIREF(target_name_base + '__List')\n if list_shape_id not in self.list_shapes:\n list_shape = Shape(id=list_shape_id, closed=True)\n list_shape.expression = EachOf()\n expressions = [TripleConstraint(predicate=RDF.first, valueExpr=\n target_type, min=0, max=1)]\n targets = ShapeOr()\n targets.shapeExprs = [NodeConstraint(values=[RDF.nil]), list_shape_id]\n expressions.append(TripleConstraint(predicate=RDF.rest, valueExpr=\n targets))\n list_shape.expression.expressions = expressions\n self.shapes.append(list_shape)\n self.list_shapes.append(list_shape_id)\n return list_shape_id\n", "role": "user" }, { "content": "gen_multivalued_slot", "role": "assistant" } ]
def x(self, ncname: str) ->None: if ncname not in self.prefixmap: uri = cu.expand_uri(ncname + ':', self.curi_maps) if uri and '://' in uri: self.prefixmap[ncname] = uri else: print(f'Unrecognized prefix: {ncname}', file=sys.stderr) self.prefixmap[ncname] = f'http://example.org/unknown/{ncname}/'
add_prefix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ncname: str) ->None:\n if ncname not in self.prefixmap:\n uri = cu.expand_uri(ncname + ':', self.curi_maps)\n if uri and '://' in uri:\n self.prefixmap[ncname] = uri\n else:\n print(f'Unrecognized prefix: {ncname}', file=sys.stderr)\n self.prefixmap[ncname] = f'http://example.org/unknown/{ncname}/'\n", "role": "user" }, { "content": "add_prefix", "role": "assistant" } ]
def x(self, ncname: str) ->Optional[str]: uri = cu.expand_uri(ncname + ':', self.curi_maps) return uri if uri and uri.startswith('http') else None
get_uri
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ncname: str) ->Optional[str]:\n uri = cu.expand_uri(ncname + ':', self.curi_maps)\n return uri if uri and uri.startswith('http') else None\n", "role": "user" }, { "content": "get_uri", "role": "assistant" } ]
def x(self, defn: Definition, target: Dict) ->None: self.add_id_prefixes(defn) for mapping in defn.mappings: if '://' in mapping: target['@id'] = mapping else: if ':' not in mapping or len(mapping.split(':')) != 2: raise ValueError( f'Definition {defn.name} = unrecognized mapping: {mapping}' ) ns = mapping.split(':')[0] self.add_prefix(ns) target['@id'] = defn.mappings[0]
add_mappings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, defn: Definition, target: Dict) ->None:\n self.add_id_prefixes(defn)\n for mapping in defn.mappings:\n if '://' in mapping:\n target['@id'] = mapping\n else:\n if ':' not in mapping or len(mapping.split(':')) != 2:\n raise ValueError(\n f'Definition {defn.name} = unrecognized mapping: {mapping}'\n )\n ns = mapping.split(':')[0]\n self.add_prefix(ns)\n target['@id'] = defn.mappings[0]\n", "role": "user" }, { "content": "add_mappings", "role": "assistant" } ]
def x(self, xdata, ydata=[], logScale=False, disp=True, **kwargs): if ydata: data = combineData(xdata, ydata, self.xlabel) else: data = combineData(range(len(xdata)), xdata, self.xlabel) if logScale: logScaleStr = 'true' else: logScaleStr = 'false' other = '' for option in kwargs: other += option + ': ' + kwargs[option] + ',\n' argDict = {'data': str(data), 'title': self.title, 'functionName': slugify(self.title), 'height': self.height, 'width': self.width, 'logScaleFlag': logScaleStr, 'ylabel': self.ylabel, 'plotType': 'LineChart', 'numFig': self.numFig, 'other': other} self.javascript = templateType(xdata) % argDict if disp: self.dispFile()
plot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, xdata, ydata=[], logScale=False, disp=True, **kwargs):\n if ydata:\n data = combineData(xdata, ydata, self.xlabel)\n else:\n data = combineData(range(len(xdata)), xdata, self.xlabel)\n if logScale:\n logScaleStr = 'true'\n else:\n logScaleStr = 'false'\n other = ''\n for option in kwargs:\n other += option + ': ' + kwargs[option] + ',\\n'\n argDict = {'data': str(data), 'title': self.title, 'functionName':\n slugify(self.title), 'height': self.height, 'width': self.width,\n 'logScaleFlag': logScaleStr, 'ylabel': self.ylabel, 'plotType':\n 'LineChart', 'numFig': self.numFig, 'other': other}\n self.javascript = templateType(xdata) % argDict\n if disp:\n self.dispFile()\n", "role": "user" }, { "content": "plot", "role": "assistant" } ]
def x(self, xdata, ydata, disp=True, **kwargs): data = combineData(xdata, ydata, self.xlabel) other = '' for option in kwargs: other += option + ': ' + kwargs[option] + ',\n' argDict = {'data': str(data), 'title': self.title, 'functionName': slugify(self.title), 'height': self.height, 'width': self.width, 'logScaleFlag': 'false', 'ylabel': self.ylabel, 'plotType': 'BarChart', 'numFig': self.numFig, 'other': other} self.javascript = templateType(xdata) % argDict if disp: self.dispFile()
bar
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, xdata, ydata, disp=True, **kwargs):\n data = combineData(xdata, ydata, self.xlabel)\n other = ''\n for option in kwargs:\n other += option + ': ' + kwargs[option] + ',\\n'\n argDict = {'data': str(data), 'title': self.title, 'functionName':\n slugify(self.title), 'height': self.height, 'width': self.width,\n 'logScaleFlag': 'false', 'ylabel': self.ylabel, 'plotType':\n 'BarChart', 'numFig': self.numFig, 'other': other}\n self.javascript = templateType(xdata) % argDict\n if disp:\n self.dispFile()\n", "role": "user" }, { "content": "bar", "role": "assistant" } ]
def x(self, xdata, disp=True, **kwargs): data = [self.xlabel] + xdata other = '' for option in kwargs: other += option + ': ' + kwargs[option] + ',\n' argDict = {'data': str(data), 'title': self.title, 'functionName': slugify(self.title), 'height': self.height, 'width': self.width, 'logScaleFlag': 'false', 'ylabel': self.ylabel, 'plotType': 'Histogram', 'numFig': self.numFig, 'other': other} self.javascript = (graphPgTemplateStart + graphPgTemplate_hist + graphPgTemplateEnd) % argDict if disp: self.dispFile()
hist
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, xdata, disp=True, **kwargs):\n data = [self.xlabel] + xdata\n other = ''\n for option in kwargs:\n other += option + ': ' + kwargs[option] + ',\\n'\n argDict = {'data': str(data), 'title': self.title, 'functionName':\n slugify(self.title), 'height': self.height, 'width': self.width,\n 'logScaleFlag': 'false', 'ylabel': self.ylabel, 'plotType':\n 'Histogram', 'numFig': self.numFig, 'other': other}\n self.javascript = (graphPgTemplateStart + graphPgTemplate_hist +\n graphPgTemplateEnd) % argDict\n if disp:\n self.dispFile()\n", "role": "user" }, { "content": "hist", "role": "assistant" } ]
def x(self, xdata, ydata=[], logScale=False): self.plot(xdata, ydata, logScale)
plot_nb
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, xdata, ydata=[], logScale=False):\n self.plot(xdata, ydata, logScale)\n", "role": "user" }, { "content": "plot_nb", "role": "assistant" } ]
def x(self, xdata, ydata=[], trendline=False): self.scatter(xdata, ydata, trendline)
scatter_nb
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, xdata, ydata=[], trendline=False):\n self.scatter(xdata, ydata, trendline)\n", "role": "user" }, { "content": "scatter_nb", "role": "assistant" } ]
def x(text): rv = {} m = META.match(text) while m: key = m.group(1) value = m.group(2) value = INDENTATION.sub('\n', value.strip()) rv[key] = value text = text[len(m.group(0)):] m = META.match(text) return rv, text
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text):\n rv = {}\n m = META.match(text)\n while m:\n key = m.group(1)\n value = m.group(2)\n value = INDENTATION.sub('\\n', value.strip())\n rv[key] = value\n text = text[len(m.group(0)):]\n m = META.match(text)\n return rv, text\n", "role": "user" }, { "content": "parse", "role": "assistant" } ]
def x(recursive, topdown=True, followlinks=False): if recursive: walk = partial(os.walk, topdown=topdown, followlinks=followlinks) else: def x(path, topdown=topdown, followlinks=followlinks): try: yield next(os.walk(path, topdown=topdown, followlinks= followlinks)) except NameError: yield os.walk(path, topdown=topdown, followlinks=followlinks ).next() return walk
get_dir_walker
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(recursive, topdown=True, followlinks=False):\n if recursive:\n walk = partial(os.walk, topdown=topdown, followlinks=followlinks)\n else:\n\n def x(path, topdown=topdown, followlinks=followlinks):\n try:\n yield next(os.walk(path, topdown=topdown, followlinks=\n followlinks))\n except NameError:\n yield os.walk(path, topdown=topdown, followlinks=followlinks\n ).next()\n return walk\n", "role": "user" }, { "content": "get_dir_walker", "role": "assistant" } ]
def x(dir_pathname, recursive=True, topdown=True, followlinks=False): walk_func = get_dir_walker(recursive, topdown, followlinks) for root, dirnames, filenames in walk_func(dir_pathname): yield root, dirnames, filenames
walk
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dir_pathname, recursive=True, topdown=True, followlinks=False):\n walk_func = get_dir_walker(recursive, topdown, followlinks)\n for root, dirnames, filenames in walk_func(dir_pathname):\n yield root, dirnames, filenames\n", "role": "user" }, { "content": "walk", "role": "assistant" } ]
def x(dir_pathname, recursive=True, topdown=True, followlinks=False): for root, dirnames, filenames in walk(dir_pathname, recursive, topdown, followlinks): for dirname in dirnames: yield absolute_path(os.path.join(root, dirname)) for filename in filenames: yield absolute_path(os.path.join(root, filename))
listdir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dir_pathname, recursive=True, topdown=True, followlinks=False):\n for root, dirnames, filenames in walk(dir_pathname, recursive, topdown,\n followlinks):\n for dirname in dirnames:\n yield absolute_path(os.path.join(root, dirname))\n for filename in filenames:\n yield absolute_path(os.path.join(root, filename))\n", "role": "user" }, { "content": "listdir", "role": "assistant" } ]
def x(dir_pathname, recursive=True, topdown=True, followlinks=False): for root, dirnames, filenames in walk(dir_pathname, recursive, topdown, followlinks): for dirname in dirnames: yield absolute_path(os.path.join(root, dirname))
list_directories
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dir_pathname, recursive=True, topdown=True, followlinks=False):\n for root, dirnames, filenames in walk(dir_pathname, recursive, topdown,\n followlinks):\n for dirname in dirnames:\n yield absolute_path(os.path.join(root, dirname))\n", "role": "user" }, { "content": "list_directories", "role": "assistant" } ]
def x(dir_pathname, recursive=True, topdown=True, followlinks=False): for root, dirnames, filenames in walk(dir_pathname, recursive, topdown, followlinks): for filename in filenames: yield absolute_path(os.path.join(root, filename))
list_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dir_pathname, recursive=True, topdown=True, followlinks=False):\n for root, dirnames, filenames in walk(dir_pathname, recursive, topdown,\n followlinks):\n for filename in filenames:\n yield absolute_path(os.path.join(root, filename))\n", "role": "user" }, { "content": "list_files", "role": "assistant" } ]
def x(pathname, patterns, case_sensitive=True): if case_sensitive: match_func = fnmatchcase pattern_transform_func = lambda w: w else: match_func = fnmatch pathname = pathname.lower() pattern_transform_func = _string_lower for pattern in set(patterns): pattern = pattern_transform_func(pattern) if match_func(pathname, pattern): return True return False
match_path_against
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pathname, patterns, case_sensitive=True):\n if case_sensitive:\n match_func = fnmatchcase\n pattern_transform_func = lambda w: w\n else:\n match_func = fnmatch\n pathname = pathname.lower()\n pattern_transform_func = _string_lower\n for pattern in set(patterns):\n pattern = pattern_transform_func(pattern)\n if match_func(pathname, pattern):\n return True\n return False\n", "role": "user" }, { "content": "match_path_against", "role": "assistant" } ]
def x(pathname, included_patterns, excluded_patterns, case_sensitive=True): if not case_sensitive: included_patterns = set(map(_string_lower, included_patterns)) excluded_patterns = set(map(_string_lower, excluded_patterns)) else: included_patterns = set(included_patterns) excluded_patterns = set(excluded_patterns) common_patterns = included_patterns & excluded_patterns if common_patterns: raise ValueError('conflicting patterns `%s` included and excluded' % common_patterns) return match_path_against(pathname, included_patterns, case_sensitive ) and not match_path_against(pathname, excluded_patterns, case_sensitive)
match_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pathname, included_patterns, excluded_patterns, case_sensitive=True):\n if not case_sensitive:\n included_patterns = set(map(_string_lower, included_patterns))\n excluded_patterns = set(map(_string_lower, excluded_patterns))\n else:\n included_patterns = set(included_patterns)\n excluded_patterns = set(excluded_patterns)\n common_patterns = included_patterns & excluded_patterns\n if common_patterns:\n raise ValueError('conflicting patterns `%s` included and excluded' %\n common_patterns)\n return match_path_against(pathname, included_patterns, case_sensitive\n ) and not match_path_against(pathname, excluded_patterns,\n case_sensitive)\n", "role": "user" }, { "content": "match_path", "role": "assistant" } ]
def x(pathname, included_patterns=None, excluded_patterns=None, case_sensitive=True): included = ['*'] if included_patterns is None else included_patterns excluded = [] if excluded_patterns is None else excluded_patterns return _match_path(pathname, included, excluded, case_sensitive)
match_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pathname, included_patterns=None, excluded_patterns=None,\n case_sensitive=True):\n included = ['*'] if included_patterns is None else included_patterns\n excluded = [] if excluded_patterns is None else excluded_patterns\n return _match_path(pathname, included, excluded, case_sensitive)\n", "role": "user" }, { "content": "match_path", "role": "assistant" } ]
def x(pathnames, included_patterns=None, excluded_patterns=None, case_sensitive=True): included = ['*'] if included_patterns is None else included_patterns excluded = [] if excluded_patterns is None else excluded_patterns for pathname in pathnames: if _match_path(pathname, included, excluded, case_sensitive): yield pathname
filter_paths
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pathnames, included_patterns=None, excluded_patterns=None,\n case_sensitive=True):\n included = ['*'] if included_patterns is None else included_patterns\n excluded = [] if excluded_patterns is None else excluded_patterns\n for pathname in pathnames:\n if _match_path(pathname, included, excluded, case_sensitive):\n yield pathname\n", "role": "user" }, { "content": "filter_paths", "role": "assistant" } ]
def x(pathnames, included_patterns=None, excluded_patterns=None, case_sensitive=True): included = ['*'] if included_patterns is None else included_patterns excluded = [] if excluded_patterns is None else excluded_patterns for pathname in pathnames: if _match_path(pathname, included, excluded, case_sensitive): return True return False
match_any_paths
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pathnames, included_patterns=None, excluded_patterns=None,\n case_sensitive=True):\n included = ['*'] if included_patterns is None else included_patterns\n excluded = [] if excluded_patterns is None else excluded_patterns\n for pathname in pathnames:\n if _match_path(pathname, included, excluded, case_sensitive):\n return True\n return False\n", "role": "user" }, { "content": "match_any_paths", "role": "assistant" } ]
def x(pathname, patterns): for pattern in patterns: if fnmatch(pathname, pattern): return True return False
match_patterns
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pathname, patterns):\n for pattern in patterns:\n if fnmatch(pathname, pattern):\n return True\n return False\n", "role": "user" }, { "content": "match_patterns", "role": "assistant" } ]
def x(pathnames, patterns=None, ignore_patterns=None): result = [] if patterns is None: patterns = ['*'] if ignore_patterns is None: ignore_patterns = [] for pathname in pathnames: if match_patterns(pathname, patterns) and not match_patterns(pathname, ignore_patterns): result.append(pathname) return result
filter_paths
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pathnames, patterns=None, ignore_patterns=None):\n result = []\n if patterns is None:\n patterns = ['*']\n if ignore_patterns is None:\n ignore_patterns = []\n for pathname in pathnames:\n if match_patterns(pathname, patterns) and not match_patterns(pathname,\n ignore_patterns):\n result.append(pathname)\n return result\n", "role": "user" }, { "content": "filter_paths", "role": "assistant" } ]
def x(sport, team): team_pattern = re.compile(team, re.IGNORECASE) supported_sports = ['baseball', 'football', 'hockey', 'basketball'] if sport not in supported_sports: raise errors.StatsNotFound(sport) elif sport == constants.FOOTBALL: sport = 'pro-football' base_url = 'https://www.{}-reference.com/teams/'.format(sport) table_id = 'active_franchises' if sport == 'hockey' else 'teams_active' links = SoupStrainer('table', {'id': table_id}) soup = BeautifulSoup(requests.get(base_url).content, 'html.parser', parse_only=links) team_info_raw = _get_team_info_raw(soup, base_url, team_pattern, team, sport) if sport == constants.BASEBALL: team_info = {'name': team_info_raw[0], 'record': team_info_raw[9], 'seasons': team_info_raw[6:7][0], 'playoff_app': team_info_raw[ 11], 'pennants': team_info_raw[13], 'champs': team_info_raw[15], 'leaders': ' '.join(team_info_raw[16:18])} return Team(team_info) elif sport == constants.BASKETBALL: team_info = {'name': team_info_raw[0], 'record': team_info_raw[11]. split(',')[0], 'seasons': team_info_raw[7].replace(';', ''), 'playoff_app': team_info_raw[14], 'champs': team_info_raw[17]} return Team(team_info) elif sport == 'pro-football': team_info = {'name': team_info_raw[0], 'seasons': team_info_raw[2]. split()[1], 'record': team_info_raw[4], 'playoff_record': team_info_raw[5].split()[2], 'super_bowls': team_info_raw[7], 'champs': team_info_raw[10], 'leaders': team_info_raw[11:17]} return Team(team_info) elif sport == constants.HOCKEY: team_info = {'name': team_info_raw[0], 'record': team_info_raw[9], 'points': team_info_raw[10][1:-1], 'seasons': team_info_raw[2]. split()[1], 'playoff_app': team_info_raw[3].split()[3], 'playoff_record': team_info_raw[7].split()[2], 'champs': team_info_raw[5], 'leaders': [team_info_raw[11:13], ' '.join( team_info_raw[13:15]), ' '.join(team_info_raw[15:17])]} return Team(team_info)
get_team
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sport, team):\n team_pattern = re.compile(team, re.IGNORECASE)\n supported_sports = ['baseball', 'football', 'hockey', 'basketball']\n if sport not in supported_sports:\n raise errors.StatsNotFound(sport)\n elif sport == constants.FOOTBALL:\n sport = 'pro-football'\n base_url = 'https://www.{}-reference.com/teams/'.format(sport)\n table_id = 'active_franchises' if sport == 'hockey' else 'teams_active'\n links = SoupStrainer('table', {'id': table_id})\n soup = BeautifulSoup(requests.get(base_url).content, 'html.parser',\n parse_only=links)\n team_info_raw = _get_team_info_raw(soup, base_url, team_pattern, team,\n sport)\n if sport == constants.BASEBALL:\n team_info = {'name': team_info_raw[0], 'record': team_info_raw[9],\n 'seasons': team_info_raw[6:7][0], 'playoff_app': team_info_raw[\n 11], 'pennants': team_info_raw[13], 'champs': team_info_raw[15],\n 'leaders': ' '.join(team_info_raw[16:18])}\n return Team(team_info)\n elif sport == constants.BASKETBALL:\n team_info = {'name': team_info_raw[0], 'record': team_info_raw[11].\n split(',')[0], 'seasons': team_info_raw[7].replace(';', ''),\n 'playoff_app': team_info_raw[14], 'champs': team_info_raw[17]}\n return Team(team_info)\n elif sport == 'pro-football':\n team_info = {'name': team_info_raw[0], 'seasons': team_info_raw[2].\n split()[1], 'record': team_info_raw[4], 'playoff_record':\n team_info_raw[5].split()[2], 'super_bowls': team_info_raw[7],\n 'champs': team_info_raw[10], 'leaders': team_info_raw[11:17]}\n return Team(team_info)\n elif sport == constants.HOCKEY:\n team_info = {'name': team_info_raw[0], 'record': team_info_raw[9],\n 'points': team_info_raw[10][1:-1], 'seasons': team_info_raw[2].\n split()[1], 'playoff_app': team_info_raw[3].split()[3],\n 'playoff_record': team_info_raw[7].split()[2], 'champs':\n team_info_raw[5], 'leaders': [team_info_raw[11:13], ' '.join(\n team_info_raw[13:15]), ' '.join(team_info_raw[15:17])]}\n return Team(team_info)\n", "role": "user" }, { "content": "get_team", "role": "assistant" } ]
def x(soup, base_url, team_pattern, team, sport): team_url = None team_name = None for link in soup.find_all('a'): if re.search(team_pattern, link.string): team_name = link.string team_url = base_url.replace('/teams/', link['href']) if team_url is not None and team_name is not None: team_soup = BeautifulSoup(requests.get(team_url).content, 'html.parser' ) team_info_raw = team_soup.find('div', id='meta').contents[3].get_text( ).split('\n') team_info_raw = [x.replace('\t', '') for x in team_info_raw] team_info_raw = [x.strip() for x in team_info_raw if x != ''] team_info_raw[0] = team_name return team_info_raw else: raise errors.TeamNotFoundError(sport, team)
get_team_info_raw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(soup, base_url, team_pattern, team, sport):\n team_url = None\n team_name = None\n for link in soup.find_all('a'):\n if re.search(team_pattern, link.string):\n team_name = link.string\n team_url = base_url.replace('/teams/', link['href'])\n if team_url is not None and team_name is not None:\n team_soup = BeautifulSoup(requests.get(team_url).content, 'html.parser'\n )\n team_info_raw = team_soup.find('div', id='meta').contents[3].get_text(\n ).split('\\n')\n team_info_raw = [x.replace('\\t', '') for x in team_info_raw]\n team_info_raw = [x.strip() for x in team_info_raw if x != '']\n team_info_raw[0] = team_name\n return team_info_raw\n else:\n raise errors.TeamNotFoundError(sport, team)\n", "role": "user" }, { "content": "get_team_info_raw", "role": "assistant" } ]
def x(sport): url = 'http://www.scorespro.com/rss2/live-{}.xml'.format(sport) r = requests.get(url) if r.ok: return _load_xml(r.content) else: raise errors.SportError(sport)
request_xml
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sport):\n url = 'http://www.scorespro.com/rss2/live-{}.xml'.format(sport)\n r = requests.get(url)\n if r.ok:\n return _load_xml(r.content)\n else:\n raise errors.SportError(sport)\n", "role": "user" }, { "content": "request_xml", "role": "assistant" } ]
def x(match, soccer=False): match_info = {} i_open = match.index('(') i_close = match.index(')') match_info['league'] = match[i_open + 1:i_close].strip() match = match[i_close + 1:] i_vs = match.index('vs') i_colon = match.index(':') match_info['home_team'] = match[0:i_vs].replace('#', ' ').strip() match_info['away_team'] = match[i_vs + 2:i_colon].replace('#', ' ').strip() match = match[i_colon:] if soccer: i_hyph = match.index('-') match_info['match_score'] = match[1:i_hyph + 2].strip() match = match[i_hyph + 1:] i_hyph = match.index('-') match_info['match_time'] = match[i_hyph + 1:].strip() else: match_info['match_score'] = match[1:].strip() return match_info
parse_match_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(match, soccer=False):\n match_info = {}\n i_open = match.index('(')\n i_close = match.index(')')\n match_info['league'] = match[i_open + 1:i_close].strip()\n match = match[i_close + 1:]\n i_vs = match.index('vs')\n i_colon = match.index(':')\n match_info['home_team'] = match[0:i_vs].replace('#', ' ').strip()\n match_info['away_team'] = match[i_vs + 2:i_colon].replace('#', ' ').strip()\n match = match[i_colon:]\n if soccer:\n i_hyph = match.index('-')\n match_info['match_score'] = match[1:i_hyph + 2].strip()\n match = match[i_hyph + 1:]\n i_hyph = match.index('-')\n match_info['match_time'] = match[i_hyph + 1:].strip()\n else:\n match_info['match_score'] = match[1:].strip()\n return match_info\n", "role": "user" }, { "content": "parse_match_info", "role": "assistant" } ]
def x(sport): sport = sport.lower() data = _request_xml(sport) matches = [] for match in data: if sport == constants.SOCCER: desc = match.find('description').text match_info = _parse_match_info(desc, soccer=True) else: desc = match.find('title').text match_info = _parse_match_info(desc) match_info['match_time'] = match.find('description').text match_info['match_date'] = match.find('pubDate').text match_info['match_link'] = match.find('guid').text matches.append(Match(sport, match_info)) return matches
get_sport
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sport):\n sport = sport.lower()\n data = _request_xml(sport)\n matches = []\n for match in data:\n if sport == constants.SOCCER:\n desc = match.find('description').text\n match_info = _parse_match_info(desc, soccer=True)\n else:\n desc = match.find('title').text\n match_info = _parse_match_info(desc)\n match_info['match_time'] = match.find('description').text\n match_info['match_date'] = match.find('pubDate').text\n match_info['match_link'] = match.find('guid').text\n matches.append(Match(sport, match_info))\n return matches\n", "role": "user" }, { "content": "get_sport", "role": "assistant" } ]
def x(sport, team1, team2): sport = sport.lower() team1_pattern = re.compile(team1, re.I) team2_pattern = re.compile(team2, re.I) matches = get_sport(sport) for match in matches: if re.search(team1_pattern, match.home_team) or re.search(team1_pattern , match.away_team) and re.search(team2_pattern, match.away_team ) or re.search(team2_pattern, match.home_team): return match raise errors.MatchError(sport, [team1, team2])
get_match
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sport, team1, team2):\n sport = sport.lower()\n team1_pattern = re.compile(team1, re.I)\n team2_pattern = re.compile(team2, re.I)\n matches = get_sport(sport)\n for match in matches:\n if re.search(team1_pattern, match.home_team) or re.search(team1_pattern\n , match.away_team) and re.search(team2_pattern, match.away_team\n ) or re.search(team2_pattern, match.home_team):\n return match\n raise errors.MatchError(sport, [team1, team2])\n", "role": "user" }, { "content": "get_match", "role": "assistant" } ]
def x(sender, **kwargs): total = get_user_model().objects.all().count() data = [{'measurement': 'django_auth_user_delete', 'tags': {'host': settings.INFLUXDB_TAGS_HOST}, 'fields': {'value': 1}, 'time': timezone.now().isoformat()}] write_points(data) data = [{'measurement': 'django_auth_user_count', 'tags': {'host': settings.INFLUXDB_TAGS_HOST}, 'fields': {'value': total}, 'time': timezone.now().isoformat()}] write_points(data)
user_post_delete_handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sender, **kwargs):\n total = get_user_model().objects.all().count()\n data = [{'measurement': 'django_auth_user_delete', 'tags': {'host':\n settings.INFLUXDB_TAGS_HOST}, 'fields': {'value': 1}, 'time':\n timezone.now().isoformat()}]\n write_points(data)\n data = [{'measurement': 'django_auth_user_count', 'tags': {'host':\n settings.INFLUXDB_TAGS_HOST}, 'fields': {'value': total}, 'time':\n timezone.now().isoformat()}]\n write_points(data)\n", "role": "user" }, { "content": "user_post_delete_handler", "role": "assistant" } ]
def x(**kwargs): if kwargs.get('created'): total = get_user_model().objects.all().count() data = [{'measurement': 'django_auth_user_create', 'tags': {'host': settings.INFLUXDB_TAGS_HOST}, 'fields': {'value': 1}, 'time': timezone.now().isoformat()}] write_points(data) data = [{'measurement': 'django_auth_user_count', 'tags': {'host': settings.INFLUXDB_TAGS_HOST}, 'fields': {'value': total}, 'time': timezone.now().isoformat()}] write_points(data)
user_post_save_handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**kwargs):\n if kwargs.get('created'):\n total = get_user_model().objects.all().count()\n data = [{'measurement': 'django_auth_user_create', 'tags': {'host':\n settings.INFLUXDB_TAGS_HOST}, 'fields': {'value': 1}, 'time':\n timezone.now().isoformat()}]\n write_points(data)\n data = [{'measurement': 'django_auth_user_count', 'tags': {'host':\n settings.INFLUXDB_TAGS_HOST}, 'fields': {'value': total},\n 'time': timezone.now().isoformat()}]\n write_points(data)\n", "role": "user" }, { "content": "user_post_save_handler", "role": "assistant" } ]
def x(text, gcube_token=None, lang=DEFAULT_LANG, api=DEFAULT_TAG_API, long_text=DEFAULT_LONG_TEXT): payload = [('text', text.encode('utf-8')), ('long_text', long_text), ( 'lang', lang)] json_response = _issue_request(api, payload, gcube_token) return AnnotateResponse(json_response) if json_response else None
annotate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, gcube_token=None, lang=DEFAULT_LANG, api=DEFAULT_TAG_API,\n long_text=DEFAULT_LONG_TEXT):\n payload = [('text', text.encode('utf-8')), ('long_text', long_text), (\n 'lang', lang)]\n json_response = _issue_request(api, payload, gcube_token)\n return AnnotateResponse(json_response) if json_response else None\n", "role": "user" }, { "content": "annotate", "role": "assistant" } ]
def x(text, gcube_token=None, lang=DEFAULT_LANG, api=DEFAULT_SPOT_API): payload = [('text', text.encode('utf-8')), ('lang', lang.encode('utf-8'))] json_response = _issue_request(api, payload, gcube_token) return MentionsResponse(json_response) if json_response else None
mentions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, gcube_token=None, lang=DEFAULT_LANG, api=DEFAULT_SPOT_API):\n payload = [('text', text.encode('utf-8')), ('lang', lang.encode('utf-8'))]\n json_response = _issue_request(api, payload, gcube_token)\n return MentionsResponse(json_response) if json_response else None\n", "role": "user" }, { "content": "mentions", "role": "assistant" } ]
def x(wid_pairs, gcube_token=None, lang=DEFAULT_LANG, api=DEFAULT_REL_API): return _relatedness('id', wid_pairs, gcube_token, lang, api)
relatedness_wid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(wid_pairs, gcube_token=None, lang=DEFAULT_LANG, api=DEFAULT_REL_API):\n return _relatedness('id', wid_pairs, gcube_token, lang, api)\n", "role": "user" }, { "content": "relatedness_wid", "role": "assistant" } ]
def x(tt_pairs, gcube_token=None, lang=DEFAULT_LANG, api=DEFAULT_REL_API): return _relatedness('tt', tt_pairs, gcube_token, lang, api)
relatedness_title
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tt_pairs, gcube_token=None, lang=DEFAULT_LANG, api=DEFAULT_REL_API):\n return _relatedness('tt', tt_pairs, gcube_token, lang, api)\n", "role": "user" }, { "content": "relatedness_title", "role": "assistant" } ]
def x(self, min_rho=None): return (a for a in self.annotations if min_rho is None or a.score > min_rho )
get_annotations
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, min_rho=None):\n return (a for a in self.annotations if min_rho is None or a.score > min_rho\n )\n", "role": "user" }, { "content": "get_annotations", "role": "assistant" } ]
def x(self, min_lp=None): return (m for m in self.mentions if min_lp is None or m.linkprob > min_lp)
get_mentions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, min_lp=None):\n return (m for m in self.mentions if min_lp is None or m.linkprob > min_lp)\n", "role": "user" }, { "content": "get_mentions", "role": "assistant" } ]
def x(): return InfluxDBClient(settings.INFLUXDB_HOST, settings.INFLUXDB_PORT, settings.INFLUXDB_USER, settings.INFLUXDB_PASSWORD, settings. INFLUXDB_DATABASE, timeout=settings.INFLUXDB_TIMEOUT, ssl=getattr( settings, 'INFLUXDB_SSL', False), verify_ssl=getattr(settings, 'INFLUXDB_VERIFY_SSL', False))
get_client
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n return InfluxDBClient(settings.INFLUXDB_HOST, settings.INFLUXDB_PORT,\n settings.INFLUXDB_USER, settings.INFLUXDB_PASSWORD, settings.\n INFLUXDB_DATABASE, timeout=settings.INFLUXDB_TIMEOUT, ssl=getattr(\n settings, 'INFLUXDB_SSL', False), verify_ssl=getattr(settings,\n 'INFLUXDB_VERIFY_SSL', False))\n", "role": "user" }, { "content": "get_client", "role": "assistant" } ]
def x(data, force_disable_threading=False): if getattr(settings, 'INFLUXDB_DISABLED', False): return client = get_client() use_threading = getattr(settings, 'INFLUXDB_USE_THREADING', False) if force_disable_threading: use_threading = False if use_threading is True: thread = Thread(target=process_points, args=(client, data)) thread.start() else: process_points(client, data)
write_points
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, force_disable_threading=False):\n if getattr(settings, 'INFLUXDB_DISABLED', False):\n return\n client = get_client()\n use_threading = getattr(settings, 'INFLUXDB_USE_THREADING', False)\n if force_disable_threading:\n use_threading = False\n if use_threading is True:\n thread = Thread(target=process_points, args=(client, data))\n thread.start()\n else:\n process_points(client, data)\n", "role": "user" }, { "content": "write_points", "role": "assistant" } ]
def x(client, data): try: client.write_points(data) except Exception: if getattr(settings, 'INFLUXDB_FAIL_SILENTLY', True): logger.exception('Error while writing data points') else: raise
process_points
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(client, data):\n try:\n client.write_points(data)\n except Exception:\n if getattr(settings, 'INFLUXDB_FAIL_SILENTLY', True):\n logger.exception('Error while writing data points')\n else:\n raise\n", "role": "user" }, { "content": "process_points", "role": "assistant" } ]
def x(node_ids): g = nx.Graph() g.add_nodes_from(node_ids) for i, j in combinations(node_ids, 2): g.add_edge(i, j) return g
create_complete_graph
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(node_ids):\n g = nx.Graph()\n g.add_nodes_from(node_ids)\n for i, j in combinations(node_ids, 2):\n g.add_edge(i, j)\n return g\n", "role": "user" }, { "content": "create_complete_graph", "role": "assistant" } ]
def x(indep_test_func, data_matrix, alpha, **kwargs): def x(kwargs): return 'method' in kwargs and kwargs['method'] == 'stable' node_ids = range(data_matrix.shape[1]) node_size = data_matrix.shape[1] sep_set = [[set() for i in range(node_size)] for j in range(node_size)] if 'init_graph' in kwargs: g = kwargs['init_graph'] if not isinstance(g, nx.Graph): raise ValueError elif not g.number_of_nodes() == len(node_ids): raise ValueError('init_graph not matching data_matrix shape') for i, j in combinations(node_ids, 2): if not g.has_edge(i, j): sep_set[i][j] = None sep_set[j][i] = None else: g = _create_complete_graph(node_ids) l = 0 while True: cont = False remove_edges = [] for i, j in permutations(node_ids, 2): adj_i = list(g.neighbors(i)) if j not in adj_i: continue else: adj_i.remove(j) if len(adj_i) >= l: _logger.debug('testing %s and %s' % (i, j)) _logger.debug('neighbors of %s are %s' % (i, str(adj_i))) if len(adj_i) < l: continue for k in combinations(adj_i, l): _logger.debug('indep prob of %s and %s with subset %s' % (i, j, str(k))) p_val = indep_test_func(data_matrix, i, j, set(k), **kwargs ) _logger.debug('p_val is %s' % str(p_val)) if p_val > alpha: if g.has_edge(i, j): _logger.debug('p: remove edge (%s, %s)' % (i, j)) if method_stable(kwargs): remove_edges.append((i, j)) else: g.remove_edge(i, j) sep_set[i][j] |= set(k) sep_set[j][i] |= set(k) break cont = True l += 1 if method_stable(kwargs): g.remove_edges_from(remove_edges) if cont is False: break if 'max_reach' in kwargs and l > kwargs['max_reach']: break return g, sep_set
estimate_skeleton
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(indep_test_func, data_matrix, alpha, **kwargs):\n\n def x(kwargs):\n return 'method' in kwargs and kwargs['method'] == 'stable'\n node_ids = range(data_matrix.shape[1])\n node_size = data_matrix.shape[1]\n sep_set = [[set() for i in range(node_size)] for j in range(node_size)]\n if 'init_graph' in kwargs:\n g = kwargs['init_graph']\n if not isinstance(g, nx.Graph):\n raise ValueError\n elif not g.number_of_nodes() == len(node_ids):\n raise ValueError('init_graph not matching data_matrix shape')\n for i, j in combinations(node_ids, 2):\n if not g.has_edge(i, j):\n sep_set[i][j] = None\n sep_set[j][i] = None\n else:\n g = _create_complete_graph(node_ids)\n l = 0\n while True:\n cont = False\n remove_edges = []\n for i, j in permutations(node_ids, 2):\n adj_i = list(g.neighbors(i))\n if j not in adj_i:\n continue\n else:\n adj_i.remove(j)\n if len(adj_i) >= l:\n _logger.debug('testing %s and %s' % (i, j))\n _logger.debug('neighbors of %s are %s' % (i, str(adj_i)))\n if len(adj_i) < l:\n continue\n for k in combinations(adj_i, l):\n _logger.debug('indep prob of %s and %s with subset %s' %\n (i, j, str(k)))\n p_val = indep_test_func(data_matrix, i, j, set(k), **kwargs\n )\n _logger.debug('p_val is %s' % str(p_val))\n if p_val > alpha:\n if g.has_edge(i, j):\n _logger.debug('p: remove edge (%s, %s)' % (i, j))\n if method_stable(kwargs):\n remove_edges.append((i, j))\n else:\n g.remove_edge(i, j)\n sep_set[i][j] |= set(k)\n sep_set[j][i] |= set(k)\n break\n cont = True\n l += 1\n if method_stable(kwargs):\n g.remove_edges_from(remove_edges)\n if cont is False:\n break\n if 'max_reach' in kwargs and l > kwargs['max_reach']:\n break\n return g, sep_set\n", "role": "user" }, { "content": "estimate_skeleton", "role": "assistant" } ]
def x(skel_graph, sep_set): dag = skel_graph.to_directed() node_ids = skel_graph.nodes() for i, j in combinations(node_ids, 2): adj_i = set(dag.successors(i)) if j in adj_i: continue adj_j = set(dag.successors(j)) if i in adj_j: continue if sep_set[i][j] is None: continue common_k = adj_i & adj_j for k in common_k: if k not in sep_set[i][j]: if dag.has_edge(k, i): _logger.debug('S: remove edge (%s, %s)' % (k, i)) dag.remove_edge(k, i) if dag.has_edge(k, j): _logger.debug('S: remove edge (%s, %s)' % (k, j)) dag.remove_edge(k, j) def x(dag, i, j): return dag.has_edge(i, j) and dag.has_edge(j, i) def x(dag, i, j): return dag.has_edge(i, j) or dag.has_edge(j, i) def x(dag, i, j): return dag.has_edge(i, j) and not dag.has_edge(j, i ) or not dag.has_edge(i, j) and dag.has_edge(j, i) def x(dag, i, j): return not dag.has_edge(i, j) and not dag.has_edge(j, i) old_dag = dag.copy() while True: for i, j in combinations(node_ids, 2): if _has_both_edges(dag, i, j): for k in dag.predecessors(i): if dag.has_edge(i, k): continue if _has_any_edge(dag, k, j): continue _logger.debug('R1: remove edge (%s, %s)' % (j, i)) dag.remove_edge(j, i) break if _has_both_edges(dag, i, j): succs_i = set() for k in dag.successors(i): if not dag.has_edge(k, i): succs_i.add(k) preds_j = set() for k in dag.predecessors(j): if not dag.has_edge(j, k): preds_j.add(k) if len(succs_i & preds_j) > 0: _logger.debug('R2: remove edge (%s, %s)' % (j, i)) dag.remove_edge(j, i) if _has_both_edges(dag, i, j): adj_i = set() for k in dag.successors(i): if dag.has_edge(k, i): adj_i.add(k) for k, l in combinations(adj_i, 2): if _has_any_edge(dag, k, l): continue if dag.has_edge(j, k) or not dag.has_edge(k, j): continue if dag.has_edge(j, l) or not dag.has_edge(l, j): continue _logger.debug('R3: remove edge (%s, %s)' % (j, i)) dag.remove_edge(j, i) break if nx.is_isomorphic(dag, old_dag): break old_dag = dag.copy() return dag
estimate_cpdag
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(skel_graph, sep_set):\n dag = skel_graph.to_directed()\n node_ids = skel_graph.nodes()\n for i, j in combinations(node_ids, 2):\n adj_i = set(dag.successors(i))\n if j in adj_i:\n continue\n adj_j = set(dag.successors(j))\n if i in adj_j:\n continue\n if sep_set[i][j] is None:\n continue\n common_k = adj_i & adj_j\n for k in common_k:\n if k not in sep_set[i][j]:\n if dag.has_edge(k, i):\n _logger.debug('S: remove edge (%s, %s)' % (k, i))\n dag.remove_edge(k, i)\n if dag.has_edge(k, j):\n _logger.debug('S: remove edge (%s, %s)' % (k, j))\n dag.remove_edge(k, j)\n\n def x(dag, i, j):\n return dag.has_edge(i, j) and dag.has_edge(j, i)\n\n def x(dag, i, j):\n return dag.has_edge(i, j) or dag.has_edge(j, i)\n\n def x(dag, i, j):\n return dag.has_edge(i, j) and not dag.has_edge(j, i\n ) or not dag.has_edge(i, j) and dag.has_edge(j, i)\n\n def x(dag, i, j):\n return not dag.has_edge(i, j) and not dag.has_edge(j, i)\n old_dag = dag.copy()\n while True:\n for i, j in combinations(node_ids, 2):\n if _has_both_edges(dag, i, j):\n for k in dag.predecessors(i):\n if dag.has_edge(i, k):\n continue\n if _has_any_edge(dag, k, j):\n continue\n _logger.debug('R1: remove edge (%s, %s)' % (j, i))\n dag.remove_edge(j, i)\n break\n if _has_both_edges(dag, i, j):\n succs_i = set()\n for k in dag.successors(i):\n if not dag.has_edge(k, i):\n succs_i.add(k)\n preds_j = set()\n for k in dag.predecessors(j):\n if not dag.has_edge(j, k):\n preds_j.add(k)\n if len(succs_i & preds_j) > 0:\n _logger.debug('R2: remove edge (%s, %s)' % (j, i))\n dag.remove_edge(j, i)\n if _has_both_edges(dag, i, j):\n adj_i = set()\n for k in dag.successors(i):\n if dag.has_edge(k, i):\n adj_i.add(k)\n for k, l in combinations(adj_i, 2):\n if _has_any_edge(dag, k, l):\n continue\n if dag.has_edge(j, k) or not dag.has_edge(k, j):\n continue\n if dag.has_edge(j, l) or not dag.has_edge(l, j):\n continue\n _logger.debug('R3: remove edge (%s, %s)' % (j, i))\n dag.remove_edge(j, i)\n break\n if nx.is_isomorphic(dag, old_dag):\n break\n old_dag = dag.copy()\n return dag\n", "role": "user" }, { "content": "estimate_cpdag", "role": "assistant" } ]
def x(socket, config): if config['high_water_mark']: if hasattr(zmq, 'HWM'): socket.setsockopt(zmq.HWM, config['high_water_mark']) else: socket.setsockopt(zmq.SNDHWM, config['high_water_mark']) socket.setsockopt(zmq.RCVHWM, config['high_water_mark'])
set_high_water_mark
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(socket, config):\n if config['high_water_mark']:\n if hasattr(zmq, 'HWM'):\n socket.setsockopt(zmq.HWM, config['high_water_mark'])\n else:\n socket.setsockopt(zmq.SNDHWM, config['high_water_mark'])\n socket.setsockopt(zmq.RCVHWM, config['high_water_mark'])\n", "role": "user" }, { "content": "set_high_water_mark", "role": "assistant" } ]
def x(socket, config): keepalive_options = {'zmq_tcp_keepalive': 'TCP_KEEPALIVE', 'zmq_tcp_keepalive_cnt': 'TCP_KEEPALIVE_CNT', 'zmq_tcp_keepalive_idle': 'TCP_KEEPALIVE_IDLE', 'zmq_tcp_keepalive_intvl': 'TCP_KEEPALIVE_INTVL'} for key, const in keepalive_options.items(): if key in config: attr = getattr(zmq, const, None) if attr: socket.setsockopt(attr, config[key])
set_tcp_keepalive
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(socket, config):\n keepalive_options = {'zmq_tcp_keepalive': 'TCP_KEEPALIVE',\n 'zmq_tcp_keepalive_cnt': 'TCP_KEEPALIVE_CNT',\n 'zmq_tcp_keepalive_idle': 'TCP_KEEPALIVE_IDLE',\n 'zmq_tcp_keepalive_intvl': 'TCP_KEEPALIVE_INTVL'}\n for key, const in keepalive_options.items():\n if key in config:\n attr = getattr(zmq, const, None)\n if attr:\n socket.setsockopt(attr, config[key])\n", "role": "user" }, { "content": "set_tcp_keepalive", "role": "assistant" } ]
def x(socket, config): reconnect_options = {'zmq_reconnect_ivl': 'RECONNECT_IVL', 'zmq_reconnect_ivl_max': 'RECONNECT_IVL_MAX'} for key, const in reconnect_options.items(): if key in config: attr = getattr(zmq, const, None) if attr: socket.setsockopt(attr, config[key])
set_tcp_reconnect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(socket, config):\n reconnect_options = {'zmq_reconnect_ivl': 'RECONNECT_IVL',\n 'zmq_reconnect_ivl_max': 'RECONNECT_IVL_MAX'}\n for key, const in reconnect_options.items():\n if key in config:\n attr = getattr(zmq, const, None)\n if attr:\n socket.setsockopt(attr, config[key])\n", "role": "user" }, { "content": "set_tcp_reconnect", "role": "assistant" } ]
def x(location): mod_name, cls_name = location = location.strip().split(':') tokens = mod_name.split('.') fromlist = '[]' if len(tokens) > 1: fromlist = '.'.join(tokens[:-1]) module = __import__(mod_name, fromlist=fromlist) try: return getattr(module, cls_name) except AttributeError: raise ImportError('%r not found in %r' % (cls_name, mod_name))
load_class
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(location):\n mod_name, cls_name = location = location.strip().split(':')\n tokens = mod_name.split('.')\n fromlist = '[]'\n if len(tokens) > 1:\n fromlist = '.'.join(tokens[:-1])\n module = __import__(mod_name, fromlist=fromlist)\n try:\n return getattr(module, cls_name)\n except AttributeError:\n raise ImportError('%r not found in %r' % (cls_name, mod_name))\n", "role": "user" }, { "content": "load_class", "role": "assistant" } ]
def x(dic, query): if not isinstance(query, six.string_types): raise ValueError('query must be a string, not %r' % type(query)) def x(tokens, d): current, rest = tokens[0], tokens[1:] if not rest: return d.get(current, None) if current in d: if isinstance(d[current], dict): return _browse(rest, d[current]) elif rest: return None else: return d[current] keys = [key.strip().split('.') for key in query.split(',')] return OrderedDict([('.'.join(tokens), _browse(tokens, dic)) for tokens in keys])
dict_query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dic, query):\n if not isinstance(query, six.string_types):\n raise ValueError('query must be a string, not %r' % type(query))\n\n def x(tokens, d):\n current, rest = tokens[0], tokens[1:]\n if not rest:\n return d.get(current, None)\n if current in d:\n if isinstance(d[current], dict):\n return _browse(rest, d[current])\n elif rest:\n return None\n else:\n return d[current]\n keys = [key.strip().split('.') for key in query.split(',')]\n return OrderedDict([('.'.join(tokens), _browse(tokens, dic)) for tokens in\n keys])\n", "role": "user" }, { "content": "dict_query", "role": "assistant" } ]
def x(message): command = 'cowsay "%s"' % message ret = subprocess.Popen(command, shell=True, stdin=subprocess.PIPE, stdout=subprocess.PIPE, stderr=subprocess.PIPE, close_fds=True) output, error = ret.communicate() return output, error
cowsay_output
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(message):\n command = 'cowsay \"%s\"' % message\n ret = subprocess.Popen(command, shell=True, stdin=subprocess.PIPE,\n stdout=subprocess.PIPE, stderr=subprocess.PIPE, close_fds=True)\n output, error = ret.communicate()\n return output, error\n", "role": "user" }, { "content": "cowsay_output", "role": "assistant" } ]
def x(obj, seen=None): if not seen: seen = [] properties = list(class_mapper(type(obj)).iterate_properties) relationships = [p.key for p in properties if type(p) is RelationshipProperty] attrs = [p.key for p in properties if p.key not in relationships] d = dict([(attr, getattr(obj, attr)) for attr in attrs]) for attr in relationships: d[attr] = expand(obj, getattr(obj, attr), seen) return d
to_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, seen=None):\n if not seen:\n seen = []\n properties = list(class_mapper(type(obj)).iterate_properties)\n relationships = [p.key for p in properties if type(p) is\n RelationshipProperty]\n attrs = [p.key for p in properties if p.key not in relationships]\n d = dict([(attr, getattr(obj, attr)) for attr in attrs])\n for attr in relationships:\n d[attr] = expand(obj, getattr(obj, attr), seen)\n return d\n", "role": "user" }, { "content": "to_json", "role": "assistant" } ]
def x(obj, relation, seen): if hasattr(relation, 'all'): relation = relation.all() if hasattr(relation, '__iter__'): return [expand(obj, item, seen) for item in relation] if type(relation) not in seen: return to_json(relation, seen + [type(obj)]) else: return relation.id
expand
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, relation, seen):\n if hasattr(relation, 'all'):\n relation = relation.all()\n if hasattr(relation, '__iter__'):\n return [expand(obj, item, seen) for item in relation]\n if type(relation) not in seen:\n return to_json(relation, seen + [type(obj)])\n else:\n return relation.id\n", "role": "user" }, { "content": "expand", "role": "assistant" } ]
def x(self, msg): msg['body'] = crypto.sign(msg['body'], **self.hub.config) super(SigningRelayConsumer, self).consume(msg)
consume
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg):\n msg['body'] = crypto.sign(msg['body'], **self.hub.config)\n super(SigningRelayConsumer, self).consume(msg)\n", "role": "user" }, { "content": "consume", "role": "assistant" } ]
def x(self, data): try: data = json.loads(data) except ValueError as e: self.log.info('Status contents are %r' % data) self.log.exception(e) self.log.info('Skipping backlog retrieval.') return last = data['message']['body'] if isinstance(last, str): last = json.loads(last) then = last['timestamp'] now = int(time.time()) retrieved = 0 for message in self.get_datagrepper_results(then, now): message = fedmsg.crypto.utils.fix_datagrepper_message(message) if message['msg_id'] != last['msg_id']: retrieved = retrieved + 1 self.incoming.put(dict(body=message, topic=message['topic'])) else: self.log.warning('Already seen %r; Skipping.' % last['msg_id']) self.log.info('Retrieved %i messages from datagrepper.' % retrieved)
backlog
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n try:\n data = json.loads(data)\n except ValueError as e:\n self.log.info('Status contents are %r' % data)\n self.log.exception(e)\n self.log.info('Skipping backlog retrieval.')\n return\n last = data['message']['body']\n if isinstance(last, str):\n last = json.loads(last)\n then = last['timestamp']\n now = int(time.time())\n retrieved = 0\n for message in self.get_datagrepper_results(then, now):\n message = fedmsg.crypto.utils.fix_datagrepper_message(message)\n if message['msg_id'] != last['msg_id']:\n retrieved = retrieved + 1\n self.incoming.put(dict(body=message, topic=message['topic']))\n else:\n self.log.warning('Already seen %r; Skipping.' % last['msg_id'])\n self.log.info('Retrieved %i messages from datagrepper.' % retrieved)\n", "role": "user" }, { "content": "backlog", "role": "assistant" } ]
def x(self, message): if hasattr(message, '__json__'): message = message.__json__() if isinstance(message['body'], six.text_type): message['body'] = json.loads(message['body']) elif isinstance(message['body'], six.binary_type): warnings.warn('Message body is not unicode', DeprecationWarning) message['body'] = json.loads(message['body'].decode('utf-8')) if 'topic' not in message['body']: message['body'] = {'topic': message.get('topic'), 'msg': message[ 'body']} if not self.validate_signatures: return if not message['topic'] == message['body']['topic']: raise RuntimeWarning('Topic envelope mismatch.') if not fedmsg.crypto.validate(message['body'], **self.hub.config): raise RuntimeWarning('Failed to authn message.')
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message):\n if hasattr(message, '__json__'):\n message = message.__json__()\n if isinstance(message['body'], six.text_type):\n message['body'] = json.loads(message['body'])\n elif isinstance(message['body'], six.binary_type):\n warnings.warn('Message body is not unicode', DeprecationWarning)\n message['body'] = json.loads(message['body'].decode('utf-8'))\n if 'topic' not in message['body']:\n message['body'] = {'topic': message.get('topic'), 'msg': message[\n 'body']}\n if not self.validate_signatures:\n return\n if not message['topic'] == message['body']['topic']:\n raise RuntimeWarning('Topic envelope mismatch.')\n if not fedmsg.crypto.validate(message['body'], **self.hub.config):\n raise RuntimeWarning('Failed to authn message.')\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(self, message): try: self.validate(message) except RuntimeWarning as e: self.log.warn('Received invalid message {0}'.format(e)) return if isinstance(message, dict ) and 'headers' in message and 'body' in message: message['body']['headers'] = message['headers'] if hasattr(self, 'replay_name'): for m in check_for_replay(self.replay_name, self.name_to_seq_id, message, self.hub.config): try: self.validate(m) return super(FedmsgConsumer, self)._consume(m) except RuntimeWarning as e: self.log.warn('Received invalid message {}'.format(e)) else: return super(FedmsgConsumer, self)._consume(message)
consume
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message):\n try:\n self.validate(message)\n except RuntimeWarning as e:\n self.log.warn('Received invalid message {0}'.format(e))\n return\n if isinstance(message, dict\n ) and 'headers' in message and 'body' in message:\n message['body']['headers'] = message['headers']\n if hasattr(self, 'replay_name'):\n for m in check_for_replay(self.replay_name, self.name_to_seq_id,\n message, self.hub.config):\n try:\n self.validate(m)\n return super(FedmsgConsumer, self)._consume(m)\n except RuntimeWarning as e:\n self.log.warn('Received invalid message {}'.format(e))\n else:\n return super(FedmsgConsumer, self)._consume(message)\n", "role": "user" }, { "content": "consume", "role": "assistant" } ]
def x(self, x): def x(x): found = self.first(x) if found is not None: self._args.pop(found) if _is_collection(x): for item in x: _remove(x) else: _remove(x)
remove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x):\n\n def x(x):\n found = self.first(x)\n if found is not None:\n self._args.pop(found)\n if _is_collection(x):\n for item in x:\n _remove(x)\n else:\n _remove(x)\n", "role": "user" }, { "content": "remove", "role": "assistant" } ]
def x(self, x): def x(x): try: return self.all.index(str(x)) except ValueError: return None if _is_collection(x): for item in x: found = _find(item) if found is not None: return found return None else: return _find(x)
first
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x):\n\n def x(x):\n try:\n return self.all.index(str(x))\n except ValueError:\n return None\n if _is_collection(x):\n for item in x:\n found = _find(item)\n if found is not None:\n return found\n return None\n else:\n return _find(x)\n", "role": "user" }, { "content": "first", "role": "assistant" } ]
def x(self, x): _args = [] for arg in self.all: if _is_collection(x): for _x in x: if arg.startswith(x): _args.append(arg) break elif arg.startswith(x): _args.append(arg) return ArgsList(_args, no_argv=True)
start_with
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x):\n _args = []\n for arg in self.all:\n if _is_collection(x):\n for _x in x:\n if arg.startswith(x):\n _args.append(arg)\n break\n elif arg.startswith(x):\n _args.append(arg)\n return ArgsList(_args, no_argv=True)\n", "role": "user" }, { "content": "start_with", "role": "assistant" } ]
def x(self, x): _args = [] for arg in self.all: if _is_collection(x): for _x in x: if _x not in arg: _args.append(arg) break elif x not in arg: _args.append(arg) return ArgsList(_args, no_argv=True)
all_without
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x):\n _args = []\n for arg in self.all:\n if _is_collection(x):\n for _x in x:\n if _x not in arg:\n _args.append(arg)\n break\n elif x not in arg:\n _args.append(arg)\n return ArgsList(_args, no_argv=True)\n", "role": "user" }, { "content": "all_without", "role": "assistant" } ]
def x(self, absolute=False): _paths = [] for arg in self.all: for path in _expand_path(arg): if os.path.exists(path): if absolute: _paths.append(os.path.abspath(path)) else: _paths.append(path) return _paths
files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, absolute=False):\n _paths = []\n for arg in self.all:\n for path in _expand_path(arg):\n if os.path.exists(path):\n if absolute:\n _paths.append(os.path.abspath(path))\n else:\n _paths.append(path)\n return _paths\n", "role": "user" }, { "content": "files", "role": "assistant" } ]
def x(self): _args = [] for arg in self.all: if not len(_expand_path(arg)): if not os.path.exists(arg): _args.append(arg) return ArgsList(_args, no_argv=True)
not_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n _args = []\n for arg in self.all:\n if not len(_expand_path(arg)):\n if not os.path.exists(arg):\n _args.append(arg)\n return ArgsList(_args, no_argv=True)\n", "role": "user" }, { "content": "not_files", "role": "assistant" } ]
def x(self): collection = OrderedDict() for arg in self.all: if '=' in arg: collection.setdefault(arg.split('=', 1)[0], ArgsList(no_argv=True)) collection[arg.split('=', 1)[0]]._args.append(arg.split('=', 1)[1]) return collection
assignments
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n collection = OrderedDict()\n for arg in self.all:\n if '=' in arg:\n collection.setdefault(arg.split('=', 1)[0], ArgsList(no_argv=True))\n collection[arg.split('=', 1)[0]]._args.append(arg.split('=', 1)[1])\n return collection\n", "role": "user" }, { "content": "assignments", "role": "assistant" } ]
def x(message, gpg_home=None, gpg_signing_key=None, **config): if gpg_home is None or gpg_signing_key is None: raise ValueError( 'You must set the gpg_home and gpg_signing_key keyword arguments.' ) message['crypto'] = 'gpg' signature = _ctx.sign(fedmsg.encoding.dumps(message['msg']), gpg_signing_key, homedir=gpg_home) return dict(list(message.items()) + [('signature', b64encode(signature))])
sign
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(message, gpg_home=None, gpg_signing_key=None, **config):\n if gpg_home is None or gpg_signing_key is None:\n raise ValueError(\n 'You must set the gpg_home and gpg_signing_key keyword arguments.'\n )\n message['crypto'] = 'gpg'\n signature = _ctx.sign(fedmsg.encoding.dumps(message['msg']),\n gpg_signing_key, homedir=gpg_home)\n return dict(list(message.items()) + [('signature', b64encode(signature))])\n", "role": "user" }, { "content": "sign", "role": "assistant" } ]
def x(message, gpg_home=None, **config): if gpg_home is None: raise ValueError('You must set the gpg_home keyword argument.') try: _ctx.verify(fedmsg.encoding.dumps(message['msg']), b64decode( message['signature']), homedir=gpg_home) return True except GpgBinaryError: log.warn('Failed validation. {0}'.format(six.text_type(message))) return False
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(message, gpg_home=None, **config):\n if gpg_home is None:\n raise ValueError('You must set the gpg_home keyword argument.')\n try:\n _ctx.verify(fedmsg.encoding.dumps(message['msg']), b64decode(\n message['signature']), homedir=gpg_home)\n return True\n except GpgBinaryError:\n log.warn('Failed validation. {0}'.format(six.text_type(message)))\n return False\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(self, data, signature=None, keyrings=None, homedir=None): if isinstance(data, six.text_type): data = data.encode('utf-8') tmpdir = tempfile.mkdtemp() data_file, data_path = tempfile.mkstemp(dir=tmpdir) data_file = os.fdopen(data_file, 'wb') data_file.write(data) data_file.close() if signature: sig_file, sig_path = tempfile.mkstemp(dir=tmpdir) sig_file = os.fdopen(sig_file, 'wb') sig_file.write(signature) sig_file.close() else: sig_path = None try: return self.verify_from_file(data_path, sig_path=sig_path, keyrings =keyrings, homedir=homedir) finally: shutil.rmtree(tmpdir)
verify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data, signature=None, keyrings=None, homedir=None):\n if isinstance(data, six.text_type):\n data = data.encode('utf-8')\n tmpdir = tempfile.mkdtemp()\n data_file, data_path = tempfile.mkstemp(dir=tmpdir)\n data_file = os.fdopen(data_file, 'wb')\n data_file.write(data)\n data_file.close()\n if signature:\n sig_file, sig_path = tempfile.mkstemp(dir=tmpdir)\n sig_file = os.fdopen(sig_file, 'wb')\n sig_file.write(signature)\n sig_file.close()\n else:\n sig_path = None\n try:\n return self.verify_from_file(data_path, sig_path=sig_path, keyrings\n =keyrings, homedir=homedir)\n finally:\n shutil.rmtree(tmpdir)\n", "role": "user" }, { "content": "verify", "role": "assistant" } ]
def x(self, data_path, sig_path=None, keyrings=None, homedir=None): cmd_line = ['gpg', '--homedir', homedir or self.homedir] cmd_line.extend(self._get_keyrings_cl(keyrings)) cmd_line.append('--verify') if sig_path: cmd_line.extend([sig_path, data_path]) else: cmd_line.append(data_path) p = subprocess.Popen(cmd_line, stderr=subprocess.PIPE) stdout, stderr = p.communicate() if p.returncode: raise GpgBinaryError(stderr) return True
verify_from_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data_path, sig_path=None, keyrings=None, homedir=None):\n cmd_line = ['gpg', '--homedir', homedir or self.homedir]\n cmd_line.extend(self._get_keyrings_cl(keyrings))\n cmd_line.append('--verify')\n if sig_path:\n cmd_line.extend([sig_path, data_path])\n else:\n cmd_line.append(data_path)\n p = subprocess.Popen(cmd_line, stderr=subprocess.PIPE)\n stdout, stderr = p.communicate()\n if p.returncode:\n raise GpgBinaryError(stderr)\n return True\n", "role": "user" }, { "content": "verify_from_file", "role": "assistant" } ]
def x(self): if getattr(self, 'publisher', None): self.log.debug('closing fedmsg publisher') self.log.debug('sent %i messages' % self._i) self.publisher.close() self.publisher = None if getattr(self, 'context', None): self.context.term() self.context = None
destroy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if getattr(self, 'publisher', None):\n self.log.debug('closing fedmsg publisher')\n self.log.debug('sent %i messages' % self._i)\n self.publisher.close()\n self.publisher = None\n if getattr(self, 'context', None):\n self.context.term()\n self.context = None\n", "role": "user" }, { "content": "destroy", "role": "assistant" } ]
def x(self, topic=None, msg=None, modname=None, pre_fire_hook=None, **kw): topic = topic or 'unspecified' msg = msg or dict() modname = modname or guess_calling_module(default='fedmsg') topic = '.'.join([modname, topic]) if topic[:len(self.c['topic_prefix'])] != self.c['topic_prefix']: topic = '.'.join([self.c['topic_prefix'], self.c['environment'], topic] ) if isinstance(topic, six.text_type): topic = to_bytes(topic, encoding='utf8', nonstring='passthru') year = datetime.datetime.now().year self._i += 1 msg = dict(topic=topic.decode('utf-8'), msg=msg, timestamp=int(time. time()), msg_id=str(year) + '-' + str(uuid.uuid4()), i=self._i, username=getpass.getuser()) if self.c.get('sign_messages', False): if not self.c.get('crypto_backend') == 'gpg': if 'cert_prefix' in self.c: cert_index = '%s.%s' % (self.c['cert_prefix'], self.hostname) else: cert_index = self.c['name'] if cert_index == 'relay_inbound': cert_index = 'shell.%s' % self.hostname self.c['certname'] = self.c['certnames'][cert_index] elif 'gpg_signing_key' not in self.c: self.c['gpg_signing_key'] = self.c['gpg_keys'][self.hostname] if self.c.get('sign_messages', False): msg = fedmsg.crypto.sign(msg, **self.c) store = self.c.get('persistent_store', None) if store: msg = store.add(msg) if pre_fire_hook: pre_fire_hook(msg) if self.c.get('zmq_enabled', True): self.publisher.send_multipart([topic, fedmsg.encoding.dumps(msg). encode('utf-8')], flags=zmq.NOBLOCK) else: import moksha.hub if not getattr(moksha.hub, '_hub', None): raise AttributeError( 'Unable to publish non-zeromq msg without moksha-hub initialization.' ) moksha.hub._hub.send_message(topic=topic, message=fedmsg.encoding. dumps(msg).encode('utf-8'), jsonify=False)
publish
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, topic=None, msg=None, modname=None, pre_fire_hook=None, **kw):\n topic = topic or 'unspecified'\n msg = msg or dict()\n modname = modname or guess_calling_module(default='fedmsg')\n topic = '.'.join([modname, topic])\n if topic[:len(self.c['topic_prefix'])] != self.c['topic_prefix']:\n topic = '.'.join([self.c['topic_prefix'], self.c['environment'], topic]\n )\n if isinstance(topic, six.text_type):\n topic = to_bytes(topic, encoding='utf8', nonstring='passthru')\n year = datetime.datetime.now().year\n self._i += 1\n msg = dict(topic=topic.decode('utf-8'), msg=msg, timestamp=int(time.\n time()), msg_id=str(year) + '-' + str(uuid.uuid4()), i=self._i,\n username=getpass.getuser())\n if self.c.get('sign_messages', False):\n if not self.c.get('crypto_backend') == 'gpg':\n if 'cert_prefix' in self.c:\n cert_index = '%s.%s' % (self.c['cert_prefix'], self.hostname)\n else:\n cert_index = self.c['name']\n if cert_index == 'relay_inbound':\n cert_index = 'shell.%s' % self.hostname\n self.c['certname'] = self.c['certnames'][cert_index]\n elif 'gpg_signing_key' not in self.c:\n self.c['gpg_signing_key'] = self.c['gpg_keys'][self.hostname]\n if self.c.get('sign_messages', False):\n msg = fedmsg.crypto.sign(msg, **self.c)\n store = self.c.get('persistent_store', None)\n if store:\n msg = store.add(msg)\n if pre_fire_hook:\n pre_fire_hook(msg)\n if self.c.get('zmq_enabled', True):\n self.publisher.send_multipart([topic, fedmsg.encoding.dumps(msg).\n encode('utf-8')], flags=zmq.NOBLOCK)\n else:\n import moksha.hub\n if not getattr(moksha.hub, '_hub', None):\n raise AttributeError(\n 'Unable to publish non-zeromq msg without moksha-hub initialization.'\n )\n moksha.hub._hub.send_message(topic=topic, message=fedmsg.encoding.\n dumps(msg).encode('utf-8'), jsonify=False)\n", "role": "user" }, { "content": "publish", "role": "assistant" } ]
def x(self, topic='', passive=False, **kw): if not self.c.get('zmq_enabled', True): raise ValueError( 'fedmsg.tail_messages() is only available for zeromq. Use the hub-consumer approach for STOMP or AMQP support.' ) poller, subs = self._create_poller(topic=topic, passive=False, **kw) try: for msg in self._poll(poller, subs): yield msg finally: self._close_subs(subs)
tail_messages
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, topic='', passive=False, **kw):\n if not self.c.get('zmq_enabled', True):\n raise ValueError(\n 'fedmsg.tail_messages() is only available for zeromq. Use the hub-consumer approach for STOMP or AMQP support.'\n )\n poller, subs = self._create_poller(topic=topic, passive=False, **kw)\n try:\n for msg in self._poll(poller, subs):\n yield msg\n finally:\n self._close_subs(subs)\n", "role": "user" }, { "content": "tail_messages", "role": "assistant" } ]
def x(message, ssldir=None, certname=None, **config): if ssldir is None or certname is None: error = 'You must set the ssldir and certname keyword arguments.' raise ValueError(error) message['crypto'] = 'x509' with open('%s/%s.key' % (ssldir, certname), 'rb') as f: rsa_private = serialization.load_pem_private_key(data=f.read(), password=None, backend=default_backend()) signature = rsa_private.sign(fedmsg.encoding.dumps(message).encode( 'utf-8'), asymmetric.padding.PKCS1v15(), hashes.SHA1()) with open('%s/%s.crt' % (ssldir, certname), 'rb') as f: cert = x509.load_pem_x509_certificate(f.read(), default_backend()) cert_pem = cert.public_bytes(serialization.Encoding.PEM) return _prep_crypto_msg(dict(list(message.items()) + [('signature', base64.b64encode(signature).decode('ascii')), ('certificate', base64.b64encode(cert_pem).decode('ascii'))]))
sign
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(message, ssldir=None, certname=None, **config):\n if ssldir is None or certname is None:\n error = 'You must set the ssldir and certname keyword arguments.'\n raise ValueError(error)\n message['crypto'] = 'x509'\n with open('%s/%s.key' % (ssldir, certname), 'rb') as f:\n rsa_private = serialization.load_pem_private_key(data=f.read(),\n password=None, backend=default_backend())\n signature = rsa_private.sign(fedmsg.encoding.dumps(message).encode(\n 'utf-8'), asymmetric.padding.PKCS1v15(), hashes.SHA1())\n with open('%s/%s.crt' % (ssldir, certname), 'rb') as f:\n cert = x509.load_pem_x509_certificate(f.read(), default_backend())\n cert_pem = cert.public_bytes(serialization.Encoding.PEM)\n return _prep_crypto_msg(dict(list(message.items()) + [('signature',\n base64.b64encode(signature).decode('ascii')), ('certificate',\n base64.b64encode(cert_pem).decode('ascii'))]))\n", "role": "user" }, { "content": "sign", "role": "assistant" } ]
def x(message): signature = message['signature'] certificate = message['certificate'] sliced_signature, sliced_certificate = [], [] for x in range(0, len(signature), 76): sliced_signature.append(signature[x:x + 76]) for x in range(0, len(certificate), 76): sliced_certificate.append(certificate[x:x + 76]) message['signature'] = u'\n'.join(sliced_signature) + u'\n' message['certificate'] = u'\n'.join(sliced_certificate) + u'\n' return message
prep_crypto_msg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(message):\n signature = message['signature']\n certificate = message['certificate']\n sliced_signature, sliced_certificate = [], []\n for x in range(0, len(signature), 76):\n sliced_signature.append(signature[x:x + 76])\n for x in range(0, len(certificate), 76):\n sliced_certificate.append(certificate[x:x + 76])\n message['signature'] = u'\\n'.join(sliced_signature) + u'\\n'\n message['certificate'] = u'\\n'.join(sliced_certificate) + u'\\n'\n return message\n", "role": "user" }, { "content": "prep_crypto_msg", "role": "assistant" } ]
def x(message, ssldir=None, **config): for field in ['signature', 'certificate']: if field not in message: _log.warn('No %s field found.', field) return False if not isinstance(message[field], six.text_type): _log.error('msg[%r] is not a unicode string' % field) try: message[field] = message[field].decode('utf-8') except UnicodeError as e: _log.error("Unable to decode the message '%s' field: %s", field, str(e)) return False signature = base64.b64decode(message['signature']) certificate = base64.b64decode(message['certificate']) message = fedmsg.crypto.strip_credentials(message) ca_location = config.get('ca_cert_location', 'https://fedoraproject.org/fedmsg/ca.crt') crl_location = config.get('crl_location', 'https://fedoraproject.org/fedmsg/crl.pem') try: ca_certificate, crl = utils.load_certificates(ca_location, crl_location ) _validate_signing_cert(ca_certificate, certificate, crl) except (IOError, RequestException, X509StoreContextError) as e: try: ca_certificate, crl = utils.load_certificates(ca_location, crl_location, invalidate_cache=True) _validate_signing_cert(ca_certificate, certificate, crl) except (IOError, RequestException, X509StoreContextError) as e: _log.error(str(e)) return False try: crypto_certificate = x509.load_pem_x509_certificate(certificate, default_backend()) crypto_certificate.public_key().verify(signature, fedmsg.encoding. dumps(message).encode('utf-8'), asymmetric.padding.PKCS1v15(), hashes.SHA1()) except InvalidSignature as e: _log.error('message [{m}] has an invalid signature: {e}'.format(m= message, e=str(e))) return False common_name = crypto_certificate.subject.get_attributes_for_oid(x509. oid.NameOID.COMMON_NAME) common_name = common_name[0] routing_policy = config.get('routing_policy', {}) nitpicky = config.get('routing_nitpicky', False) return utils.validate_policy(message.get('topic'), common_name.value, routing_policy, nitpicky=nitpicky)
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(message, ssldir=None, **config):\n for field in ['signature', 'certificate']:\n if field not in message:\n _log.warn('No %s field found.', field)\n return False\n if not isinstance(message[field], six.text_type):\n _log.error('msg[%r] is not a unicode string' % field)\n try:\n message[field] = message[field].decode('utf-8')\n except UnicodeError as e:\n _log.error(\"Unable to decode the message '%s' field: %s\",\n field, str(e))\n return False\n signature = base64.b64decode(message['signature'])\n certificate = base64.b64decode(message['certificate'])\n message = fedmsg.crypto.strip_credentials(message)\n ca_location = config.get('ca_cert_location',\n 'https://fedoraproject.org/fedmsg/ca.crt')\n crl_location = config.get('crl_location',\n 'https://fedoraproject.org/fedmsg/crl.pem')\n try:\n ca_certificate, crl = utils.load_certificates(ca_location, crl_location\n )\n _validate_signing_cert(ca_certificate, certificate, crl)\n except (IOError, RequestException, X509StoreContextError) as e:\n try:\n ca_certificate, crl = utils.load_certificates(ca_location,\n crl_location, invalidate_cache=True)\n _validate_signing_cert(ca_certificate, certificate, crl)\n except (IOError, RequestException, X509StoreContextError) as e:\n _log.error(str(e))\n return False\n try:\n crypto_certificate = x509.load_pem_x509_certificate(certificate,\n default_backend())\n crypto_certificate.public_key().verify(signature, fedmsg.encoding.\n dumps(message).encode('utf-8'), asymmetric.padding.PKCS1v15(),\n hashes.SHA1())\n except InvalidSignature as e:\n _log.error('message [{m}] has an invalid signature: {e}'.format(m=\n message, e=str(e)))\n return False\n common_name = crypto_certificate.subject.get_attributes_for_oid(x509.\n oid.NameOID.COMMON_NAME)\n common_name = common_name[0]\n routing_policy = config.get('routing_policy', {})\n nitpicky = config.get('routing_nitpicky', False)\n return utils.validate_policy(message.get('topic'), common_name.value,\n routing_policy, nitpicky=nitpicky)\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(ca_certificate, certificate, crl=None): pyopenssl_cert = load_certificate(FILETYPE_PEM, certificate) pyopenssl_ca_cert = load_certificate(FILETYPE_PEM, ca_certificate) cert_store = X509Store() cert_store.add_cert(pyopenssl_ca_cert) if crl: pyopenssl_crl = load_crl(FILETYPE_PEM, crl) cert_store.add_crl(pyopenssl_crl) cert_store.set_flags(X509StoreFlags.CRL_CHECK | X509StoreFlags. CRL_CHECK_ALL) cert_store_context = X509StoreContext(cert_store, pyopenssl_cert) cert_store_context.verify_certificate()
validate_signing_cert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ca_certificate, certificate, crl=None):\n pyopenssl_cert = load_certificate(FILETYPE_PEM, certificate)\n pyopenssl_ca_cert = load_certificate(FILETYPE_PEM, ca_certificate)\n cert_store = X509Store()\n cert_store.add_cert(pyopenssl_ca_cert)\n if crl:\n pyopenssl_crl = load_crl(FILETYPE_PEM, crl)\n cert_store.add_crl(pyopenssl_crl)\n cert_store.set_flags(X509StoreFlags.CRL_CHECK | X509StoreFlags.\n CRL_CHECK_ALL)\n cert_store_context = X509StoreContext(cert_store, pyopenssl_cert)\n cert_store_context.verify_certificate()\n", "role": "user" }, { "content": "validate_signing_cert", "role": "assistant" } ]
def x(self, msg): log.debug('Got message %r' % msg) topic, body = msg.get('topic'), msg.get('body') for client in self.irc_clients: if (not client.factory.filters or client.factory.filters and self. apply_filters(client.factory.filters, topic, body)): raw_msg = self.prettify(topic=topic, msg=body, pretty=client. factory.pretty, terse=client.factory.terse, short=client. factory.short) send = getattr(client, self.hub.config['irc_method'], 'notice') send(client.factory.channel, raw_msg.encode('utf-8')) backlog = self.incoming.qsize() if backlog and backlog % 20 == 0: warning = '* backlogged by %i messages' % backlog log.warning(warning) send(client.factory.channel, warning.encode('utf-8'))
consume
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg):\n log.debug('Got message %r' % msg)\n topic, body = msg.get('topic'), msg.get('body')\n for client in self.irc_clients:\n if (not client.factory.filters or client.factory.filters and self.\n apply_filters(client.factory.filters, topic, body)):\n raw_msg = self.prettify(topic=topic, msg=body, pretty=client.\n factory.pretty, terse=client.factory.terse, short=client.\n factory.short)\n send = getattr(client, self.hub.config['irc_method'], 'notice')\n send(client.factory.channel, raw_msg.encode('utf-8'))\n backlog = self.incoming.qsize()\n if backlog and backlog % 20 == 0:\n warning = '* backlogged by %i messages' % backlog\n log.warning(warning)\n send(client.factory.channel, warning.encode('utf-8'))\n", "role": "user" }, { "content": "consume", "role": "assistant" } ]
def x(timeout, consumer=None, producer=None): consumers, producers = consumer, producer config = load_config() endpoint = config.get('moksha.monitoring.socket') if not endpoint: raise click.ClickException( 'No monitoring endpoint has been configured: please set "moksha.monitoring.socket"' ) context = zmq.Context.instance() socket = context.socket(zmq.SUB) socket.set(zmq.RCVTIMEO, timeout * 1000) socket.subscribe(b'') socket.connect(endpoint) try: message = socket.recv_json() except zmq.error.Again: raise click.ClickException( 'Failed to receive message from the monitoring endpoint ({e}) in {t} seconds.' .format(e=endpoint, t=timeout)) if not consumers and not producers: click.echo('No consumers or producers specified so all will be shown.') else: missing = False uninitialized = False for messager_type, messagers in (('consumers', consumers), ( 'producers', producers)): active = {} for messager in message[messager_type]: active[messager['name']] = messager for messager in messagers: if messager not in active: click.echo('"{m}" is not active!'.format(m=messager), err=True) missing = True elif active[messager]['initialized'] is not True: click.echo('"{m}" is not initialized!'.format(m= messager), err=True) uninitialized = True if missing: raise click.ClickException( 'Some consumers and/or producers are missing!') elif uninitialized: raise click.ClickException( 'Some consumers and/or producers are uninitialized!') else: click.echo('All consumers and producers are active!') click.echo(json.dumps(message, indent=2, sort_keys=True))
check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(timeout, consumer=None, producer=None):\n consumers, producers = consumer, producer\n config = load_config()\n endpoint = config.get('moksha.monitoring.socket')\n if not endpoint:\n raise click.ClickException(\n 'No monitoring endpoint has been configured: please set \"moksha.monitoring.socket\"'\n )\n context = zmq.Context.instance()\n socket = context.socket(zmq.SUB)\n socket.set(zmq.RCVTIMEO, timeout * 1000)\n socket.subscribe(b'')\n socket.connect(endpoint)\n try:\n message = socket.recv_json()\n except zmq.error.Again:\n raise click.ClickException(\n 'Failed to receive message from the monitoring endpoint ({e}) in {t} seconds.'\n .format(e=endpoint, t=timeout))\n if not consumers and not producers:\n click.echo('No consumers or producers specified so all will be shown.')\n else:\n missing = False\n uninitialized = False\n for messager_type, messagers in (('consumers', consumers), (\n 'producers', producers)):\n active = {}\n for messager in message[messager_type]:\n active[messager['name']] = messager\n for messager in messagers:\n if messager not in active:\n click.echo('\"{m}\" is not active!'.format(m=messager),\n err=True)\n missing = True\n elif active[messager]['initialized'] is not True:\n click.echo('\"{m}\" is not initialized!'.format(m=\n messager), err=True)\n uninitialized = True\n if missing:\n raise click.ClickException(\n 'Some consumers and/or producers are missing!')\n elif uninitialized:\n raise click.ClickException(\n 'Some consumers and/or producers are uninitialized!')\n else:\n click.echo('All consumers and producers are active!')\n click.echo(json.dumps(message, indent=2, sort_keys=True))\n", "role": "user" }, { "content": "check", "role": "assistant" } ]
def x(**kw): if getattr(__local, '__context', None): raise ValueError('fedmsg already initialized') config = fedmsg.config.load_config([], None) config.update(kw) __local.__context = fedmsg.core.FedMsgContext(**config) return __local.__context
init
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**kw):\n if getattr(__local, '__context', None):\n raise ValueError('fedmsg already initialized')\n config = fedmsg.config.load_config([], None)\n config.update(kw)\n __local.__context = fedmsg.core.FedMsgContext(**config)\n return __local.__context\n", "role": "user" }, { "content": "init", "role": "assistant" } ]
def x(self): for k, v in sorted(self._dict.items()): print(self.formatter(k, v)) for k, v in sorted(self._dict.items()): self._dict[k] = 0
dump
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for k, v in sorted(self._dict.items()):\n print(self.formatter(k, v))\n for k, v in sorted(self._dict.items()):\n self._dict[k] = 0\n", "role": "user" }, { "content": "dump", "role": "assistant" } ]
def x(self, key, value): template = ('PUTVAL {host}/fedmsg/fedmsg_wallboard-{key} ' + 'interval={interval} {timestamp}:{value}') timestamp = int(time.time()) interval = self.hub.config['collectd_interval'] return template.format(host=self.host, timestamp=timestamp, value=value, interval=interval, key=key)
formatter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, value):\n template = ('PUTVAL {host}/fedmsg/fedmsg_wallboard-{key} ' +\n 'interval={interval} {timestamp}:{value}')\n timestamp = int(time.time())\n interval = self.hub.config['collectd_interval']\n return template.format(host=self.host, timestamp=timestamp, value=value,\n interval=interval, key=key)\n", "role": "user" }, { "content": "formatter", "role": "assistant" } ]
def x(**config): global _implementation global _validate_implementations if config.get('crypto_backend') == 'gpg': _implementation = gpg else: _implementation = x509 _validate_implementations = [] for mod in config.get('crypto_validate_backends', []): if mod == 'gpg': _validate_implementations.append(gpg) elif mod == 'x509': _validate_implementations.append(x509) else: raise ValueError('%r is not a valid crypto backend' % mod) if not _validate_implementations: _validate_implementations.append(_implementation)
init
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**config):\n global _implementation\n global _validate_implementations\n if config.get('crypto_backend') == 'gpg':\n _implementation = gpg\n else:\n _implementation = x509\n _validate_implementations = []\n for mod in config.get('crypto_validate_backends', []):\n if mod == 'gpg':\n _validate_implementations.append(gpg)\n elif mod == 'x509':\n _validate_implementations.append(x509)\n else:\n raise ValueError('%r is not a valid crypto backend' % mod)\n if not _validate_implementations:\n _validate_implementations.append(_implementation)\n", "role": "user" }, { "content": "init", "role": "assistant" } ]
def x(message, **config): if not _implementation: init(**config) return _implementation.sign(message, **config)
sign
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(message, **config):\n if not _implementation:\n init(**config)\n return _implementation.sign(message, **config)\n", "role": "user" }, { "content": "sign", "role": "assistant" } ]
def x(message, **config): if not _validate_implementations: init(**config) cfg = copy.deepcopy(config) if 'gpg_home' not in cfg: cfg['gpg_home'] = os.path.expanduser('~/.gnupg/') if 'ssldir' not in cfg: cfg['ssldir'] = '/etc/pki/fedmsg' if 'crypto' in message: if not message['crypto'] in _possible_backends: log.warn('Message specified an impossible crypto backend') return False try: backend = _possible_backends[message['crypto']] except Exception as e: log.warn('Failed to load %r %r' % (message['crypto'], e)) return False elif 'certificate' in message: backend = x509 elif 'signature' in message: backend = gpg else: log.warn('Could not determine crypto backend. Message unsigned?') return False if backend in _validate_implementations: return backend.validate(message, **cfg) else: log.warn('Crypto backend %r is disallowed' % backend) return False
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(message, **config):\n if not _validate_implementations:\n init(**config)\n cfg = copy.deepcopy(config)\n if 'gpg_home' not in cfg:\n cfg['gpg_home'] = os.path.expanduser('~/.gnupg/')\n if 'ssldir' not in cfg:\n cfg['ssldir'] = '/etc/pki/fedmsg'\n if 'crypto' in message:\n if not message['crypto'] in _possible_backends:\n log.warn('Message specified an impossible crypto backend')\n return False\n try:\n backend = _possible_backends[message['crypto']]\n except Exception as e:\n log.warn('Failed to load %r %r' % (message['crypto'], e))\n return False\n elif 'certificate' in message:\n backend = x509\n elif 'signature' in message:\n backend = gpg\n else:\n log.warn('Could not determine crypto backend. Message unsigned?')\n return False\n if backend in _validate_implementations:\n return backend.validate(message, **cfg)\n else:\n log.warn('Crypto backend %r is disallowed' % backend)\n return False\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(message, signer, **config): config = copy.deepcopy(config) config['routing_nitpicky'] = True config['routing_policy'] = {message['topic']: [signer]} return validate(message, **config)
validate_signed_by
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(message, signer, **config):\n config = copy.deepcopy(config)\n config['routing_nitpicky'] = True\n config['routing_policy'] = {message['topic']: [signer]}\n return validate(message, **config)\n", "role": "user" }, { "content": "validate_signed_by", "role": "assistant" } ]
def x(message): message = copy.deepcopy(message) for field in ['signature', 'certificate']: if field in message: del message[field] return message
strip_credentials
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(message):\n message = copy.deepcopy(message)\n for field in ['signature', 'certificate']:\n if field in message:\n del message[field]\n return message\n", "role": "user" }, { "content": "strip_credentials", "role": "assistant" } ]