source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self, stream, start, end):
values = []
self.expect(stream, start)
self.skip_whitespace_or_comment(stream)
if self.has_next(end, stream):
self.expect(stream, end)
return values
while 1:
self.skip_whitespace_or_comment(stream)
values.append(self.parse_value(stream))
self.skip_whitespace_or_comment(stream)
if self.has_next(end, stream):
self.expect(stream, end)
return values
self.expect(stream, self.seporator)
|
parse_iterable
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stream, start, end):\n values = []\n self.expect(stream, start)\n self.skip_whitespace_or_comment(stream)\n if self.has_next(end, stream):\n self.expect(stream, end)\n return values\n while 1:\n self.skip_whitespace_or_comment(stream)\n values.append(self.parse_value(stream))\n self.skip_whitespace_or_comment(stream)\n if self.has_next(end, stream):\n self.expect(stream, end)\n return values\n self.expect(stream, self.seporator)\n",
"role": "user"
},
{
"content": "parse_iterable",
"role": "assistant"
}
] |
def x(self, stream):
value = b''
self.expect(stream, self.begin_units)
while not self.has_next(self.end_units, stream):
if self.has_eof(stream):
self.raise_unexpected_eof(stream)
value += stream.read(1)
self.expect(stream, self.end_units)
return value.strip(b''.join(self.whitespace)).decode('utf-8')
|
parse_units
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stream):\n value = b''\n self.expect(stream, self.begin_units)\n while not self.has_next(self.end_units, stream):\n if self.has_eof(stream):\n self.raise_unexpected_eof(stream)\n value += stream.read(1)\n self.expect(stream, self.end_units)\n return value.strip(b''.join(self.whitespace)).decode('utf-8')\n",
"role": "user"
},
{
"content": "parse_units",
"role": "assistant"
}
] |
def x(self, stream):
if self.has_quoted_string(stream):
return self.parse_quoted_string(stream)
if self.has_binary_number(stream):
return self.parse_binary_number(stream)
if self.has_octal_number(stream):
return self.parse_octal_number(stream)
if self.has_decimal_number(stream):
return self.parse_decimal_number(stream)
if self.has_hex_number(stream):
return self.parse_hex_number(stream)
if self.has_unquoated_string(stream):
return self.parse_unquoated_string(stream)
if self.has_end(stream):
return self.broken_assignment(stream.lineno)
self.raise_unexpected(stream)
|
parse_simple_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stream):\n if self.has_quoted_string(stream):\n return self.parse_quoted_string(stream)\n if self.has_binary_number(stream):\n return self.parse_binary_number(stream)\n if self.has_octal_number(stream):\n return self.parse_octal_number(stream)\n if self.has_decimal_number(stream):\n return self.parse_decimal_number(stream)\n if self.has_hex_number(stream):\n return self.parse_hex_number(stream)\n if self.has_unquoated_string(stream):\n return self.parse_unquoated_string(stream)\n if self.has_end(stream):\n return self.broken_assignment(stream.lineno)\n self.raise_unexpected(stream)\n",
"role": "user"
},
{
"content": "parse_simple_value",
"role": "assistant"
}
] |
def x(self, radix, chars, stream):
value = b''
sign = self.parse_sign(stream)
self.expect(stream, b(str(radix)) + self.radix_symbole)
sign *= self.parse_sign(stream)
while not self.has_next(self.radix_symbole, stream):
next = stream.read(1)
if not next:
self.raise_unexpected_eof(stream)
if next not in chars:
self.raise_unexpected(stream, next)
value += next
if not value:
self.raise_unexpected(stream, self.radix_symbole)
self.expect(stream, self.radix_symbole)
return sign * int(value, radix)
|
parse_radix
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, radix, chars, stream):\n value = b''\n sign = self.parse_sign(stream)\n self.expect(stream, b(str(radix)) + self.radix_symbole)\n sign *= self.parse_sign(stream)\n while not self.has_next(self.radix_symbole, stream):\n next = stream.read(1)\n if not next:\n self.raise_unexpected_eof(stream)\n if next not in chars:\n self.raise_unexpected(stream, next)\n value += next\n if not value:\n self.raise_unexpected(stream, self.radix_symbole)\n self.expect(stream, self.radix_symbole)\n return sign * int(value, radix)\n",
"role": "user"
},
{
"content": "parse_radix",
"role": "assistant"
}
] |
def x(self, field=None):
assert field is not None, "The field parameter must be passed to the 'varchar' method."
max_length = field.max_length
def x():
length = random.choice(range(1, max_length + 1))
return ''.join(random.choice(general_chars) for i in xrange(length))
return self.get_allowed_value(source, field)
|
varchar
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field=None):\n assert field is not None, \"The field parameter must be passed to the 'varchar' method.\"\n max_length = field.max_length\n\n def x():\n length = random.choice(range(1, max_length + 1))\n return ''.join(random.choice(general_chars) for i in xrange(length))\n return self.get_allowed_value(source, field)\n",
"role": "user"
},
{
"content": "varchar",
"role": "assistant"
}
] |
def x(self, pattern, field=None):
return self.get_allowed_value(lambda : self.faker.bothify(pattern), field)
|
simple_pattern
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pattern, field=None):\n return self.get_allowed_value(lambda : self.faker.bothify(pattern), field)\n",
"role": "user"
},
{
"content": "simple_pattern",
"role": "assistant"
}
] |
def x(self, field=None, val=None):
if val is None:
def x():
tzinfo = get_default_timezone() if settings.USE_TZ else None
return datetime.fromtimestamp(randrange(1, 2100000000), tzinfo)
else:
def x():
tzinfo = get_default_timezone() if settings.USE_TZ else None
return datetime.fromtimestamp(int(val.strftime('%s')) +
randrange(-365 * 24 * 3600 * 2, 365 * 24 * 3600 * 2), tzinfo)
return self.get_allowed_value(source, field)
|
datetime
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field=None, val=None):\n if val is None:\n\n def x():\n tzinfo = get_default_timezone() if settings.USE_TZ else None\n return datetime.fromtimestamp(randrange(1, 2100000000), tzinfo)\n else:\n\n def x():\n tzinfo = get_default_timezone() if settings.USE_TZ else None\n return datetime.fromtimestamp(int(val.strftime('%s')) +\n randrange(-365 * 24 * 3600 * 2, 365 * 24 * 3600 * 2), tzinfo)\n return self.get_allowed_value(source, field)\n",
"role": "user"
},
{
"content": "datetime",
"role": "assistant"
}
] |
def x(self, field=None, val=None):
return self.datetime(field=field, val=val).date()
|
date
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field=None, val=None):\n return self.datetime(field=field, val=val).date()\n",
"role": "user"
},
{
"content": "date",
"role": "assistant"
}
] |
def x(self, field=None, val=None):
if val == '':
return ''
if val is not None:
def x(length):
collect = ''
while len(collect) < length:
collect += ' %s' % self.faker.sentence()
collect = collect[:length]
return collect
def x():
parts = val.split('\n')
for i, p in enumerate(parts):
parts[i] = generate(len(p))
return '\n'.join(parts)
else:
def x():
return ' '.join(self.faker.sentences())
return self.get_allowed_value(source, field)
|
lorem
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field=None, val=None):\n if val == '':\n return ''\n if val is not None:\n\n def x(length):\n collect = ''\n while len(collect) < length:\n collect += ' %s' % self.faker.sentence()\n collect = collect[:length]\n return collect\n\n def x():\n parts = val.split('\\n')\n for i, p in enumerate(parts):\n parts[i] = generate(len(p))\n return '\\n'.join(parts)\n else:\n\n def x():\n return ' '.join(self.faker.sentences())\n return self.get_allowed_value(source, field)\n",
"role": "user"
},
{
"content": "lorem",
"role": "assistant"
}
] |
def x(self, field=None, val=None):
lorem_text = self.lorem(field, val)
max_length = getattr(field, 'max_length', None)
suffix_str = str(self.unique_suffixes[field])
unique_text = lorem_text + suffix_str
if max_length is not None:
unique_text = unique_text[-max_length:]
self.unique_suffixes[field] += 1
return unique_text
|
unique_lorem
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, field=None, val=None):\n lorem_text = self.lorem(field, val)\n max_length = getattr(field, 'max_length', None)\n suffix_str = str(self.unique_suffixes[field])\n unique_text = lorem_text + suffix_str\n if max_length is not None:\n unique_text = unique_text[-max_length:]\n self.unique_suffixes[field] += 1\n return unique_text\n",
"role": "user"
},
{
"content": "unique_lorem",
"role": "assistant"
}
] |
def x(self, obj):
for attname, field, replacer in self.replacers:
currentval = getattr(obj, attname)
replacement = replacer(self, obj, field, currentval)
setattr(obj, attname, replacement)
|
alter_object
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj):\n for attname, field, replacer in self.replacers:\n currentval = getattr(obj, attname)\n replacement = replacer(self, obj, field, currentval)\n setattr(obj, attname, replacement)\n",
"role": "user"
},
{
"content": "alter_object",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return anon.faker.uuid(field=field)
|
uuid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return anon.faker.uuid(field=field)\n",
"role": "user"
},
{
"content": "uuid",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return anon.faker.varchar(field=field)
|
varchar
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return anon.faker.varchar(field=field)\n",
"role": "user"
},
{
"content": "varchar",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return anon.faker.bool(field=field)
|
bool
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return anon.faker.bool(field=field)\n",
"role": "user"
},
{
"content": "bool",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return anon.faker.integer(field=field)
|
integer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return anon.faker.integer(field=field)\n",
"role": "user"
},
{
"content": "integer",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return anon.faker.positive_integer(field=field)
|
positive_integer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return anon.faker.positive_integer(field=field)\n",
"role": "user"
},
{
"content": "positive_integer",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return anon.faker.small_integer(field=field)
|
small_integer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return anon.faker.small_integer(field=field)\n",
"role": "user"
},
{
"content": "small_integer",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return anon.faker.positive_small_integer(field=field)
|
positive_small_integer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return anon.faker.positive_small_integer(field=field)\n",
"role": "user"
},
{
"content": "positive_small_integer",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return anon.faker.datetime(field=field)
|
datetime
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return anon.faker.datetime(field=field)\n",
"role": "user"
},
{
"content": "datetime",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return anon.faker.date(field=field)
|
date
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return anon.faker.date(field=field)\n",
"role": "user"
},
{
"content": "date",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return anon.faker.decimal(field=field)
|
decimal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return anon.faker.decimal(field=field)\n",
"role": "user"
},
{
"content": "decimal",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return anon.faker.postcode(field=field)
|
postcode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return anon.faker.postcode(field=field)\n",
"role": "user"
},
{
"content": "postcode",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return anon.faker.country(field=field)
|
country
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return anon.faker.country(field=field)\n",
"role": "user"
},
{
"content": "country",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return anon.faker.user_name(field=field)
|
username
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return anon.faker.user_name(field=field)\n",
"role": "user"
},
{
"content": "username",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return anon.faker.first_name(field=field)
|
first_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return anon.faker.first_name(field=field)\n",
"role": "user"
},
{
"content": "first_name",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return anon.faker.last_name(field=field)
|
last_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return anon.faker.last_name(field=field)\n",
"role": "user"
},
{
"content": "last_name",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return anon.faker.name(field=field)
|
name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return anon.faker.name(field=field)\n",
"role": "user"
},
{
"content": "name",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return anon.faker.email(field=field)
|
email
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return anon.faker.email(field=field)\n",
"role": "user"
},
{
"content": "email",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return val if 'betterworks.com' in val else '@'.join([anon.faker.
user_name(field=field), val.split('@')[-1]])
|
similar_email
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return val if 'betterworks.com' in val else '@'.join([anon.faker.\n user_name(field=field), val.split('@')[-1]])\n",
"role": "user"
},
{
"content": "similar_email",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return anon.faker.address(field=field)
|
full_address
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return anon.faker.address(field=field)\n",
"role": "user"
},
{
"content": "full_address",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return anon.faker.phone_number(field=field)
|
phonenumber
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return anon.faker.phone_number(field=field)\n",
"role": "user"
},
{
"content": "phonenumber",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return anon.faker.street_address(field=field)
|
street_address
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return anon.faker.street_address(field=field)\n",
"role": "user"
},
{
"content": "street_address",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return anon.faker.city(field=field)
|
city
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return anon.faker.city(field=field)\n",
"role": "user"
},
{
"content": "city",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return anon.faker.state(field=field)
|
state
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return anon.faker.state(field=field)\n",
"role": "user"
},
{
"content": "state",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return anon.faker.zipcode(field=field)
|
zip_code
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return anon.faker.zipcode(field=field)\n",
"role": "user"
},
{
"content": "zip_code",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return anon.faker.company(field=field)
|
company
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return anon.faker.company(field=field)\n",
"role": "user"
},
{
"content": "company",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return ' '.join(anon.faker.sentences(field=field))
|
lorem
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return ' '.join(anon.faker.sentences(field=field))\n",
"role": "user"
},
{
"content": "lorem",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return anon.faker.unique_lorem(field=field)
|
unique_lorem
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return anon.faker.unique_lorem(field=field)\n",
"role": "user"
},
{
"content": "unique_lorem",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return anon.faker.datetime(field=field, val=val)
|
similar_datetime
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return anon.faker.datetime(field=field, val=val)\n",
"role": "user"
},
{
"content": "similar_datetime",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return anon.faker.date(field=field, val=val)
|
similar_date
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return anon.faker.date(field=field, val=val)\n",
"role": "user"
},
{
"content": "similar_date",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return anon.faker.lorem(field=field, val=val)
|
similar_lorem
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return anon.faker.lorem(field=field, val=val)\n",
"role": "user"
},
{
"content": "similar_lorem",
"role": "assistant"
}
] |
def x(anon, obj, field, val):
return anon.faker.choice(field=field)
|
choice
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(anon, obj, field, val):\n return anon.faker.choice(field=field)\n",
"role": "user"
},
{
"content": "choice",
"role": "assistant"
}
] |
def x(stream, cls=PVLDecoder, strict=True, **kwargs):
decoder = __create_decoder(cls, strict, **kwargs)
if isinstance(stream, six.string_types):
with open(stream, 'rb') as fp:
return decoder.decode(fp)
return decoder.decode(stream)
|
load
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stream, cls=PVLDecoder, strict=True, **kwargs):\n decoder = __create_decoder(cls, strict, **kwargs)\n if isinstance(stream, six.string_types):\n with open(stream, 'rb') as fp:\n return decoder.decode(fp)\n return decoder.decode(stream)\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(data, cls=PVLDecoder, strict=True, **kwargs):
decoder = __create_decoder(cls, strict, **kwargs)
if not isinstance(data, bytes):
data = data.encode('utf-8')
return decoder.decode(data)
|
loads
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, cls=PVLDecoder, strict=True, **kwargs):\n decoder = __create_decoder(cls, strict, **kwargs)\n if not isinstance(data, bytes):\n data = data.encode('utf-8')\n return decoder.decode(data)\n",
"role": "user"
},
{
"content": "loads",
"role": "assistant"
}
] |
def x(module, stream, cls=PVLEncoder, **kwargs):
if isinstance(stream, six.string_types):
with open(stream, 'wb') as fp:
return cls(**kwargs).encode(module, fp)
cls(**kwargs).encode(module, stream)
|
dump
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(module, stream, cls=PVLEncoder, **kwargs):\n if isinstance(stream, six.string_types):\n with open(stream, 'wb') as fp:\n return cls(**kwargs).encode(module, fp)\n cls(**kwargs).encode(module, stream)\n",
"role": "user"
},
{
"content": "dump",
"role": "assistant"
}
] |
def x(module, cls=PVLEncoder, **kwargs):
stream = io.BytesIO()
cls(**kwargs).encode(module, stream)
return stream.getvalue()
|
dumps
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(module, cls=PVLEncoder, **kwargs):\n stream = io.BytesIO()\n cls(**kwargs).encode(module, stream)\n return stream.getvalue()\n",
"role": "user"
},
{
"content": "dumps",
"role": "assistant"
}
] |
def x(dict_method_name: str):
def x(self, *args, **kwargs):
return self._s_request_reply({Msgs.cmd: Cmds.run_dict_method, Msgs.
info: dict_method_name, Msgs.args: args, Msgs.kwargs: kwargs})
remote_method.__name__ = dict_method_name
return remote_method
|
create_remote_dict_method
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dict_method_name: str):\n\n def x(self, *args, **kwargs):\n return self._s_request_reply({Msgs.cmd: Cmds.run_dict_method, Msgs.\n info: dict_method_name, Msgs.args: args, Msgs.kwargs: kwargs})\n remote_method.__name__ = dict_method_name\n return remote_method\n",
"role": "user"
},
{
"content": "create_remote_dict_method",
"role": "assistant"
}
] |
def x(self, request):
state_method_name, args, kwargs = request[Msgs.info], request[Msgs.args
], request[Msgs.kwargs]
with self.mutate_safely():
self.reply(getattr(self.state, state_method_name)(*args, **kwargs))
|
run_dict_method
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n state_method_name, args, kwargs = request[Msgs.info], request[Msgs.args\n ], request[Msgs.kwargs]\n with self.mutate_safely():\n self.reply(getattr(self.state, state_method_name)(*args, **kwargs))\n",
"role": "user"
},
{
"content": "run_dict_method",
"role": "assistant"
}
] |
def x(self, request):
fn = serializer.loads_fn(request[Msgs.info])
args, kwargs = request[Msgs.args], request[Msgs.kwargs]
with self.mutate_safely():
self.reply(fn(self.state, *args, **kwargs))
|
run_fn_atomically
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request):\n fn = serializer.loads_fn(request[Msgs.info])\n args, kwargs = request[Msgs.args], request[Msgs.kwargs]\n with self.mutate_safely():\n self.reply(fn(self.state, *args, **kwargs))\n",
"role": "user"
},
{
"content": "run_fn_atomically",
"role": "assistant"
}
] |
def x(*signal_handler_args):
parent = psutil.Process()
procs = parent.children(recursive=True)
if procs:
print(f'[ZProc] Cleaning up {parent.name()!r} ({os.getpid()})...')
for p in procs:
with suppress(psutil.NoSuchProcess):
p.terminate()
_, alive = psutil.wait_procs(procs, timeout=0.5)
for p in alive:
with suppress(psutil.NoSuchProcess):
p.kill()
try:
signum = signal_handler_args[0]
except IndexError:
pass
else:
os._exit(signum)
|
clean_process_tree
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*signal_handler_args):\n parent = psutil.Process()\n procs = parent.children(recursive=True)\n if procs:\n print(f'[ZProc] Cleaning up {parent.name()!r} ({os.getpid()})...')\n for p in procs:\n with suppress(psutil.NoSuchProcess):\n p.terminate()\n _, alive = psutil.wait_procs(procs, timeout=0.5)\n for p in alive:\n with suppress(psutil.NoSuchProcess):\n p.kill()\n try:\n signum = signal_handler_args[0]\n except IndexError:\n pass\n else:\n os._exit(signum)\n",
"role": "user"
},
{
"content": "clean_process_tree",
"role": "assistant"
}
] |
def x(msg, send: Callable, recv: Callable):
try:
send(msg)
except Exception:
raise
try:
return recv()
except Exception:
with suppress(zmq.error.Again):
recv()
raise
|
strict_request_reply
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(msg, send: Callable, recv: Callable):\n try:\n send(msg)\n except Exception:\n raise\n try:\n return recv()\n except Exception:\n with suppress(zmq.error.Again):\n recv()\n raise\n",
"role": "user"
},
{
"content": "strict_request_reply",
"role": "assistant"
}
] |
def x(server_address: str=None, *, backend: Callable=multiprocessing.Process
) ->Tuple[multiprocessing.Process, str]:
recv_conn, send_conn = multiprocessing.Pipe()
server_process = backend(target=main, args=[server_address, send_conn])
server_process.start()
try:
with recv_conn:
server_meta: ServerMeta = serializer.loads(recv_conn.recv_bytes())
except zmq.ZMQError as e:
if e.errno == 98:
raise ConnectionError(
'Encountered - %s. Perhaps the server is already running?' %
repr(e))
if e.errno == 22:
raise ValueError(
'Encountered - %s. `server_address` must be a string containing a valid endpoint.'
% repr(e))
raise
return server_process, server_meta.state_router
|
start_server
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(server_address: str=None, *, backend: Callable=multiprocessing.Process\n ) ->Tuple[multiprocessing.Process, str]:\n recv_conn, send_conn = multiprocessing.Pipe()\n server_process = backend(target=main, args=[server_address, send_conn])\n server_process.start()\n try:\n with recv_conn:\n server_meta: ServerMeta = serializer.loads(recv_conn.recv_bytes())\n except zmq.ZMQError as e:\n if e.errno == 98:\n raise ConnectionError(\n 'Encountered - %s. Perhaps the server is already running?' %\n repr(e))\n if e.errno == 22:\n raise ValueError(\n 'Encountered - %s. `server_address` must be a string containing a valid endpoint.'\n % repr(e))\n raise\n return server_process, server_meta.state_router\n",
"role": "user"
},
{
"content": "start_server",
"role": "assistant"
}
] |
def x(server_address: str, *, timeout: float=None, payload: Union[bytes]=None
) ->int:
if payload is None:
payload = os.urandom(56)
with util.create_zmq_ctx() as zmq_ctx:
with zmq_ctx.socket(zmq.DEALER) as dealer_sock:
dealer_sock.connect(server_address)
if timeout is not None:
dealer_sock.setsockopt(zmq.RCVTIMEO, int(timeout * 1000))
dealer_sock.send(serializer.dumps({Msgs.cmd: Cmds.ping, Msgs.
info: payload}))
try:
recv_payload, pid = serializer.loads(dealer_sock.recv())
except zmq.error.Again:
raise TimeoutError(
'Timed-out waiting while for the ZProc server to respond.')
assert recv_payload == payload, "Payload doesn't match! The server connection may be compromised, or unstable."
return pid
|
ping
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(server_address: str, *, timeout: float=None, payload: Union[bytes]=None\n ) ->int:\n if payload is None:\n payload = os.urandom(56)\n with util.create_zmq_ctx() as zmq_ctx:\n with zmq_ctx.socket(zmq.DEALER) as dealer_sock:\n dealer_sock.connect(server_address)\n if timeout is not None:\n dealer_sock.setsockopt(zmq.RCVTIMEO, int(timeout * 1000))\n dealer_sock.send(serializer.dumps({Msgs.cmd: Cmds.ping, Msgs.\n info: payload}))\n try:\n recv_payload, pid = serializer.loads(dealer_sock.recv())\n except zmq.error.Again:\n raise TimeoutError(\n 'Timed-out waiting while for the ZProc server to respond.')\n assert recv_payload == payload, \"Payload doesn't match! The server connection may be compromised, or unstable.\"\n return pid\n",
"role": "user"
},
{
"content": "ping",
"role": "assistant"
}
] |
def x(ctx):
state = ctx.create_state()
state['ready'] = True
for _ in state.when_change('cookies'):
eat_cookie(state)
|
cookie_eater
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx):\n state = ctx.create_state()\n state['ready'] = True\n for _ in state.when_change('cookies'):\n eat_cookie(state)\n",
"role": "user"
},
{
"content": "cookie_eater",
"role": "assistant"
}
] |
def x(self, target: Callable, map_iter: Sequence[Any]=None, *, map_args:
Sequence[Sequence[Any]]=None, args: Sequence=None, map_kwargs: Sequence
[Mapping[str, Any]]=None, kwargs: Mapping=None, pass_state: bool=False,
num_chunks: int=None) ->SequenceTaskResult:
if num_chunks is None:
num_chunks = multiprocessing.cpu_count()
lengths = [len(i) for i in (map_iter, map_args, map_kwargs) if i is not
None]
assert lengths, 'At least one of `map_iter`, `map_args`, or `map_kwargs` must be provided as a non-empty Sequence.'
length = min(lengths)
assert length > num_chunks, '`length`(%d) cannot be less than `num_chunks`(%d)' % (
length, num_chunks)
chunk_length, extra = divmod(length, num_chunks)
if extra:
chunk_length += 1
task_id = util.generate_task_id((chunk_length, length, num_chunks))
iter_chunks = util.make_chunks(map_iter, chunk_length, num_chunks)
args_chunks = util.make_chunks(map_args, chunk_length, num_chunks)
kwargs_chunks = util.make_chunks(map_kwargs, chunk_length, num_chunks)
target_bytes = serializer.dumps_fn(target)
for index in range(num_chunks):
params = iter_chunks[index], args_chunks[index], args, kwargs_chunks[
index], kwargs
task = params, pass_state, self.namespace
self._task_push.send_multipart([util.encode_chunk_id(task_id, index
), target_bytes, serializer.dumps(task)])
return SequenceTaskResult(self.server_address, task_id)
|
map_lazy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target: Callable, map_iter: Sequence[Any]=None, *, map_args:\n Sequence[Sequence[Any]]=None, args: Sequence=None, map_kwargs: Sequence\n [Mapping[str, Any]]=None, kwargs: Mapping=None, pass_state: bool=False,\n num_chunks: int=None) ->SequenceTaskResult:\n if num_chunks is None:\n num_chunks = multiprocessing.cpu_count()\n lengths = [len(i) for i in (map_iter, map_args, map_kwargs) if i is not\n None]\n assert lengths, 'At least one of `map_iter`, `map_args`, or `map_kwargs` must be provided as a non-empty Sequence.'\n length = min(lengths)\n assert length > num_chunks, '`length`(%d) cannot be less than `num_chunks`(%d)' % (\n length, num_chunks)\n chunk_length, extra = divmod(length, num_chunks)\n if extra:\n chunk_length += 1\n task_id = util.generate_task_id((chunk_length, length, num_chunks))\n iter_chunks = util.make_chunks(map_iter, chunk_length, num_chunks)\n args_chunks = util.make_chunks(map_args, chunk_length, num_chunks)\n kwargs_chunks = util.make_chunks(map_kwargs, chunk_length, num_chunks)\n target_bytes = serializer.dumps_fn(target)\n for index in range(num_chunks):\n params = iter_chunks[index], args_chunks[index], args, kwargs_chunks[\n index], kwargs\n task = params, pass_state, self.namespace\n self._task_push.send_multipart([util.encode_chunk_id(task_id, index\n ), target_bytes, serializer.dumps(task)])\n return SequenceTaskResult(self.server_address, task_id)\n",
"role": "user"
},
{
"content": "map_lazy",
"role": "assistant"
}
] |
def x(target: Callable, mi, ma, a, mk, k):
if a is None:
a = []
if k is None:
k = {}
if mi is None and ma is None and mk is None:
return []
elif mi is None and ma is None:
return [target(*a, **mki, **k) for mki in mk]
elif ma is None and mk is None:
return [target(mii, *a, **k) for mii in mi]
elif mk is None and mi is None:
return [target(*mai, *a, **k) for mai in ma]
elif mi is None:
return [target(*mai, *a, **mki, **k) for mai, mki in zip(ma, mk)]
elif ma is None:
return [target(mii, *a, **mki, **k) for mii, mki in zip(mi, mk)]
elif mk is None:
return [target(mii, *mai, *a, **k) for mii, mai in zip(mi, ma)]
else:
return [target(mii, *mai, *a, **mki, **k) for mii, mai, mki in zip(
mi, ma, mk)]
|
map_plus
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(target: Callable, mi, ma, a, mk, k):\n if a is None:\n a = []\n if k is None:\n k = {}\n if mi is None and ma is None and mk is None:\n return []\n elif mi is None and ma is None:\n return [target(*a, **mki, **k) for mki in mk]\n elif ma is None and mk is None:\n return [target(mii, *a, **k) for mii in mi]\n elif mk is None and mi is None:\n return [target(*mai, *a, **k) for mai in ma]\n elif mi is None:\n return [target(*mai, *a, **mki, **k) for mai, mki in zip(ma, mk)]\n elif ma is None:\n return [target(mii, *a, **mki, **k) for mii, mki in zip(mi, mk)]\n elif mk is None:\n return [target(mii, *mai, *a, **k) for mii, mai in zip(mi, ma)]\n else:\n return [target(mii, *mai, *a, **mki, **k) for mii, mai, mki in zip(\n mi, ma, mk)]\n",
"role": "user"
},
{
"content": "map_plus",
"role": "assistant"
}
] |
def x(sig: signal.Signals) ->SignalException:
signal.signal(sig, _sig_exc_handler)
return SignalException(sig)
|
signal_to_exception
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sig: signal.Signals) ->SignalException:\n signal.signal(sig, _sig_exc_handler)\n return SignalException(sig)\n",
"role": "user"
},
{
"content": "signal_to_exception",
"role": "assistant"
}
] |
def x(sig: Union[SignalException, signal.Signals]):
if isinstance(sig, SignalException):
signum = sig.signum
else:
signum = sig.value
signal.signal(signum, signal.SIG_DFL)
|
exception_to_signal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sig: Union[SignalException, signal.Signals]):\n if isinstance(sig, SignalException):\n signum = sig.signum\n else:\n signum = sig.value\n signal.signal(signum, signal.SIG_DFL)\n",
"role": "user"
},
{
"content": "exception_to_signal",
"role": "assistant"
}
] |
def x(fn: Callable) ->Callable:
msg = {Msgs.cmd: Cmds.run_fn_atomically, Msgs.info: serializer.dumps_fn
(fn), Msgs.args: (), Msgs.kwargs: {}}
@wraps(fn)
def x(state: State, *args, **kwargs):
msg[Msgs.args] = args
msg[Msgs.kwargs] = kwargs
return state._s_request_reply(msg)
return wrapper
|
atomic
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fn: Callable) ->Callable:\n msg = {Msgs.cmd: Cmds.run_fn_atomically, Msgs.info: serializer.dumps_fn\n (fn), Msgs.args: (), Msgs.kwargs: {}}\n\n @wraps(fn)\n def x(state: State, *args, **kwargs):\n msg[Msgs.args] = args\n msg[Msgs.kwargs] = kwargs\n return state._s_request_reply(msg)\n return wrapper\n",
"role": "user"
},
{
"content": "atomic",
"role": "assistant"
}
] |
def x(self, server_address: str=None, *, namespace: str=None) ->'State':
if server_address is None:
server_address = self.server_address
if namespace is None:
namespace = self.namespace
return self.__class__(server_address, namespace=namespace)
|
fork
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, server_address: str=None, *, namespace: str=None) ->'State':\n if server_address is None:\n server_address = self.server_address\n if namespace is None:\n namespace = self.namespace\n return self.__class__(server_address, namespace=namespace)\n",
"role": "user"
},
{
"content": "fork",
"role": "assistant"
}
] |
def x(self, value: dict):
self._s_request_reply({Msgs.cmd: Cmds.set_state, Msgs.info: value})
|
set
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value: dict):\n self._s_request_reply({Msgs.cmd: Cmds.set_state, Msgs.info: value})\n",
"role": "user"
},
{
"content": "set",
"role": "assistant"
}
] |
def x(self, *, live: bool=False, timeout: float=None, identical_okay: bool=
False, start_time: bool=None, count: int=None) ->StateWatcher:
return StateWatcher(state=self, live=live, timeout=timeout,
identical_okay=identical_okay, start_time=start_time, count=count)
|
when_change_raw
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *, live: bool=False, timeout: float=None, identical_okay: bool=\n False, start_time: bool=None, count: int=None) ->StateWatcher:\n return StateWatcher(state=self, live=live, timeout=timeout,\n identical_okay=identical_okay, start_time=start_time, count=count)\n",
"role": "user"
},
{
"content": "when_change_raw",
"role": "assistant"
}
] |
def x(self, *keys: Hashable, exclude: bool=False, live: bool=False, timeout:
float=None, identical_okay: bool=False, start_time: bool=None, count:
int=None) ->StateWatcher:
if not keys:
def x(update: StateUpdate) ->dict:
return update.after
else:
if identical_okay:
raise ValueError(
'Passing both `identical_okay` and `keys` is not possible. (Hint: Omit `keys`)'
)
key_set = set(keys)
def x(before, after):
selected = {*before.keys(), *after.keys()}
if exclude:
return selected - key_set
else:
return selected & key_set
def x(update: StateUpdate) ->dict:
before, after = update.before, update.after
try:
if not any(before[k] != after[k] for k in select(before, after)
):
raise _SkipStateUpdate
except KeyError:
pass
return update.after
return StateWatcher(state=self, live=live, timeout=timeout,
identical_okay=identical_okay, start_time=start_time, count=count,
callback=callback)
|
when_change
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *keys: Hashable, exclude: bool=False, live: bool=False, timeout:\n float=None, identical_okay: bool=False, start_time: bool=None, count:\n int=None) ->StateWatcher:\n if not keys:\n\n def x(update: StateUpdate) ->dict:\n return update.after\n else:\n if identical_okay:\n raise ValueError(\n 'Passing both `identical_okay` and `keys` is not possible. (Hint: Omit `keys`)'\n )\n key_set = set(keys)\n\n def x(before, after):\n selected = {*before.keys(), *after.keys()}\n if exclude:\n return selected - key_set\n else:\n return selected & key_set\n\n def x(update: StateUpdate) ->dict:\n before, after = update.before, update.after\n try:\n if not any(before[k] != after[k] for k in select(before, after)\n ):\n raise _SkipStateUpdate\n except KeyError:\n pass\n return update.after\n return StateWatcher(state=self, live=live, timeout=timeout,\n identical_okay=identical_okay, start_time=start_time, count=count,\n callback=callback)\n",
"role": "user"
},
{
"content": "when_change",
"role": "assistant"
}
] |
def x(self, test_fn, *, args: Sequence=None, kwargs: Mapping=None, live:
bool=False, timeout: float=None, identical_okay: bool=False, start_time:
bool=None, count: int=None) ->StateWatcher:
if args is None:
args = []
if kwargs is None:
kwargs = {}
def x(update: StateUpdate) ->dict:
snapshot = update.after
if test_fn(snapshot, *args, **kwargs):
return snapshot
raise _SkipStateUpdate
return StateWatcher(state=self, live=live, timeout=timeout,
identical_okay=identical_okay, start_time=start_time, count=count,
callback=callback)
|
when
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, test_fn, *, args: Sequence=None, kwargs: Mapping=None, live:\n bool=False, timeout: float=None, identical_okay: bool=False, start_time:\n bool=None, count: int=None) ->StateWatcher:\n if args is None:\n args = []\n if kwargs is None:\n kwargs = {}\n\n def x(update: StateUpdate) ->dict:\n snapshot = update.after\n if test_fn(snapshot, *args, **kwargs):\n return snapshot\n raise _SkipStateUpdate\n return StateWatcher(state=self, live=live, timeout=timeout,\n identical_okay=identical_okay, start_time=start_time, count=count,\n callback=callback)\n",
"role": "user"
},
{
"content": "when",
"role": "assistant"
}
] |
def x(self, key: Hashable, value: Any, **when_kwargs) ->StateWatcher:
def x(snapshot):
try:
return snapshot[key] == value
except KeyError:
return False
return self.when(_, **when_kwargs)
|
when_equal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key: Hashable, value: Any, **when_kwargs) ->StateWatcher:\n\n def x(snapshot):\n try:\n return snapshot[key] == value\n except KeyError:\n return False\n return self.when(_, **when_kwargs)\n",
"role": "user"
},
{
"content": "when_equal",
"role": "assistant"
}
] |
def x(self, key: Hashable, **when_kwargs) ->StateWatcher:
return self.when(lambda snapshot: key in snapshot, **when_kwargs)
|
when_available
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key: Hashable, **when_kwargs) ->StateWatcher:\n return self.when(lambda snapshot: key in snapshot, **when_kwargs)\n",
"role": "user"
},
{
"content": "when_available",
"role": "assistant"
}
] |
def x(self):
self.child.terminate()
self._cleanup()
return self.child.exitcode
|
stop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.child.terminate()\n self._cleanup()\n return self.child.exitcode\n",
"role": "user"
},
{
"content": "stop",
"role": "assistant"
}
] |
def x(self, timeout: Union[int, float]=None):
if self._has_returned:
return self._result
if timeout is not None:
target = time.time() + timeout
while time.time() < target:
self.child.join(timeout)
if self.is_alive:
raise TimeoutError(
f'Timed-out while waiting for Process to return. -- {self!r}')
else:
self.child.join()
if self.is_alive:
return None
exitcode = self.exitcode
if exitcode != 0:
raise exceptions.ProcessWaitError(
f'Process finished with a non-zero exitcode ({exitcode}). -- {self!r}'
, exitcode, self)
try:
self._result = serializer.loads(self._result_sock.recv())
except zmq.error.Again:
raise exceptions.ProcessWaitError(
'The Process died before sending its return value. It probably crashed, got killed, or exited without warning.'
, exitcode)
self._has_returned = True
self._cleanup()
return self._result
|
wait
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout: Union[int, float]=None):\n if self._has_returned:\n return self._result\n if timeout is not None:\n target = time.time() + timeout\n while time.time() < target:\n self.child.join(timeout)\n if self.is_alive:\n raise TimeoutError(\n f'Timed-out while waiting for Process to return. -- {self!r}')\n else:\n self.child.join()\n if self.is_alive:\n return None\n exitcode = self.exitcode\n if exitcode != 0:\n raise exceptions.ProcessWaitError(\n f'Process finished with a non-zero exitcode ({exitcode}). -- {self!r}'\n , exitcode, self)\n try:\n self._result = serializer.loads(self._result_sock.recv())\n except zmq.error.Again:\n raise exceptions.ProcessWaitError(\n 'The Process died before sending its return value. It probably crashed, got killed, or exited without warning.'\n , exitcode)\n self._has_returned = True\n self._cleanup()\n return self._result\n",
"role": "user"
},
{
"content": "wait",
"role": "assistant"
}
] |
def x(self, timeout: Union[int, float]=None, safe: bool=False) ->List[Union
[Any, Exception]]:
if safe:
_wait = self._wait_or_catch_exc
else:
_wait = Process.wait
if timeout is None:
return [_wait(process) for process in self]
else:
final = time.time() + timeout
return [_wait(process, final - time.time()) for process in self]
|
wait
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout: Union[int, float]=None, safe: bool=False) ->List[Union\n [Any, Exception]]:\n if safe:\n _wait = self._wait_or_catch_exc\n else:\n _wait = Process.wait\n if timeout is None:\n return [_wait(process) for process in self]\n else:\n final = time.time() + timeout\n return [_wait(process, final - time.time()) for process in self]\n",
"role": "user"
},
{
"content": "wait",
"role": "assistant"
}
] |
def x(self, value: dict=None, *, namespace: str=None):
if namespace is None:
namespace = self.namespace
state = State(self.server_address, namespace=namespace)
if value is not None:
state.update(value)
return state
|
create_state
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value: dict=None, *, namespace: str=None):\n if namespace is None:\n namespace = self.namespace\n state = State(self.server_address, namespace=namespace)\n if value is not None:\n state.update(value)\n return state\n",
"role": "user"
},
{
"content": "create_state",
"role": "assistant"
}
] |
def x(self, target: Callable=None, **process_kwargs) ->Union[Process, Callable
]:
process = Process(self.server_address, target, **{**self.process_kwargs,
**process_kwargs})
self.process_list.append(process)
return process
|
process
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target: Callable=None, **process_kwargs) ->Union[Process, Callable\n ]:\n process = Process(self.server_address, target, **{**self.process_kwargs,\n **process_kwargs})\n self.process_list.append(process)\n return process\n",
"role": "user"
},
{
"content": "process",
"role": "assistant"
}
] |
def x(self, *targets: Callable, count: int=1, **process_kwargs):
if not targets:
def x(target: Callable):
return self.spawn(target, count=count, **process_kwargs)
return wrapper
if len(targets) * count == 1:
return self._process(targets[0], **process_kwargs)
return ProcessList(self._process(target, **process_kwargs) for _ in
range(count) for target in targets)
|
spawn
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *targets: Callable, count: int=1, **process_kwargs):\n if not targets:\n\n def x(target: Callable):\n return self.spawn(target, count=count, **process_kwargs)\n return wrapper\n if len(targets) * count == 1:\n return self._process(targets[0], **process_kwargs)\n return ProcessList(self._process(target, **process_kwargs) for _ in\n range(count) for target in targets)\n",
"role": "user"
},
{
"content": "spawn",
"role": "assistant"
}
] |
def x(self, timeout: Union[int, float]=None, safe: bool=False) ->List[Union
[Any, Exception]]:
return self.process_list.wait(timeout, safe)
|
wait
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout: Union[int, float]=None, safe: bool=False) ->List[Union\n [Any, Exception]]:\n return self.process_list.wait(timeout, safe)\n",
"role": "user"
},
{
"content": "wait",
"role": "assistant"
}
] |
def x(scheduledict):
result = []
def x(d):
nonlocal result
d2 = {}
for k, v in d.items():
if isinstance(v, str) and _cronslash(v, k) is not None:
d[k] = _cronslash(v, k)
for k, v in d.items():
if isinstance(v, Iterable):
continue
else:
d2[k] = v
if len(d2.keys()) == len(d.keys()):
result.append(d2)
return
for k, v in d.items():
if isinstance(v, Iterable):
for i in v:
dprime = dict(**d)
dprime[k] = i
f(dprime)
break
f(scheduledict)
return result
|
expand_scheduledict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(scheduledict):\n result = []\n\n def x(d):\n nonlocal result\n d2 = {}\n for k, v in d.items():\n if isinstance(v, str) and _cronslash(v, k) is not None:\n d[k] = _cronslash(v, k)\n for k, v in d.items():\n if isinstance(v, Iterable):\n continue\n else:\n d2[k] = v\n if len(d2.keys()) == len(d.keys()):\n result.append(d2)\n return\n for k, v in d.items():\n if isinstance(v, Iterable):\n for i in v:\n dprime = dict(**d)\n dprime[k] = i\n f(dprime)\n break\n f(scheduledict)\n return result\n",
"role": "user"
},
{
"content": "expand_scheduledict",
"role": "assistant"
}
] |
def x(f, t=datetime.now(), tLast=datetime.now()):
has_interval = hasattr(f, 'interval')
has_schedule = hasattr(f, 'schedule')
if not has_interval and not has_schedule:
return 0
if has_interval and not has_schedule:
tNext = tLast + timedelta(seconds=f.interval)
return max(total_seconds(tNext - t), 0)
if has_schedule:
interval_min = 3600
for s in f.schedule:
interval = schedule_next(s, t)
if interval < interval_min:
interval_min = interval
return interval_min
|
interval_next
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f, t=datetime.now(), tLast=datetime.now()):\n has_interval = hasattr(f, 'interval')\n has_schedule = hasattr(f, 'schedule')\n if not has_interval and not has_schedule:\n return 0\n if has_interval and not has_schedule:\n tNext = tLast + timedelta(seconds=f.interval)\n return max(total_seconds(tNext - t), 0)\n if has_schedule:\n interval_min = 3600\n for s in f.schedule:\n interval = schedule_next(s, t)\n if interval < interval_min:\n interval_min = interval\n return interval_min\n",
"role": "user"
},
{
"content": "interval_next",
"role": "assistant"
}
] |
def x(status_dict, exclude=[]):
for i, user in enumerate(exclude):
user = user.casefold()
if user[0] == '@':
user = user[1:]
exclude[i] = user
users = [user['username'] for user in status_dict['mentions'] if user[
'username'].casefold() not in exclude]
return users
|
get_mentions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(status_dict, exclude=[]):\n for i, user in enumerate(exclude):\n user = user.casefold()\n if user[0] == '@':\n user = user[1:]\n exclude[i] = user\n users = [user['username'] for user in status_dict['mentions'] if user[\n 'username'].casefold() not in exclude]\n return users\n",
"role": "user"
},
{
"content": "get_mentions",
"role": "assistant"
}
] |
def x(self, error, location=None):
if location == None:
location = inspect.stack()[1][3]
self.log(location, error)
for f in self.report_funcs:
f(error)
|
report_error
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, error, location=None):\n if location == None:\n location = inspect.stack()[1][3]\n self.log(location, error)\n for f in self.report_funcs:\n f(error)\n",
"role": "user"
},
{
"content": "report_error",
"role": "assistant"
}
] |
def x(self, status_dict):
visibility = 'public', 'unlisted', 'private', 'direct'
default_visibility = visibility.index(self.default_visibility)
status_visibility = visibility.index(status_dict['visibility'])
return visibility[max(default_visibility, status_visibility)]
|
get_reply_visibility
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, status_dict):\n visibility = 'public', 'unlisted', 'private', 'direct'\n default_visibility = visibility.index(self.default_visibility)\n status_visibility = visibility.index(status_dict['visibility'])\n return visibility[max(default_visibility, status_visibility)]\n",
"role": "user"
},
{
"content": "get_reply_visibility",
"role": "assistant"
}
] |
def x(spec):
if spec[0] == 'c':
return str(spec[1])
elif spec[0] == 'r':
r = spec[1:]
s = '{}d{}'.format(r[0], r[1])
if len(r) == 4 and (r[2] == 'd' and r[3] < r[0] or r[2] == 'k' and
r[3] > 0):
s += '{}{}'.format(r[2], r[3])
return s
elif spec[0] in ops:
return '{} {} {}'.format(spec_dice(spec[1]), spec[0], spec_dice(
spec[2]))
else:
raise ValueError('Invalid dice specification')
|
spec_dice
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(spec):\n if spec[0] == 'c':\n return str(spec[1])\n elif spec[0] == 'r':\n r = spec[1:]\n s = '{}d{}'.format(r[0], r[1])\n if len(r) == 4 and (r[2] == 'd' and r[3] < r[0] or r[2] == 'k' and \n r[3] > 0):\n s += '{}{}'.format(r[2], r[3])\n return s\n elif spec[0] in ops:\n return '{} {} {}'.format(spec_dice(spec[1]), spec[0], spec_dice(\n spec[2]))\n else:\n raise ValueError('Invalid dice specification')\n",
"role": "user"
},
{
"content": "spec_dice",
"role": "assistant"
}
] |
def x(spec):
if spec[0] == 'c':
return spec
if spec[0] == 'r':
r = spec[1:]
if len(r) == 2:
return 'r', perform_roll(r[0], r[1])
k = r[3] if r[2] == 'k' else -1
d = r[3] if r[2] == 'd' else -1
return 'r', perform_roll(r[0], r[1], k, d)
if spec[0] == 'x':
c = None
roll = None
if spec[1][0] == 'c':
c = spec[1]
elif spec[1][0] == 'r':
roll = spec[1]
if spec[2][0] == 'c':
c = spec[2]
elif spec[2][0] == 'r':
roll = spec[2]
if c == None or roll == None:
return '*', roll_dice(spec[1]), roll_dice(spec[2])
else:
if c[1] > 50:
raise SillyDiceError("I don't have that many dice!")
return 'x', [roll_dice(roll) for i in range(c[1])]
if spec[0] in ops:
return spec[0], roll_dice(spec[1]), roll_dice(spec[2])
else:
raise ValueError('Invalid dice specification')
|
roll_dice
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(spec):\n if spec[0] == 'c':\n return spec\n if spec[0] == 'r':\n r = spec[1:]\n if len(r) == 2:\n return 'r', perform_roll(r[0], r[1])\n k = r[3] if r[2] == 'k' else -1\n d = r[3] if r[2] == 'd' else -1\n return 'r', perform_roll(r[0], r[1], k, d)\n if spec[0] == 'x':\n c = None\n roll = None\n if spec[1][0] == 'c':\n c = spec[1]\n elif spec[1][0] == 'r':\n roll = spec[1]\n if spec[2][0] == 'c':\n c = spec[2]\n elif spec[2][0] == 'r':\n roll = spec[2]\n if c == None or roll == None:\n return '*', roll_dice(spec[1]), roll_dice(spec[2])\n else:\n if c[1] > 50:\n raise SillyDiceError(\"I don't have that many dice!\")\n return 'x', [roll_dice(roll) for i in range(c[1])]\n if spec[0] in ops:\n return spec[0], roll_dice(spec[1]), roll_dice(spec[2])\n else:\n raise ValueError('Invalid dice specification')\n",
"role": "user"
},
{
"content": "roll_dice",
"role": "assistant"
}
] |
def x(spec):
if spec[0] == 'c':
return spec[1]
elif spec[0] == 'r':
return sum(spec[1])
elif spec[0] == 'x':
return [sum_dice(r) for r in spec[1]]
elif spec[0] in ops:
return spec[0], sum_dice(spec[1]), sum_dice(spec[2])
else:
raise ValueError('Invalid dice specification')
|
sum_dice
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(spec):\n if spec[0] == 'c':\n return spec[1]\n elif spec[0] == 'r':\n return sum(spec[1])\n elif spec[0] == 'x':\n return [sum_dice(r) for r in spec[1]]\n elif spec[0] in ops:\n return spec[0], sum_dice(spec[1]), sum_dice(spec[2])\n else:\n raise ValueError('Invalid dice specification')\n",
"role": "user"
},
{
"content": "sum_dice",
"role": "assistant"
}
] |
def x(string, min_length=1):
length = len(string)
k_max = length // 2 + 1
if k_max > THRESHOLD:
k_max = THRESHOLD // 2
repeats = []
i = 0
last_repeat = i
while i < length:
max_count = 0
max_k = 1
for k in range(min_length, k_max):
count = 0
for j in range(i + k, length - k + 1, k):
if string[i:i + k] != string[j:j + k]:
break
count += 1
if count > 0 and count >= max_count:
max_count = count
max_k = k
if max_count > 0:
if last_repeat < i:
repeats.append(Repeat(last_repeat, i))
repeats.append(Repeat(i, i + max_k, max_count))
last_repeat = i + max_k * (max_count + 1)
i += max_k * (max_count + 1)
if last_repeat < i:
repeats.append(Repeat(last_repeat, i))
return repeats
|
short_sequence_repeat_extractor
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string, min_length=1):\n length = len(string)\n k_max = length // 2 + 1\n if k_max > THRESHOLD:\n k_max = THRESHOLD // 2\n repeats = []\n i = 0\n last_repeat = i\n while i < length:\n max_count = 0\n max_k = 1\n for k in range(min_length, k_max):\n count = 0\n for j in range(i + k, length - k + 1, k):\n if string[i:i + k] != string[j:j + k]:\n break\n count += 1\n if count > 0 and count >= max_count:\n max_count = count\n max_k = k\n if max_count > 0:\n if last_repeat < i:\n repeats.append(Repeat(last_repeat, i))\n repeats.append(Repeat(i, i + max_k, max_count))\n last_repeat = i + max_k * (max_count + 1)\n i += max_k * (max_count + 1)\n if last_repeat < i:\n repeats.append(Repeat(last_repeat, i))\n return repeats\n",
"role": "user"
},
{
"content": "short_sequence_repeat_extractor",
"role": "assistant"
}
] |
def x(cls, message):
error_message = '[error] %s' % message
if cls.__raise_exception__:
raise Exception(error_message)
cls.colorprint(error_message, Fore.RED)
sys.exit(1)
|
raiseError
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, message):\n error_message = '[error] %s' % message\n if cls.__raise_exception__:\n raise Exception(error_message)\n cls.colorprint(error_message, Fore.RED)\n sys.exit(1)\n",
"role": "user"
},
{
"content": "raiseError",
"role": "assistant"
}
] |
def x(cls, message):
if type(message) is OrderedDict:
pprint(dict(message))
else:
pprint(message)
|
json
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, message):\n if type(message) is OrderedDict:\n pprint(dict(message))\n else:\n pprint(message)\n",
"role": "user"
},
{
"content": "json",
"role": "assistant"
}
] |
def x(self):
data = {'model': {}}
data['model']['description'] = self.description
data['model']['entity_name'] = self.entity_name
data['model']['package'] = self.package
data['model']['resource_name'] = self.resource_name
data['model']['rest_name'] = self.rest_name
data['model']['extends'] = self.extends
data['model']['get'] = self.allows_get
data['model']['update'] = self.allows_update
data['model']['create'] = self.allows_create
data['model']['delete'] = self.allows_delete
data['model']['root'] = self.is_root
data['model']['userlabel'] = self.userlabel
data['model']['template'] = self.template
data['model']['allowed_job_commands'] = self.allowed_job_commands
data['attributes'] = []
for attribute in self.attributes:
data['attributes'].append(attribute.to_dict())
data['children'] = []
for api in self.child_apis:
data['children'].append(api.to_dict())
return data
|
to_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n data = {'model': {}}\n data['model']['description'] = self.description\n data['model']['entity_name'] = self.entity_name\n data['model']['package'] = self.package\n data['model']['resource_name'] = self.resource_name\n data['model']['rest_name'] = self.rest_name\n data['model']['extends'] = self.extends\n data['model']['get'] = self.allows_get\n data['model']['update'] = self.allows_update\n data['model']['create'] = self.allows_create\n data['model']['delete'] = self.allows_delete\n data['model']['root'] = self.is_root\n data['model']['userlabel'] = self.userlabel\n data['model']['template'] = self.template\n data['model']['allowed_job_commands'] = self.allowed_job_commands\n data['attributes'] = []\n for attribute in self.attributes:\n data['attributes'].append(attribute.to_dict())\n data['children'] = []\n for api in self.child_apis:\n data['children'].append(api.to_dict())\n return data\n",
"role": "user"
},
{
"content": "to_dict",
"role": "assistant"
}
] |
def x(self, data):
if 'model' in data:
model = data['model']
self.description = model['description'
] if 'description' in model else None
self.package = model['package'] if 'package' in model else None
self.extends = model['extends'] if 'extends' in model else []
self.entity_name = model['entity_name'
] if 'entity_name' in model else None
self.rest_name = model['rest_name'] if 'rest_name' in model else None
self.resource_name = model['resource_name'
] if 'resource_name' in model else None
self.allows_get = model['get'] if 'get' in model else False
self.allows_create = model['create'] if 'create' in model else False
self.allows_update = model['update'] if 'update' in model else False
self.allows_delete = model['delete'] if 'delete' in model else False
self.is_root = model['root'] if 'root' in model else False
self.userlabel = model['userlabel'] if 'userlabel' in model else None
self.template = model['template'] if 'template' in model else False
self.allowed_job_commands = model['allowed_job_commands'
] if 'allowed_job_commands' in model else None
if 'attributes' in data:
self.attributes = self._get_attributes(data['attributes'])
if 'children' in data:
self.child_apis = self._get_apis(data['children'])
|
from_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n if 'model' in data:\n model = data['model']\n self.description = model['description'\n ] if 'description' in model else None\n self.package = model['package'] if 'package' in model else None\n self.extends = model['extends'] if 'extends' in model else []\n self.entity_name = model['entity_name'\n ] if 'entity_name' in model else None\n self.rest_name = model['rest_name'] if 'rest_name' in model else None\n self.resource_name = model['resource_name'\n ] if 'resource_name' in model else None\n self.allows_get = model['get'] if 'get' in model else False\n self.allows_create = model['create'] if 'create' in model else False\n self.allows_update = model['update'] if 'update' in model else False\n self.allows_delete = model['delete'] if 'delete' in model else False\n self.is_root = model['root'] if 'root' in model else False\n self.userlabel = model['userlabel'] if 'userlabel' in model else None\n self.template = model['template'] if 'template' in model else False\n self.allowed_job_commands = model['allowed_job_commands'\n ] if 'allowed_job_commands' in model else None\n if 'attributes' in data:\n self.attributes = self._get_attributes(data['attributes'])\n if 'children' in data:\n self.child_apis = self._get_apis(data['children'])\n",
"role": "user"
},
{
"content": "from_dict",
"role": "assistant"
}
] |
def x(self, apis):
ret = []
for data in apis:
ret.append(SpecificationAPI(specification=self, data=data))
return sorted(ret, key=lambda x: x.rest_name[1:])
|
get_apis
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, apis):\n ret = []\n for data in apis:\n ret.append(SpecificationAPI(specification=self, data=data))\n return sorted(ret, key=lambda x: x.rest_name[1:])\n",
"role": "user"
},
{
"content": "get_apis",
"role": "assistant"
}
] |
def x(self):
this_dir = os.path.dirname(__file__)
config_file = os.path.abspath(os.path.join(this_dir, '..', 'config',
'config.json'))
self.generic_enum_attrs = []
self.base_attrs = []
self.generic_enums = []
self.named_entity_attrs = []
self.overide_generic_enums = []
self.enum_attrs_for_locale = {}
self.generic_enum_attrs_for_locale = {}
self.list_subtypes_generic = []
Printer.log('Configuration file: %s' % config_file)
if os.path.isfile(config_file):
with open(config_file, 'r') as input_json:
json_config_data = json.load(input_json)
self.base_attrs = json_config_data['base_attrs']
self.generic_enums = json_config_data['generic_enums']
self.named_entity_attrs = json_config_data['named_entity_attrs']
self.overide_generic_enums = json_config_data['overide_generic_enums']
self.list_subtypes_generic = json_config_data['list_subtypes_generic']
for enum_name, values in self.generic_enums.iteritems():
enum_attr = SpecificationAttribute()
enum_attr.name = enum_name
enum_attr.allowed_choices = values
self.generic_enum_attrs.append(enum_attr)
else:
Printer.log('Configuration file missing: %s' % config_file)
|
read_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n this_dir = os.path.dirname(__file__)\n config_file = os.path.abspath(os.path.join(this_dir, '..', 'config',\n 'config.json'))\n self.generic_enum_attrs = []\n self.base_attrs = []\n self.generic_enums = []\n self.named_entity_attrs = []\n self.overide_generic_enums = []\n self.enum_attrs_for_locale = {}\n self.generic_enum_attrs_for_locale = {}\n self.list_subtypes_generic = []\n Printer.log('Configuration file: %s' % config_file)\n if os.path.isfile(config_file):\n with open(config_file, 'r') as input_json:\n json_config_data = json.load(input_json)\n self.base_attrs = json_config_data['base_attrs']\n self.generic_enums = json_config_data['generic_enums']\n self.named_entity_attrs = json_config_data['named_entity_attrs']\n self.overide_generic_enums = json_config_data['overide_generic_enums']\n self.list_subtypes_generic = json_config_data['list_subtypes_generic']\n for enum_name, values in self.generic_enums.iteritems():\n enum_attr = SpecificationAttribute()\n enum_attr.name = enum_name\n enum_attr.allowed_choices = values\n self.generic_enum_attrs.append(enum_attr)\n else:\n Printer.log('Configuration file missing: %s' % config_file)\n",
"role": "user"
},
{
"content": "read_config",
"role": "assistant"
}
] |
def x(self, specifications):
self.enum_list = []
self.model_list = []
self.job_commands = filter(lambda attr: attr.name == 'command',
specifications.get('job').attributes)[0].allowed_choices
self._write_abstract_named_entity()
self.entity_names = [specification.entity_name for rest_name,
specification in specifications.iteritems()]
for rest_name, specification in specifications.iteritems():
self._write_model(specification=specification)
self.write(destination=self.model_directory, filename='index.js',
template_name='model_index.js.tpl', class_prefix=self._class_prefix,
model_list=sorted(self.model_list))
self.write(destination=self.enum_directory, filename='index.js',
template_name='enum_index.js.tpl', class_prefix=self._class_prefix,
enum_list=sorted(self.enum_list))
self._write_locales(specifications)
|
perform
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, specifications):\n self.enum_list = []\n self.model_list = []\n self.job_commands = filter(lambda attr: attr.name == 'command',\n specifications.get('job').attributes)[0].allowed_choices\n self._write_abstract_named_entity()\n self.entity_names = [specification.entity_name for rest_name,\n specification in specifications.iteritems()]\n for rest_name, specification in specifications.iteritems():\n self._write_model(specification=specification)\n self.write(destination=self.model_directory, filename='index.js',\n template_name='model_index.js.tpl', class_prefix=self._class_prefix,\n model_list=sorted(self.model_list))\n self.write(destination=self.enum_directory, filename='index.js',\n template_name='enum_index.js.tpl', class_prefix=self._class_prefix,\n enum_list=sorted(self.enum_list))\n self._write_locales(specifications)\n",
"role": "user"
},
{
"content": "perform",
"role": "assistant"
}
] |
def x(self):
filename = '%sAbstractNamedEntity.js' % self._class_prefix
superclass_name = '%sEntity' % self._class_prefix
self.write(destination=self.abstract_directory, filename=filename,
template_name='abstract_named_entity.js.tpl', class_prefix=self.
_class_prefix, superclass_name=superclass_name)
|
write_abstract_named_entity
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n filename = '%sAbstractNamedEntity.js' % self._class_prefix\n superclass_name = '%sEntity' % self._class_prefix\n self.write(destination=self.abstract_directory, filename=filename,\n template_name='abstract_named_entity.js.tpl', class_prefix=self.\n _class_prefix, superclass_name=superclass_name)\n",
"role": "user"
},
{
"content": "write_abstract_named_entity",
"role": "assistant"
}
] |
def x(self, specification):
if specification.allowed_job_commands and not set(specification.
allowed_job_commands).issubset(self.job_commands):
raise Exception(
'Invalid allowed_job_commands %s specified in entity %s' % (
specification.allowed_job_commands, specification.entity_name))
specification.supportsAlarms = len(filter(lambda child_api: child_api.
rest_name == 'alarm', specification.child_apis)) == 1
specification.supportsPermissions = len(filter(lambda child_api:
child_api.rest_name == 'enterprisepermission' or child_api.
rest_name == 'permission', specification.child_apis)) > 0
specification.supportsDeploymentFailures = len(filter(lambda child_api:
child_api.rest_name == 'deploymentfailure', specification.child_apis)
) == 1
filename = '%s%s.js' % (self._class_prefix, specification.entity_name)
self.model_list.append('%s%s' % (self._class_prefix, specification.
entity_name))
isNamedEntity = self._isNamedEntity(attributes=specification.attributes
) if specification.rest_name else False
superclass_name = ('RootEntity' if specification.rest_name == self.
api_root else 'AbstractNamedEntity' if isNamedEntity else
'AbstractModel' if not specification.rest_name else 'Entity')
specification.attributes_modified = [attribute for attribute in
specification.attributes if attribute.name not in self.base_attrs and
(not isNamedEntity or attribute.name not in self.named_entity_attrs)]
enum_attributes = [attribute for attribute in specification.
attributes_modified if attribute.allowed_choices]
enum_attrs_to_import = enum_attributes[:]
generic_enum_attrs_in_entity = {}
generic_enum_attributes_to_import = []
for attr in enum_attributes:
if (attr.local_type == 'list' and attr.subtype == 'enum' and attr.
default_value):
attr.default_value = attr.default_value.translate({ord(i): None for
i in ' []"'}).split(',')
if not all(defval in attr.allowed_choices for defval in attr.
default_value):
raise Exception(
'Invalid default value specified for attribute %s in entity %s'
% (attr.name, specification.entity_name))
if (specification.rest_name in self.overide_generic_enums and attr.
name in self.overide_generic_enums[specification.rest_name]):
continue
for generic_enum_attr in self.generic_enum_attrs:
if set(attr.allowed_choices) & set(generic_enum_attr.
allowed_choices):
generic_enum_attrs_in_entity[attr.name] = generic_enum_attr
enum_attrs_to_import.remove(attr)
generic_enum_attributes_to_import.append(generic_enum_attr.name
)
self._write_enums(entity_name=specification.entity_name, attributes=
enum_attrs_to_import)
self.generic_enum_attrs_for_locale[specification.entity_name
] = generic_enum_attrs_in_entity.values()
object_subtypes = set([attribute.subtype for attribute in specification
.attributes if attribute.local_type == 'object' and attribute.subtype])
invalid_object_attributes = [attribute.name for attribute in
specification.attributes_modified if attribute.local_type ==
'object' and not attribute.subtype in self.entity_names]
if invalid_object_attributes:
Printer.log('Spec: %s: Attributes %s use invalid subtypes %s' % (
filename, invalid_object_attributes, object_subtypes))
list_subtypes = set([attribute.subtype for attribute in specification.
attributes if attribute.local_type == 'list' and attribute.subtype
not in self.list_subtypes_generic])
invalid_list_attributes = [attribute.name for attribute in
specification.attributes_modified if attribute.local_type == 'list' and
not attribute.subtype in self.entity_names and not attribute.
subtype in self.list_subtypes_generic]
if invalid_list_attributes:
Printer.log('Spec: %s: Attributes %s use invalid list subtypes %s' %
(filename, invalid_list_attributes, list_subtypes))
if 'object' in list_subtypes:
list_subtypes.remove('object')
if 'entity' in list_subtypes:
list_subtypes.remove('entity')
self.write(destination=self.model_directory, filename=filename,
template_name='entity.js.tpl', class_prefix=self._class_prefix,
specification=specification, superclass_name=superclass_name,
enum_attrs_to_import=enum_attrs_to_import, generic_enum_attributes=
generic_enum_attrs_in_entity, generic_enum_attributes_to_import=set
(generic_enum_attributes_to_import), subtypes_for_import=
object_subtypes.union(list_subtypes))
|
write_model
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, specification):\n if specification.allowed_job_commands and not set(specification.\n allowed_job_commands).issubset(self.job_commands):\n raise Exception(\n 'Invalid allowed_job_commands %s specified in entity %s' % (\n specification.allowed_job_commands, specification.entity_name))\n specification.supportsAlarms = len(filter(lambda child_api: child_api.\n rest_name == 'alarm', specification.child_apis)) == 1\n specification.supportsPermissions = len(filter(lambda child_api: \n child_api.rest_name == 'enterprisepermission' or child_api.\n rest_name == 'permission', specification.child_apis)) > 0\n specification.supportsDeploymentFailures = len(filter(lambda child_api:\n child_api.rest_name == 'deploymentfailure', specification.child_apis)\n ) == 1\n filename = '%s%s.js' % (self._class_prefix, specification.entity_name)\n self.model_list.append('%s%s' % (self._class_prefix, specification.\n entity_name))\n isNamedEntity = self._isNamedEntity(attributes=specification.attributes\n ) if specification.rest_name else False\n superclass_name = ('RootEntity' if specification.rest_name == self.\n api_root else 'AbstractNamedEntity' if isNamedEntity else \n 'AbstractModel' if not specification.rest_name else 'Entity')\n specification.attributes_modified = [attribute for attribute in\n specification.attributes if attribute.name not in self.base_attrs and\n (not isNamedEntity or attribute.name not in self.named_entity_attrs)]\n enum_attributes = [attribute for attribute in specification.\n attributes_modified if attribute.allowed_choices]\n enum_attrs_to_import = enum_attributes[:]\n generic_enum_attrs_in_entity = {}\n generic_enum_attributes_to_import = []\n for attr in enum_attributes:\n if (attr.local_type == 'list' and attr.subtype == 'enum' and attr.\n default_value):\n attr.default_value = attr.default_value.translate({ord(i): None for\n i in ' []\"'}).split(',')\n if not all(defval in attr.allowed_choices for defval in attr.\n default_value):\n raise Exception(\n 'Invalid default value specified for attribute %s in entity %s'\n % (attr.name, specification.entity_name))\n if (specification.rest_name in self.overide_generic_enums and attr.\n name in self.overide_generic_enums[specification.rest_name]):\n continue\n for generic_enum_attr in self.generic_enum_attrs:\n if set(attr.allowed_choices) & set(generic_enum_attr.\n allowed_choices):\n generic_enum_attrs_in_entity[attr.name] = generic_enum_attr\n enum_attrs_to_import.remove(attr)\n generic_enum_attributes_to_import.append(generic_enum_attr.name\n )\n self._write_enums(entity_name=specification.entity_name, attributes=\n enum_attrs_to_import)\n self.generic_enum_attrs_for_locale[specification.entity_name\n ] = generic_enum_attrs_in_entity.values()\n object_subtypes = set([attribute.subtype for attribute in specification\n .attributes if attribute.local_type == 'object' and attribute.subtype])\n invalid_object_attributes = [attribute.name for attribute in\n specification.attributes_modified if attribute.local_type ==\n 'object' and not attribute.subtype in self.entity_names]\n if invalid_object_attributes:\n Printer.log('Spec: %s: Attributes %s use invalid subtypes %s' % (\n filename, invalid_object_attributes, object_subtypes))\n list_subtypes = set([attribute.subtype for attribute in specification.\n attributes if attribute.local_type == 'list' and attribute.subtype\n not in self.list_subtypes_generic])\n invalid_list_attributes = [attribute.name for attribute in\n specification.attributes_modified if attribute.local_type == 'list' and\n not attribute.subtype in self.entity_names and not attribute.\n subtype in self.list_subtypes_generic]\n if invalid_list_attributes:\n Printer.log('Spec: %s: Attributes %s use invalid list subtypes %s' %\n (filename, invalid_list_attributes, list_subtypes))\n if 'object' in list_subtypes:\n list_subtypes.remove('object')\n if 'entity' in list_subtypes:\n list_subtypes.remove('entity')\n self.write(destination=self.model_directory, filename=filename,\n template_name='entity.js.tpl', class_prefix=self._class_prefix,\n specification=specification, superclass_name=superclass_name,\n enum_attrs_to_import=enum_attrs_to_import, generic_enum_attributes=\n generic_enum_attrs_in_entity, generic_enum_attributes_to_import=set\n (generic_enum_attributes_to_import), subtypes_for_import=\n object_subtypes.union(list_subtypes))\n",
"role": "user"
},
{
"content": "write_model",
"role": "assistant"
}
] |
def x(self, entity_name, attributes):
self.enum_attrs_for_locale[entity_name] = attributes
for attribute in attributes:
enum_name = '%s%sEnum' % (entity_name, attribute.name[0].upper() +
attribute.name[1:])
self.enum_list.append(enum_name)
filename = '%s%s.js' % (self._class_prefix, enum_name)
self.write(destination=self.enum_directory, filename=filename,
template_name='enum.js.tpl', class_prefix=self._class_prefix,
enum_name=enum_name, allowed_choices=set(attribute.allowed_choices)
)
|
write_enums
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entity_name, attributes):\n self.enum_attrs_for_locale[entity_name] = attributes\n for attribute in attributes:\n enum_name = '%s%sEnum' % (entity_name, attribute.name[0].upper() +\n attribute.name[1:])\n self.enum_list.append(enum_name)\n filename = '%s%s.js' % (self._class_prefix, enum_name)\n self.write(destination=self.enum_directory, filename=filename,\n template_name='enum.js.tpl', class_prefix=self._class_prefix,\n enum_name=enum_name, allowed_choices=set(attribute.allowed_choices)\n )\n",
"role": "user"
},
{
"content": "write_enums",
"role": "assistant"
}
] |
def x(self):
[t.join() for t in self.threads]
self.threads = list()
|
wait_until_exit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n [t.join() for t in self.threads]\n self.threads = list()\n",
"role": "user"
},
{
"content": "wait_until_exit",
"role": "assistant"
}
] |
def x(self, method, *args, **kwargs):
thread = threading.Thread(target=method, args=args, kwargs=kwargs)
thread.is_daemon = False
thread.start()
self.threads.append(thread)
|
start_task
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, *args, **kwargs):\n thread = threading.Thread(target=method, args=args, kwargs=kwargs)\n thread.is_daemon = False\n thread.start()\n self.threads.append(thread)\n",
"role": "user"
},
{
"content": "start_task",
"role": "assistant"
}
] |
def x(self, specification_name, report):
self._reports[specification_name] = report
self._total = self._total + report.testsRun
self._failures = self._failures + len(report.failures)
self._errors = self._errors + len(report.errors)
self._success = self._total - self._failures - self._errors
|
add_report
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, specification_name, report):\n self._reports[specification_name] = report\n self._total = self._total + report.testsRun\n self._failures = self._failures + len(report.failures)\n self._errors = self._errors + len(report.errors)\n self._success = self._total - self._failures - self._errors\n",
"role": "user"
},
{
"content": "add_report",
"role": "assistant"
}
] |
def x(cls, type_name):
if type_name.lower() in ('enum', 'enumeration'):
return 'enum'
if type_name.lower() in ('str', 'string'):
return 'string'
if type_name.lower() in ('boolean', 'bool'):
return 'boolean'
if type_name.lower() in ('int', 'integer'):
return 'integer'
if type_name.lower() in ('date', 'datetime', 'time'):
return 'time'
if type_name.lower() in ('double', 'float', 'long'):
return 'float'
if type_name.lower() in ('list', 'array'):
return 'list'
if type_name.lower() in ('object', 'dict'):
return 'object'
if 'array' in type_name.lower():
return 'list'
return 'string'
|
massage_type_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, type_name):\n if type_name.lower() in ('enum', 'enumeration'):\n return 'enum'\n if type_name.lower() in ('str', 'string'):\n return 'string'\n if type_name.lower() in ('boolean', 'bool'):\n return 'boolean'\n if type_name.lower() in ('int', 'integer'):\n return 'integer'\n if type_name.lower() in ('date', 'datetime', 'time'):\n return 'time'\n if type_name.lower() in ('double', 'float', 'long'):\n return 'float'\n if type_name.lower() in ('list', 'array'):\n return 'list'\n if type_name.lower() in ('object', 'dict'):\n return 'object'\n if 'array' in type_name.lower():\n return 'list'\n return 'string'\n",
"role": "user"
},
{
"content": "massage_type_name",
"role": "assistant"
}
] |
def x(cls, name, language):
if language in cls.idiomatic_methods_cache:
m = cls.idiomatic_methods_cache[language]
if not m:
return name
return m(name)
found, method = load_language_plugins(language, 'get_idiomatic_name')
if found:
cls.idiomatic_methods_cache[language] = method
if method:
return method(name)
else:
return name
module = importlib.import_module('.lang.%s' % language, package=
'monolithe.generators')
if not hasattr(module, 'get_idiomatic_name'):
cls.idiomatic_methods_cache[language] = None
return name
method = getattr(module, 'get_idiomatic_name')
cls.idiomatic_methods_cache[language] = method
return method(name)
|
get_idiomatic_name_in_language
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, name, language):\n if language in cls.idiomatic_methods_cache:\n m = cls.idiomatic_methods_cache[language]\n if not m:\n return name\n return m(name)\n found, method = load_language_plugins(language, 'get_idiomatic_name')\n if found:\n cls.idiomatic_methods_cache[language] = method\n if method:\n return method(name)\n else:\n return name\n module = importlib.import_module('.lang.%s' % language, package=\n 'monolithe.generators')\n if not hasattr(module, 'get_idiomatic_name'):\n cls.idiomatic_methods_cache[language] = None\n return name\n method = getattr(module, 'get_idiomatic_name')\n cls.idiomatic_methods_cache[language] = method\n return method(name)\n",
"role": "user"
},
{
"content": "get_idiomatic_name_in_language",
"role": "assistant"
}
] |
def x(cls, type_name, sub_type, language):
if language in cls.type_methods_cache:
m = cls.type_methods_cache[language]
if not m:
return type_name
return m(type_name)
found, method = load_language_plugins(language, 'get_type_name')
if found:
cls.type_methods_cache[language] = method
if method:
return method(type_name, sub_type)
else:
return type_name
module = importlib.import_module('.lang.%s' % language, package=
'monolithe.generators')
if not hasattr(module, 'get_type_name'):
cls.type_methods_cache[language] = None
return type_name
method = getattr(module, 'get_type_name')
cls.type_methods_cache[language] = method
return method(type_name, sub_type)
|
get_type_name_in_language
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, type_name, sub_type, language):\n if language in cls.type_methods_cache:\n m = cls.type_methods_cache[language]\n if not m:\n return type_name\n return m(type_name)\n found, method = load_language_plugins(language, 'get_type_name')\n if found:\n cls.type_methods_cache[language] = method\n if method:\n return method(type_name, sub_type)\n else:\n return type_name\n module = importlib.import_module('.lang.%s' % language, package=\n 'monolithe.generators')\n if not hasattr(module, 'get_type_name'):\n cls.type_methods_cache[language] = None\n return type_name\n method = getattr(module, 'get_type_name')\n cls.type_methods_cache[language] = method\n return method(type_name, sub_type)\n",
"role": "user"
},
{
"content": "get_type_name_in_language",
"role": "assistant"
}
] |
def x(type_name, sub_type=None):
if type_name == 'enum':
return type_name
elif type_name == 'boolean':
return 'bool'
elif type_name == 'integer':
return 'long'
elif type_name == 'time':
return 'long'
elif type_name == 'object':
return 'Object'
elif type_name == 'list':
return 'List'
elif type_name == 'float':
return 'float'
else:
return 'String'
|
get_type_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(type_name, sub_type=None):\n if type_name == 'enum':\n return type_name\n elif type_name == 'boolean':\n return 'bool'\n elif type_name == 'integer':\n return 'long'\n elif type_name == 'time':\n return 'long'\n elif type_name == 'object':\n return 'Object'\n elif type_name == 'list':\n return 'List'\n elif type_name == 'float':\n return 'float'\n else:\n return 'String'\n",
"role": "user"
},
{
"content": "get_type_name",
"role": "assistant"
}
] |
def x(self):
self.write(destination=self._base_output_directory, filename='pom.xml',
template_name='pom.xml.tpl', version=self.api_version,
product_accronym=self._product_accronym, class_prefix=self.
_class_prefix, root_api=self.api_root, api_prefix=self.api_prefix,
product_name=self._product_name, name=self._name, header=self.
header_content, version_string=self._api_version_string,
package_prefix=self._package_prefix, library_version=self.
library_version)
|
write_build_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.write(destination=self._base_output_directory, filename='pom.xml',\n template_name='pom.xml.tpl', version=self.api_version,\n product_accronym=self._product_accronym, class_prefix=self.\n _class_prefix, root_api=self.api_root, api_prefix=self.api_prefix,\n product_name=self._product_name, name=self._name, header=self.\n header_content, version_string=self._api_version_string,\n package_prefix=self._package_prefix, library_version=self.\n library_version)\n",
"role": "user"
},
{
"content": "write_build_file",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.