source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(expression, schema=None):
parser = SchemaFreeParser() if schema is None else SchemaAwareParser(schema
)
return parser.parse(expression)
|
find
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expression, schema=None):\n parser = SchemaFreeParser() if schema is None else SchemaAwareParser(schema\n )\n return parser.parse(expression)\n",
"role": "user"
},
{
"content": "find",
"role": "assistant"
}
] |
def x(fields):
from pymongo import ASCENDING, DESCENDING
from bson import SON
if isinstance(fields, str):
fields = [fields]
if not hasattr(fields, '__iter__'):
raise ValueError('expected a list of strings or a string. not a {}'
.format(type(fields)))
sort = []
for field in fields:
if field.startswith('-'):
field = field[1:]
sort.append((field, DESCENDING))
continue
elif field.startswith('+'):
field = field[1:]
sort.append((field, ASCENDING))
return {'$sort': SON(sort)}
|
sort
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fields):\n from pymongo import ASCENDING, DESCENDING\n from bson import SON\n if isinstance(fields, str):\n fields = [fields]\n if not hasattr(fields, '__iter__'):\n raise ValueError('expected a list of strings or a string. not a {}'\n .format(type(fields)))\n sort = []\n for field in fields:\n if field.startswith('-'):\n field = field[1:]\n sort.append((field, DESCENDING))\n continue\n elif field.startswith('+'):\n field = field[1:]\n sort.append((field, ASCENDING))\n return {'$sort': SON(sort)}\n",
"role": "user"
},
{
"content": "sort",
"role": "assistant"
}
] |
def x(obj):
if isinstance(obj, collections.abc.Mapping):
return sorted((k, ordered(v)) for k, v in obj.items())
elif isinstance(obj, str):
return obj
elif isinstance(obj, collections.abc.Iterable):
return sorted(ordered(x) for x in obj)
else:
return obj
|
ordered
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n if isinstance(obj, collections.abc.Mapping):\n return sorted((k, ordered(v)) for k, v in obj.items())\n elif isinstance(obj, str):\n return obj\n elif isinstance(obj, collections.abc.Iterable):\n return sorted(ordered(x) for x in obj)\n else:\n return obj\n",
"role": "user"
},
{
"content": "ordered",
"role": "assistant"
}
] |
def x(root):
classes = [root]
visited = set()
while classes:
cls = classes.pop()
if cls is type or cls in visited:
continue
classes.extend(cls.__subclasses__())
visited.add(cls)
if cls is not root:
yield cls
|
walk_subclasses
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(root):\n classes = [root]\n visited = set()\n while classes:\n cls = classes.pop()\n if cls is type or cls in visited:\n continue\n classes.extend(cls.__subclasses__())\n visited.add(cls)\n if cls is not root:\n yield cls\n",
"role": "user"
},
{
"content": "walk_subclasses",
"role": "assistant"
}
] |
def x(engine, obj):
key = {}
for key_column in obj.Meta.keys:
key_value = getattr(obj, key_column.name, missing)
if key_value is missing:
raise MissingKey('{!r} is missing {}: {!r}'.format(obj,
'hash_key' if key_column.hash_key else 'range_key',
key_column.name))
key_value = engine._dump(key_column.typedef, key_value)
key[key_column.dynamo_name] = key_value
return key
|
dump_key
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(engine, obj):\n key = {}\n for key_column in obj.Meta.keys:\n key_value = getattr(obj, key_column.name, missing)\n if key_value is missing:\n raise MissingKey('{!r} is missing {}: {!r}'.format(obj, \n 'hash_key' if key_column.hash_key else 'range_key',\n key_column.name))\n key_value = engine._dump(key_column.typedef, key_value)\n key[key_column.dynamo_name] = key_value\n return key\n",
"role": "user"
},
{
"content": "dump_key",
"role": "assistant"
}
] |
def x(days=DEFAULT_PASTE_LIFETIME_DAYS):
now = delorean.Delorean()
return now + datetime.timedelta(days=days)
|
new_expiry
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(days=DEFAULT_PASTE_LIFETIME_DAYS):\n now = delorean.Delorean()\n return now + datetime.timedelta(days=days)\n",
"role": "user"
},
{
"content": "new_expiry",
"role": "assistant"
}
] |
def x(obj, engine):
snapshot = Condition()
for column in sorted(_obj_tracking[obj]['marked'], key=lambda col: col.
dynamo_name):
value = getattr(obj, column.name, None)
value = engine._dump(column.typedef, value)
condition = column == value
condition.dumped = True
snapshot &= condition
_obj_tracking[obj]['snapshot'] = snapshot
|
sync
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, engine):\n snapshot = Condition()\n for column in sorted(_obj_tracking[obj]['marked'], key=lambda col: col.\n dynamo_name):\n value = getattr(obj, column.name, None)\n value = engine._dump(column.typedef, value)\n condition = column == value\n condition.dumped = True\n snapshot &= condition\n _obj_tracking[obj]['snapshot'] = snapshot\n",
"role": "user"
},
{
"content": "sync",
"role": "assistant"
}
] |
def x(column, path=None):
pieces = [column.name]
path = path or path_of(column)
for segment in path:
if isinstance(segment, str):
pieces.append(segment)
else:
pieces[-1] += '[{}]'.format(segment)
return '.'.join(pieces)
|
printable_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(column, path=None):\n pieces = [column.name]\n path = path or path_of(column)\n for segment in path:\n if isinstance(segment, str):\n pieces.append(segment)\n else:\n pieces[-1] += '[{}]'.format(segment)\n return '.'.join(pieces)\n",
"role": "user"
},
{
"content": "printable_name",
"role": "assistant"
}
] |
def x(condition):
conditions = list()
visited = set()
if condition.operation in {'and', 'or'}:
conditions.extend(reversed(condition.values))
elif condition.operation == 'not':
conditions.append(condition.values[0])
else:
conditions.append(condition)
while conditions:
condition = conditions.pop()
if condition in visited:
continue
visited.add(condition)
yield condition
if condition.operation in {'and', 'or', 'not'}:
conditions.extend(reversed(condition.values))
|
iter_conditions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(condition):\n conditions = list()\n visited = set()\n if condition.operation in {'and', 'or'}:\n conditions.extend(reversed(condition.values))\n elif condition.operation == 'not':\n conditions.append(condition.values[0])\n else:\n conditions.append(condition)\n while conditions:\n condition = conditions.pop()\n if condition in visited:\n continue\n visited.add(condition)\n yield condition\n if condition.operation in {'and', 'or', 'not'}:\n conditions.extend(reversed(condition.values))\n",
"role": "user"
},
{
"content": "iter_conditions",
"role": "assistant"
}
] |
def x(condition):
visited = set()
for condition in iter_conditions(condition):
if condition.operation in ('and', 'or', 'not'):
continue
column = proxied(condition.column)
if column is None:
continue
if column not in visited:
visited.add(column)
yield column
for value in condition.values:
if isinstance(value, ComparisonMixin):
if value not in visited:
visited.add(value)
yield value
|
iter_columns
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(condition):\n visited = set()\n for condition in iter_conditions(condition):\n if condition.operation in ('and', 'or', 'not'):\n continue\n column = proxied(condition.column)\n if column is None:\n continue\n if column not in visited:\n visited.add(column)\n yield column\n for value in condition.values:\n if isinstance(value, ComparisonMixin):\n if value not in visited:\n visited.add(value)\n yield value\n",
"role": "user"
},
{
"content": "iter_columns",
"role": "assistant"
}
] |
def x(self, column, value, *, dumped=False, inner=False):
ref = ':v{}'.format(self.next_index)
if not dumped:
typedef = column.typedef
for segment in path_of(column):
typedef = typedef[segment]
if inner:
typedef = typedef.inner_typedef
value = self.engine._dump(typedef, value)
self.attr_values[ref] = value
self.counts[ref] += 1
return ref, value
|
value_ref
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, column, value, *, dumped=False, inner=False):\n ref = ':v{}'.format(self.next_index)\n if not dumped:\n typedef = column.typedef\n for segment in path_of(column):\n typedef = typedef[segment]\n if inner:\n typedef = typedef.inner_typedef\n value = self.engine._dump(typedef, value)\n self.attr_values[ref] = value\n self.counts[ref] += 1\n return ref, value\n",
"role": "user"
},
{
"content": "value_ref",
"role": "assistant"
}
] |
def x(self, *, column, value=missing, dumped=False, inner=False):
if value is missing:
name = self._path_ref(column=column)
ref_type = 'name'
value = None
elif isinstance(value, ComparisonMixin):
name = self._path_ref(column=value)
ref_type = 'name'
value = None
else:
name, value = self._value_ref(column=column, value=value, dumped=
dumped, inner=inner)
ref_type = 'value'
return Reference(name=name, type=ref_type, value=value)
|
any_ref
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *, column, value=missing, dumped=False, inner=False):\n if value is missing:\n name = self._path_ref(column=column)\n ref_type = 'name'\n value = None\n elif isinstance(value, ComparisonMixin):\n name = self._path_ref(column=value)\n ref_type = 'name'\n value = None\n else:\n name, value = self._value_ref(column=column, value=value, dumped=\n dumped, inner=inner)\n ref_type = 'value'\n return Reference(name=name, type=ref_type, value=value)\n",
"role": "user"
},
{
"content": "any_ref",
"role": "assistant"
}
] |
def x(self, *refs):
for ref in refs:
name = ref.name
count = self.counts[name]
if count < 1:
continue
elif count > 1:
self.counts[name] -= 1
else:
logger.debug('popping last usage of {}'.format(ref))
self.counts[name] -= 1
if ref.type == 'value':
del self.attr_values[name]
else:
path_segment = self.attr_names[name]
del self.attr_names[name]
del self.name_attr_index[path_segment]
|
pop_refs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *refs):\n for ref in refs:\n name = ref.name\n count = self.counts[name]\n if count < 1:\n continue\n elif count > 1:\n self.counts[name] -= 1\n else:\n logger.debug('popping last usage of {}'.format(ref))\n self.counts[name] -= 1\n if ref.type == 'value':\n del self.attr_values[name]\n else:\n path_segment = self.attr_names[name]\n del self.attr_names[name]\n del self.name_attr_index[path_segment]\n",
"role": "user"
},
{
"content": "pop_refs",
"role": "assistant"
}
] |
def x(self, obj=None, condition=None, atomic=False, update=False, filter=
None, projection=None, key=None):
if (atomic or update) and not obj:
raise InvalidCondition(
'An object is required to render atomic conditions or updates without an object.'
)
if filter:
self.render_filter_expression(filter)
if projection:
self.render_projection_expression(projection)
if key:
self.render_key_expression(key)
condition = (condition or Condition()) & (get_snapshot(obj) if atomic else
Condition())
if condition:
self.render_condition_expression(condition)
if update:
self.render_update_expression(obj)
|
render
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj=None, condition=None, atomic=False, update=False, filter=\n None, projection=None, key=None):\n if (atomic or update) and not obj:\n raise InvalidCondition(\n 'An object is required to render atomic conditions or updates without an object.'\n )\n if filter:\n self.render_filter_expression(filter)\n if projection:\n self.render_projection_expression(projection)\n if key:\n self.render_key_expression(key)\n condition = (condition or Condition()) & (get_snapshot(obj) if atomic else\n Condition())\n if condition:\n self.render_condition_expression(condition)\n if update:\n self.render_update_expression(obj)\n",
"role": "user"
},
{
"content": "render",
"role": "assistant"
}
] |
def x(self):
expressions = {k: v for k, v in self.expressions.items() if v is not None}
if self.refs.attr_names:
expressions['ExpressionAttributeNames'] = self.refs.attr_names
if self.refs.attr_values:
expressions['ExpressionAttributeValues'] = self.refs.attr_values
return expressions
|
rendered
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n expressions = {k: v for k, v in self.expressions.items() if v is not None}\n if self.refs.attr_names:\n expressions['ExpressionAttributeNames'] = self.refs.attr_names\n if self.refs.attr_values:\n expressions['ExpressionAttributeValues'] = self.refs.attr_values\n return expressions\n",
"role": "user"
},
{
"content": "rendered",
"role": "assistant"
}
] |
def x(self, record, key, expected):
attrs = record.get(key)
if attrs is None:
return
obj = unpack_from_dynamodb(attrs=attrs, expected=expected, model=self.
model, engine=self.engine)
object_loaded.send(self.engine, engine=self.engine, obj=obj)
record[key] = obj
|
unpack
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, record, key, expected):\n attrs = record.get(key)\n if attrs is None:\n return\n obj = unpack_from_dynamodb(attrs=attrs, expected=expected, model=self.\n model, engine=self.engine)\n object_loaded.send(self.engine, engine=self.engine, obj=obj)\n record[key] = obj\n",
"role": "user"
},
{
"content": "unpack",
"role": "assistant"
}
] |
def x(record):
return {'key': record['dynamodb'].get('Keys', None), 'new': record[
'dynamodb'].get('NewImage', None), 'old': record['dynamodb'].get(
'OldImage', None), 'meta': {'created_at': record['dynamodb'][
'ApproximateCreationDateTime'], 'event': {'id': record['eventID'],
'type': record['eventName'].lower(), 'version': record[
'eventVersion']}, 'sequence_number': record['dynamodb'][
'SequenceNumber']}}
|
reformat_record
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(record):\n return {'key': record['dynamodb'].get('Keys', None), 'new': record[\n 'dynamodb'].get('NewImage', None), 'old': record['dynamodb'].get(\n 'OldImage', None), 'meta': {'created_at': record['dynamodb'][\n 'ApproximateCreationDateTime'], 'event': {'id': record['eventID'],\n 'type': record['eventName'].lower(), 'version': record[\n 'eventVersion']}, 'sequence_number': record['dynamodb'][\n 'SequenceNumber']}}\n",
"role": "user"
},
{
"content": "reformat_record",
"role": "assistant"
}
] |
def x(shards, stream_arn, session):
if not shards:
return {}
if 'ShardId' in shards[0]:
shards = _translate_shards(shards)
by_id = {shard_token['shard_id']: Shard(stream_arn=stream_arn, shard_id
=shard_token['shard_id'], iterator_type=shard_token.get(
'iterator_type'), sequence_number=shard_token.get('sequence_number'
), parent=shard_token.get('parent'), session=session) for
shard_token in shards}
for shard in by_id.values():
if shard.parent:
shard.parent = by_id[shard.parent]
shard.parent.children.append(shard)
return by_id
|
unpack_shards
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(shards, stream_arn, session):\n if not shards:\n return {}\n if 'ShardId' in shards[0]:\n shards = _translate_shards(shards)\n by_id = {shard_token['shard_id']: Shard(stream_arn=stream_arn, shard_id\n =shard_token['shard_id'], iterator_type=shard_token.get(\n 'iterator_type'), sequence_number=shard_token.get('sequence_number'\n ), parent=shard_token.get('parent'), session=session) for\n shard_token in shards}\n for shard in by_id.values():\n if shard.parent:\n shard.parent = by_id[shard.parent]\n shard.parent.children.append(shard)\n return by_id\n",
"role": "user"
},
{
"content": "unpack_shards",
"role": "assistant"
}
] |
def x(self):
if self.iterator_type in RELATIVE_ITERATORS:
logger.warning('creating shard token at non-exact location "{}"'.
format(self.iterator_type))
token = {'stream_arn': self.stream_arn, 'shard_id': self.shard_id,
'iterator_type': self.iterator_type, 'sequence_number': self.
sequence_number}
if self.parent:
token['parent'] = self.parent.shard_id
if not self.iterator_type:
del token['iterator_type']
if not self.sequence_number:
del token['sequence_number']
return token
|
token
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.iterator_type in RELATIVE_ITERATORS:\n logger.warning('creating shard token at non-exact location \"{}\"'.\n format(self.iterator_type))\n token = {'stream_arn': self.stream_arn, 'shard_id': self.shard_id,\n 'iterator_type': self.iterator_type, 'sequence_number': self.\n sequence_number}\n if self.parent:\n token['parent'] = self.parent.shard_id\n if not self.iterator_type:\n del token['iterator_type']\n if not self.sequence_number:\n del token['sequence_number']\n return token\n",
"role": "user"
},
{
"content": "token",
"role": "assistant"
}
] |
def x(self):
shards = collections.deque([self])
while shards:
shard = shards.popleft()
yield shard
shards.extend(shard.children)
|
walk_tree
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n shards = collections.deque([self])\n while shards:\n shard = shards.popleft()\n yield shard\n shards.extend(shard.children)\n",
"role": "user"
},
{
"content": "walk_tree",
"role": "assistant"
}
] |
def x(self, *, iterator_type, sequence_number=None):
self.iterator_id = self.session.get_shard_iterator(stream_arn=self.
stream_arn, shard_id=self.shard_id, iterator_type=iterator_type,
sequence_number=sequence_number)
self.iterator_type = iterator_type
self.sequence_number = sequence_number
self.empty_responses = 0
|
jump_to
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *, iterator_type, sequence_number=None):\n self.iterator_id = self.session.get_shard_iterator(stream_arn=self.\n stream_arn, shard_id=self.shard_id, iterator_type=iterator_type,\n sequence_number=sequence_number)\n self.iterator_type = iterator_type\n self.sequence_number = sequence_number\n self.empty_responses = 0\n",
"role": "user"
},
{
"content": "jump_to",
"role": "assistant"
}
] |
def x(self, position):
self.jump_to(iterator_type='trim_horizon')
position = int(position.timestamp())
while not self.exhausted and self.empty_responses < CALLS_TO_REACH_HEAD:
records = self.get_records()
if records and records[-1]['meta']['created_at'].timestamp(
) >= position:
for offset, record in enumerate(reversed(records)):
if record['meta']['created_at'].timestamp() < position:
index = len(records) - offset
return records[index:]
return records
return []
|
seek_to
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, position):\n self.jump_to(iterator_type='trim_horizon')\n position = int(position.timestamp())\n while not self.exhausted and self.empty_responses < CALLS_TO_REACH_HEAD:\n records = self.get_records()\n if records and records[-1]['meta']['created_at'].timestamp(\n ) >= position:\n for offset, record in enumerate(reversed(records)):\n if record['meta']['created_at'].timestamp() < position:\n index = len(records) - offset\n return records[index:]\n return records\n return []\n",
"role": "user"
},
{
"content": "seek_to",
"role": "assistant"
}
] |
def x(self):
if self.children:
return self.children
by_parent = collections.defaultdict(list)
by_id = {}
for shard in self.session.describe_stream(stream_arn=self.stream_arn,
first_shard=self.shard_id)['Shards']:
parent_list = by_parent[shard.get('ParentShardId')]
shard = Shard(stream_arn=self.stream_arn, shard_id=shard['ShardId'],
parent=shard.get('ParentShardId'), session=self.session)
parent_list.append(shard)
by_id[shard.shard_id] = shard
by_id[self.shard_id] = self
to_insert = collections.deque(by_parent[self.shard_id])
while to_insert:
shard = to_insert.popleft()
shard.parent = by_id[shard.parent]
shard.parent.children.append(shard)
to_insert.extend(by_parent[shard.shard_id])
return self.children
|
load_children
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.children:\n return self.children\n by_parent = collections.defaultdict(list)\n by_id = {}\n for shard in self.session.describe_stream(stream_arn=self.stream_arn,\n first_shard=self.shard_id)['Shards']:\n parent_list = by_parent[shard.get('ParentShardId')]\n shard = Shard(stream_arn=self.stream_arn, shard_id=shard['ShardId'],\n parent=shard.get('ParentShardId'), session=self.session)\n parent_list.append(shard)\n by_id[shard.shard_id] = shard\n by_id[self.shard_id] = self\n to_insert = collections.deque(by_parent[self.shard_id])\n while to_insert:\n shard = to_insert.popleft()\n shard.parent = by_id[shard.parent]\n shard.parent.children.append(shard)\n to_insert.extend(by_parent[shard.shard_id])\n return self.children\n",
"role": "user"
},
{
"content": "load_children",
"role": "assistant"
}
] |
def x(self):
if self.exhausted:
return []
if self.empty_responses >= CALLS_TO_REACH_HEAD:
return self._apply_get_records_response(self.session.
get_stream_records(self.iterator_id))
while self.empty_responses < CALLS_TO_REACH_HEAD and not self.exhausted:
records = self._apply_get_records_response(self.session.
get_stream_records(self.iterator_id))
if records:
return records
return []
|
get_records
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.exhausted:\n return []\n if self.empty_responses >= CALLS_TO_REACH_HEAD:\n return self._apply_get_records_response(self.session.\n get_stream_records(self.iterator_id))\n while self.empty_responses < CALLS_TO_REACH_HEAD and not self.exhausted:\n records = self._apply_get_records_response(self.session.\n get_stream_records(self.iterator_id))\n if records:\n return records\n return []\n",
"role": "user"
},
{
"content": "get_records",
"role": "assistant"
}
] |
def x(self, model, *, skip_table_setup=False):
validate_is_model(model)
concrete = set(filter(lambda m: not m.Meta.abstract, walk_subclasses(
model)))
if not model.Meta.abstract:
concrete.add(model)
logger.debug('binding non-abstract models {}'.format(sorted(c.__name__ for
c in concrete)))
if skip_table_setup:
logger.info(
'skip_table_setup is True; not trying to create tables or validate models during bind'
)
else:
self.session.clear_cache()
is_creating = {}
for model in concrete:
table_name = self._compute_table_name(model)
before_create_table.send(self, engine=self, model=model)
if not skip_table_setup:
if table_name in is_creating:
continue
creating = self.session.create_table(table_name, model)
is_creating[table_name] = creating
for model in concrete:
if not skip_table_setup:
table_name = self._compute_table_name(model)
if is_creating[table_name]:
self.session.describe_table(table_name)
if model.Meta.ttl:
self.session.enable_ttl(table_name, model)
if model.Meta.backups and model.Meta.backups['enabled']:
self.session.enable_backups(table_name, model)
self.session.validate_table(table_name, model)
model_validated.send(self, engine=self, model=model)
model_bound.send(self, engine=self, model=model)
logger.info('successfully bound {} models to the engine'.format(len(
concrete)))
|
bind
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, model, *, skip_table_setup=False):\n validate_is_model(model)\n concrete = set(filter(lambda m: not m.Meta.abstract, walk_subclasses(\n model)))\n if not model.Meta.abstract:\n concrete.add(model)\n logger.debug('binding non-abstract models {}'.format(sorted(c.__name__ for\n c in concrete)))\n if skip_table_setup:\n logger.info(\n 'skip_table_setup is True; not trying to create tables or validate models during bind'\n )\n else:\n self.session.clear_cache()\n is_creating = {}\n for model in concrete:\n table_name = self._compute_table_name(model)\n before_create_table.send(self, engine=self, model=model)\n if not skip_table_setup:\n if table_name in is_creating:\n continue\n creating = self.session.create_table(table_name, model)\n is_creating[table_name] = creating\n for model in concrete:\n if not skip_table_setup:\n table_name = self._compute_table_name(model)\n if is_creating[table_name]:\n self.session.describe_table(table_name)\n if model.Meta.ttl:\n self.session.enable_ttl(table_name, model)\n if model.Meta.backups and model.Meta.backups['enabled']:\n self.session.enable_backups(table_name, model)\n self.session.validate_table(table_name, model)\n model_validated.send(self, engine=self, model=model)\n model_bound.send(self, engine=self, model=model)\n logger.info('successfully bound {} models to the engine'.format(len(\n concrete)))\n",
"role": "user"
},
{
"content": "bind",
"role": "assistant"
}
] |
def x(self, *objs, condition=None, atomic=False):
objs = set(objs)
validate_not_abstract(*objs)
for obj in objs:
self.session.delete_item({'TableName': self._compute_table_name(obj
.__class__), 'Key': dump_key(self, obj), **render(self, obj=obj,
atomic=atomic, condition=condition)})
object_deleted.send(self, engine=self, obj=obj)
logger.info('successfully deleted {} objects'.format(len(objs)))
|
delete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *objs, condition=None, atomic=False):\n objs = set(objs)\n validate_not_abstract(*objs)\n for obj in objs:\n self.session.delete_item({'TableName': self._compute_table_name(obj\n .__class__), 'Key': dump_key(self, obj), **render(self, obj=obj,\n atomic=atomic, condition=condition)})\n object_deleted.send(self, engine=self, obj=obj)\n logger.info('successfully deleted {} objects'.format(len(objs)))\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self, *objs, consistent=False):
get_table_name = self._compute_table_name
objs = set(objs)
validate_not_abstract(*objs)
table_index, object_index, request = {}, {}, {}
for obj in objs:
table_name = get_table_name(obj.__class__)
key = dump_key(self, obj)
index = index_for(key)
if table_name not in object_index:
table_index[table_name] = list(sorted(key.keys()))
object_index[table_name] = {}
request[table_name] = {'Keys': [], 'ConsistentRead': consistent}
if index not in object_index[table_name]:
request[table_name]['Keys'].append(key)
object_index[table_name][index] = set()
object_index[table_name][index].add(obj)
response = self.session.load_items(request)
for table_name, list_of_attrs in response.items():
for attrs in list_of_attrs:
key_shape = table_index[table_name]
key = extract_key(key_shape, attrs)
index = index_for(key)
for obj in object_index[table_name].pop(index):
unpack_from_dynamodb(attrs=attrs, expected=obj.Meta.columns,
engine=self, obj=obj)
object_loaded.send(self, engine=self, obj=obj)
if not object_index[table_name]:
object_index.pop(table_name)
if object_index:
not_loaded = set()
for index in object_index.values():
for index_set in index.values():
not_loaded.update(index_set)
logger.info('loaded {} of {} objects'.format(len(objs) - len(
not_loaded), len(objs)))
raise MissingObjects('Failed to load some objects.', objects=not_loaded
)
logger.info('successfully loaded {} objects'.format(len(objs)))
|
load
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *objs, consistent=False):\n get_table_name = self._compute_table_name\n objs = set(objs)\n validate_not_abstract(*objs)\n table_index, object_index, request = {}, {}, {}\n for obj in objs:\n table_name = get_table_name(obj.__class__)\n key = dump_key(self, obj)\n index = index_for(key)\n if table_name not in object_index:\n table_index[table_name] = list(sorted(key.keys()))\n object_index[table_name] = {}\n request[table_name] = {'Keys': [], 'ConsistentRead': consistent}\n if index not in object_index[table_name]:\n request[table_name]['Keys'].append(key)\n object_index[table_name][index] = set()\n object_index[table_name][index].add(obj)\n response = self.session.load_items(request)\n for table_name, list_of_attrs in response.items():\n for attrs in list_of_attrs:\n key_shape = table_index[table_name]\n key = extract_key(key_shape, attrs)\n index = index_for(key)\n for obj in object_index[table_name].pop(index):\n unpack_from_dynamodb(attrs=attrs, expected=obj.Meta.columns,\n engine=self, obj=obj)\n object_loaded.send(self, engine=self, obj=obj)\n if not object_index[table_name]:\n object_index.pop(table_name)\n if object_index:\n not_loaded = set()\n for index in object_index.values():\n for index_set in index.values():\n not_loaded.update(index_set)\n logger.info('loaded {} of {} objects'.format(len(objs) - len(\n not_loaded), len(objs)))\n raise MissingObjects('Failed to load some objects.', objects=not_loaded\n )\n logger.info('successfully loaded {} objects'.format(len(objs)))\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(self, model_or_index, key, filter=None, projection='all', consistent=
False, forward=True):
if isinstance(model_or_index, Index):
model, index = model_or_index.model, model_or_index
else:
model, index = model_or_index, None
validate_not_abstract(model)
q = Search(mode='query', engine=self, model=model, index=index, key=key,
filter=filter, projection=projection, consistent=consistent,
forward=forward)
return iter(q.prepare())
|
query
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, model_or_index, key, filter=None, projection='all', consistent=\n False, forward=True):\n if isinstance(model_or_index, Index):\n model, index = model_or_index.model, model_or_index\n else:\n model, index = model_or_index, None\n validate_not_abstract(model)\n q = Search(mode='query', engine=self, model=model, index=index, key=key,\n filter=filter, projection=projection, consistent=consistent,\n forward=forward)\n return iter(q.prepare())\n",
"role": "user"
},
{
"content": "query",
"role": "assistant"
}
] |
def x(self, *objs, condition=None, atomic=False):
objs = set(objs)
validate_not_abstract(*objs)
for obj in objs:
self.session.save_item({'TableName': self._compute_table_name(obj.
__class__), 'Key': dump_key(self, obj), **render(self, obj=obj,
atomic=atomic, condition=condition, update=True)})
object_saved.send(self, engine=self, obj=obj)
logger.info('successfully saved {} objects'.format(len(objs)))
|
save
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *objs, condition=None, atomic=False):\n objs = set(objs)\n validate_not_abstract(*objs)\n for obj in objs:\n self.session.save_item({'TableName': self._compute_table_name(obj.\n __class__), 'Key': dump_key(self, obj), **render(self, obj=obj,\n atomic=atomic, condition=condition, update=True)})\n object_saved.send(self, engine=self, obj=obj)\n logger.info('successfully saved {} objects'.format(len(objs)))\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(self, model_or_index, filter=None, projection='all', consistent=False,
parallel=None):
if isinstance(model_or_index, Index):
model, index = model_or_index.model, model_or_index
else:
model, index = model_or_index, None
validate_not_abstract(model)
s = Search(mode='scan', engine=self, model=model, index=index, filter=
filter, projection=projection, consistent=consistent, parallel=parallel
)
return iter(s.prepare())
|
scan
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, model_or_index, filter=None, projection='all', consistent=False,\n parallel=None):\n if isinstance(model_or_index, Index):\n model, index = model_or_index.model, model_or_index\n else:\n model, index = model_or_index, None\n validate_not_abstract(model)\n s = Search(mode='scan', engine=self, model=model, index=index, filter=\n filter, projection=projection, consistent=consistent, parallel=parallel\n )\n return iter(s.prepare())\n",
"role": "user"
},
{
"content": "scan",
"role": "assistant"
}
] |
def x(self, model, position):
validate_not_abstract(model)
if not model.Meta.stream or not model.Meta.stream.get('arn'):
raise InvalidStream('{!r} does not have a stream arn'.format(model))
stream = Stream(model=model, engine=self)
stream.move_to(position=position)
return stream
|
stream
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, model, position):\n validate_not_abstract(model)\n if not model.Meta.stream or not model.Meta.stream.get('arn'):\n raise InvalidStream('{!r} does not have a stream arn'.format(model))\n stream = Stream(model=model, engine=self)\n stream.move_to(position=position)\n return stream\n",
"role": "user"
},
{
"content": "stream",
"role": "assistant"
}
] |
def x(self, mode='w'):
if mode == 'r':
cls = ReadTransaction
elif mode == 'w':
cls = WriteTransaction
else:
raise ValueError(f'unknown mode {mode}')
return cls(self)
|
transaction
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mode='w'):\n if mode == 'r':\n cls = ReadTransaction\n elif mode == 'w':\n cls = WriteTransaction\n else:\n raise ValueError(f'unknown mode {mode}')\n return cls(self)\n",
"role": "user"
},
{
"content": "transaction",
"role": "assistant"
}
] |
def x(self, value, **kwargs):
value = self.dynamo_dump(value, **kwargs)
if value is None:
return value
return {self.backing_type: value}
|
dump
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, **kwargs):\n value = self.dynamo_dump(value, **kwargs)\n if value is None:\n return value\n return {self.backing_type: value}\n",
"role": "user"
},
{
"content": "dump",
"role": "assistant"
}
] |
def x(self, value, **kwargs):
if value is not None:
value = next(iter(value.values()))
return self.dynamo_load(value, **kwargs)
|
load
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, **kwargs):\n if value is not None:\n value = next(iter(value.values()))\n return self.dynamo_load(value, **kwargs)\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(value):
if isinstance(value, str):
vtype = 'S'
elif isinstance(value, bytes):
vtype = 'B'
elif isinstance(value, bool):
vtype = 'BOOL'
elif isinstance(value, numbers.Number):
vtype = 'N'
elif isinstance(value, dict):
vtype = 'M'
elif isinstance(value, list):
vtype = 'L'
elif isinstance(value, set):
if not value:
vtype = 'SS'
else:
inner = next(iter(value))
if isinstance(inner, str):
vtype = 'SS'
elif isinstance(inner, bytes):
vtype = 'BS'
elif isinstance(inner, numbers.Number):
vtype = 'NS'
else:
raise ValueError(f'Unknown set type for inner value {inner!r}')
else:
raise ValueError(
f"Can't dump unexpected type {type(value)!r} for value {value!r}")
return vtype
|
backing_type_for
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n if isinstance(value, str):\n vtype = 'S'\n elif isinstance(value, bytes):\n vtype = 'B'\n elif isinstance(value, bool):\n vtype = 'BOOL'\n elif isinstance(value, numbers.Number):\n vtype = 'N'\n elif isinstance(value, dict):\n vtype = 'M'\n elif isinstance(value, list):\n vtype = 'L'\n elif isinstance(value, set):\n if not value:\n vtype = 'SS'\n else:\n inner = next(iter(value))\n if isinstance(inner, str):\n vtype = 'SS'\n elif isinstance(inner, bytes):\n vtype = 'BS'\n elif isinstance(inner, numbers.Number):\n vtype = 'NS'\n else:\n raise ValueError(f'Unknown set type for inner value {inner!r}')\n else:\n raise ValueError(\n f\"Can't dump unexpected type {type(value)!r} for value {value!r}\")\n return vtype\n",
"role": "user"
},
{
"content": "backing_type_for",
"role": "assistant"
}
] |
def x():
stream = primary.stream(SomeDataBlob, 'trim_horizon')
next_heartbeat = pendulum.now()
while True:
now = pendulum.now()
if now >= next_heartbeat:
stream.heartbeat()
next_heartbeat = now.add(minutes=10)
record = next(stream)
if record is None:
continue
if record['new'] is not None:
replica.save(record['new'])
else:
replica.delete(record['old'])
|
stream_replicate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n stream = primary.stream(SomeDataBlob, 'trim_horizon')\n next_heartbeat = pendulum.now()\n while True:\n now = pendulum.now()\n if now >= next_heartbeat:\n stream.heartbeat()\n next_heartbeat = now.add(minutes=10)\n record = next(stream)\n if record is None:\n continue\n if record['new'] is not None:\n replica.save(record['new'])\n else:\n replica.delete(record['old'])\n",
"role": "user"
},
{
"content": "stream_replicate",
"role": "assistant"
}
] |
def x(coordinator, position):
stream_arn = coordinator.stream_arn
coordinator.roots.clear()
coordinator.active.clear()
coordinator.buffer.clear()
current_shards = coordinator.session.describe_stream(stream_arn=stream_arn
)['Shards']
current_shards = unpack_shards(current_shards, stream_arn, coordinator.
session)
coordinator.roots.extend(shard for shard in current_shards.values() if
not shard.parent)
if position == 'trim_horizon':
for shard in coordinator.roots:
shard.jump_to(iterator_type='trim_horizon')
coordinator.active.extend(coordinator.roots)
else:
for root in coordinator.roots:
for shard in root.walk_tree():
if not shard.children:
shard.jump_to(iterator_type='latest')
coordinator.active.append(shard)
|
move_stream_endpoint
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(coordinator, position):\n stream_arn = coordinator.stream_arn\n coordinator.roots.clear()\n coordinator.active.clear()\n coordinator.buffer.clear()\n current_shards = coordinator.session.describe_stream(stream_arn=stream_arn\n )['Shards']\n current_shards = unpack_shards(current_shards, stream_arn, coordinator.\n session)\n coordinator.roots.extend(shard for shard in current_shards.values() if \n not shard.parent)\n if position == 'trim_horizon':\n for shard in coordinator.roots:\n shard.jump_to(iterator_type='trim_horizon')\n coordinator.active.extend(coordinator.roots)\n else:\n for root in coordinator.roots:\n for shard in root.walk_tree():\n if not shard.children:\n shard.jump_to(iterator_type='latest')\n coordinator.active.append(shard)\n",
"role": "user"
},
{
"content": "move_stream_endpoint",
"role": "assistant"
}
] |
def x(coordinator, time):
if time > datetime.datetime.now(datetime.timezone.utc):
_move_stream_endpoint(coordinator, 'latest')
return
_move_stream_endpoint(coordinator, 'trim_horizon')
shard_trees = collections.deque(coordinator.roots)
while shard_trees:
shard = shard_trees.popleft()
records = shard.seek_to(time)
if records:
coordinator.buffer.push_all((record, shard) for record in records)
elif shard.exhausted:
coordinator.remove_shard(shard, drop_buffered_records=True)
shard_trees.extend(shard.children)
|
move_stream_time
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(coordinator, time):\n if time > datetime.datetime.now(datetime.timezone.utc):\n _move_stream_endpoint(coordinator, 'latest')\n return\n _move_stream_endpoint(coordinator, 'trim_horizon')\n shard_trees = collections.deque(coordinator.roots)\n while shard_trees:\n shard = shard_trees.popleft()\n records = shard.seek_to(time)\n if records:\n coordinator.buffer.push_all((record, shard) for record in records)\n elif shard.exhausted:\n coordinator.remove_shard(shard, drop_buffered_records=True)\n shard_trees.extend(shard.children)\n",
"role": "user"
},
{
"content": "move_stream_time",
"role": "assistant"
}
] |
def x(coordinator, token):
stream_arn = coordinator.stream_arn = token['stream_arn']
coordinator.roots.clear()
coordinator.active.clear()
coordinator.closed.clear()
coordinator.buffer.clear()
token_shards = unpack_shards(token['shards'], stream_arn, coordinator.
session)
coordinator.roots = [shard for shard in token_shards.values() if not
shard.parent]
coordinator.active.extend(token_shards[shard_id] for shard_id in token[
'active'])
current_shards = coordinator.session.describe_stream(stream_arn=stream_arn
)['Shards']
current_shards = unpack_shards(current_shards, stream_arn, coordinator.
session)
unverified = collections.deque(coordinator.roots)
while unverified:
shard = unverified.popleft()
if shard.shard_id not in current_shards:
logger.info(
'Unknown or expired shard "{}" - pruning from stream token'
.format(shard.shard_id))
coordinator.remove_shard(shard, drop_buffered_records=True)
unverified.extend(shard.children)
if not coordinator.roots:
raise InvalidStream('This token has no relation to the actual Stream.')
for shard in coordinator.active:
try:
if shard.iterator_type is None:
shard.iterator_type = 'trim_horizon'
shard.jump_to(iterator_type=shard.iterator_type,
sequence_number=shard.sequence_number)
except RecordsExpired:
msg = (
'SequenceNumber "{}" in shard "{}" beyond trim horizon: jumping to trim_horizon'
)
logger.info(msg.format(shard.sequence_number, shard.shard_id))
shard.jump_to(iterator_type='trim_horizon')
|
move_stream_token
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(coordinator, token):\n stream_arn = coordinator.stream_arn = token['stream_arn']\n coordinator.roots.clear()\n coordinator.active.clear()\n coordinator.closed.clear()\n coordinator.buffer.clear()\n token_shards = unpack_shards(token['shards'], stream_arn, coordinator.\n session)\n coordinator.roots = [shard for shard in token_shards.values() if not\n shard.parent]\n coordinator.active.extend(token_shards[shard_id] for shard_id in token[\n 'active'])\n current_shards = coordinator.session.describe_stream(stream_arn=stream_arn\n )['Shards']\n current_shards = unpack_shards(current_shards, stream_arn, coordinator.\n session)\n unverified = collections.deque(coordinator.roots)\n while unverified:\n shard = unverified.popleft()\n if shard.shard_id not in current_shards:\n logger.info(\n 'Unknown or expired shard \"{}\" - pruning from stream token'\n .format(shard.shard_id))\n coordinator.remove_shard(shard, drop_buffered_records=True)\n unverified.extend(shard.children)\n if not coordinator.roots:\n raise InvalidStream('This token has no relation to the actual Stream.')\n for shard in coordinator.active:\n try:\n if shard.iterator_type is None:\n shard.iterator_type = 'trim_horizon'\n shard.jump_to(iterator_type=shard.iterator_type,\n sequence_number=shard.sequence_number)\n except RecordsExpired:\n msg = (\n 'SequenceNumber \"{}\" in shard \"{}\" beyond trim horizon: jumping to trim_horizon'\n )\n logger.info(msg.format(shard.sequence_number, shard.shard_id))\n shard.jump_to(iterator_type='trim_horizon')\n",
"role": "user"
},
{
"content": "move_stream_token",
"role": "assistant"
}
] |
def x(self):
if self.buffer:
return
record_shard_pairs = []
for shard in self.active:
records = next(shard)
if records:
record_shard_pairs.extend((record, shard) for record in records)
self.buffer.push_all(record_shard_pairs)
self.migrate_closed_shards()
|
advance_shards
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.buffer:\n return\n record_shard_pairs = []\n for shard in self.active:\n records = next(shard)\n if records:\n record_shard_pairs.extend((record, shard) for record in records)\n self.buffer.push_all(record_shard_pairs)\n self.migrate_closed_shards()\n",
"role": "user"
},
{
"content": "advance_shards",
"role": "assistant"
}
] |
def x(self):
for shard in self.active:
if shard.sequence_number is None:
records = next(shard)
if records:
self.buffer.push_all((record, shard) for record in records)
self.migrate_closed_shards()
|
heartbeat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for shard in self.active:\n if shard.sequence_number is None:\n records = next(shard)\n if records:\n self.buffer.push_all((record, shard) for record in records)\n self.migrate_closed_shards()\n",
"role": "user"
},
{
"content": "heartbeat",
"role": "assistant"
}
] |
def x(self):
active_ids = []
shard_tokens = []
for root in self.roots:
for shard in root.walk_tree():
shard_tokens.append(shard.token)
shard_tokens[-1].pop('stream_arn')
active_ids.extend(shard.shard_id for shard in self.active)
for shard in self.closed.keys():
active_ids.append(shard.shard_id)
shard_tokens.append(shard.token)
shard_tokens[-1].pop('stream_arn')
return {'stream_arn': self.stream_arn, 'active': active_ids, 'shards':
shard_tokens}
|
token
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n active_ids = []\n shard_tokens = []\n for root in self.roots:\n for shard in root.walk_tree():\n shard_tokens.append(shard.token)\n shard_tokens[-1].pop('stream_arn')\n active_ids.extend(shard.shard_id for shard in self.active)\n for shard in self.closed.keys():\n active_ids.append(shard.shard_id)\n shard_tokens.append(shard.token)\n shard_tokens[-1].pop('stream_arn')\n return {'stream_arn': self.stream_arn, 'active': active_ids, 'shards':\n shard_tokens}\n",
"role": "user"
},
{
"content": "token",
"role": "assistant"
}
] |
def x(self, shard, drop_buffered_records=False):
try:
self.roots.remove(shard)
except ValueError:
pass
else:
self.roots.extend(shard.children)
try:
self.active.remove(shard)
except ValueError:
pass
else:
self.active.extend(shard.children)
if drop_buffered_records:
heap = self.buffer.heap
to_remove = [x for x in heap if x[2] is shard]
for x in to_remove:
heap.remove(x)
|
remove_shard
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, shard, drop_buffered_records=False):\n try:\n self.roots.remove(shard)\n except ValueError:\n pass\n else:\n self.roots.extend(shard.children)\n try:\n self.active.remove(shard)\n except ValueError:\n pass\n else:\n self.active.extend(shard.children)\n if drop_buffered_records:\n heap = self.buffer.heap\n to_remove = [x for x in heap if x[2] is shard]\n for x in to_remove:\n heap.remove(x)\n",
"role": "user"
},
{
"content": "remove_shard",
"role": "assistant"
}
] |
def x(self, position):
if isinstance(position, collections.abc.Mapping):
move = _move_stream_token
elif hasattr(position, 'timestamp') and callable(position.timestamp):
move = _move_stream_time
elif isinstance(position, str) and position.lower() in ['latest',
'trim_horizon']:
move = _move_stream_endpoint
else:
raise InvalidPosition("Don't know how to move to position {!r}".
format(position))
move(self, position)
|
move_to
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, position):\n if isinstance(position, collections.abc.Mapping):\n move = _move_stream_token\n elif hasattr(position, 'timestamp') and callable(position.timestamp):\n move = _move_stream_time\n elif isinstance(position, str) and position.lower() in ['latest',\n 'trim_horizon']:\n move = _move_stream_endpoint\n else:\n raise InvalidPosition(\"Don't know how to move to position {!r}\".\n format(position))\n move(self, position)\n",
"role": "user"
},
{
"content": "move_to",
"role": "assistant"
}
] |
def x(clock, record, shard):
ordering = record['meta']['created_at']
second_ordering = int(record['meta']['sequence_number'])
total_ordering = ordering, second_ordering, clock()
return total_ordering, record, shard
|
heap_item
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(clock, record, shard):\n ordering = record['meta']['created_at']\n second_ordering = int(record['meta']['sequence_number'])\n total_ordering = ordering, second_ordering, clock()\n return total_ordering, record, shard\n",
"role": "user"
},
{
"content": "heap_item",
"role": "assistant"
}
] |
def x(self, record, shard):
heapq.heappush(self.heap, heap_item(self.clock, record, shard))
|
push
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, record, shard):\n heapq.heappush(self.heap, heap_item(self.clock, record, shard))\n",
"role": "user"
},
{
"content": "push",
"role": "assistant"
}
] |
def x(self, record_shard_pairs):
for record, shard in record_shard_pairs:
item = heap_item(self.clock, record, shard)
self.heap.append(item)
heapq.heapify(self.heap)
|
push_all
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, record_shard_pairs):\n for record, shard in record_shard_pairs:\n item = heap_item(self.clock, record, shard)\n self.heap.append(item)\n heapq.heapify(self.heap)\n",
"role": "user"
},
{
"content": "push_all",
"role": "assistant"
}
] |
def x(obj: BaseModel):
for column in sorted(obj.Meta.columns, key=lambda c: c.name):
value = getattr(obj, column.name, missing)
if value is not missing:
yield column.name, value
|
loaded_columns
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj: BaseModel):\n for column in sorted(obj.Meta.columns, key=lambda c: c.name):\n value = getattr(obj, column.name, missing)\n if value is not missing:\n yield column.name, value\n",
"role": "user"
},
{
"content": "loaded_columns",
"role": "assistant"
}
] |
def x(*, attrs, expected, model=None, obj=None, engine=None, context=None,
**kwargs):
context = context or {'engine': engine}
engine = engine or context.get('engine', None)
if not engine:
raise ValueError('You must provide engine or a context with an engine.'
)
if model is None and obj is None:
raise ValueError('You must provide a model or obj to unpack.')
if model is not None and obj is not None:
raise ValueError('Only specify model or obj.')
if model:
obj = model.Meta.init()
for column in expected:
value = attrs.get(column.dynamo_name, None)
value = engine._load(column.typedef, value, context=context, **kwargs)
setattr(obj, column.name, value)
return obj
|
unpack_from_dynamodb
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*, attrs, expected, model=None, obj=None, engine=None, context=None,\n **kwargs):\n context = context or {'engine': engine}\n engine = engine or context.get('engine', None)\n if not engine:\n raise ValueError('You must provide engine or a context with an engine.'\n )\n if model is None and obj is None:\n raise ValueError('You must provide a model or obj to unpack.')\n if model is not None and obj is not None:\n raise ValueError('Only specify model or obj.')\n if model:\n obj = model.Meta.init()\n for column in expected:\n value = attrs.get(column.dynamo_name, None)\n value = engine._load(column.typedef, value, context=context, **kwargs)\n setattr(obj, column.name, value)\n return obj\n",
"role": "user"
},
{
"content": "unpack_from_dynamodb",
"role": "assistant"
}
] |
def x(obj, field, default):
setattr(obj, field, getattr(obj, field, default))
|
setdefault
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, field, default):\n setattr(obj, field, getattr(obj, field, default))\n",
"role": "user"
},
{
"content": "setdefault",
"role": "assistant"
}
] |
def x(model, name, column, force=False, recursive=False, copy=False) ->Column:
if not subclassof(model, BaseModel):
raise InvalidModel(f'{model} is not a subclass of BaseModel')
meta = model.Meta
if copy:
column = copyfn(column)
column._name = name
safe_repr = unbound_repr(column)
same_dynamo_name = util.index(meta.columns, 'dynamo_name').get(column.
dynamo_name) or util.index(meta.indexes, 'dynamo_name').get(column.
dynamo_name)
same_name = meta.columns_by_name.get(column.name) or util.index(meta.
indexes, 'name').get(column.name)
if column.hash_key and column.range_key:
raise InvalidModel(
f'Tried to bind {safe_repr} as both a hash and range key.')
if force:
if same_name:
unbind(meta, name=column.name)
if same_dynamo_name:
unbind(meta, dynamo_name=column.dynamo_name)
else:
if same_name:
raise InvalidModel(
f'The column {safe_repr} has the same name as an existing column or index {same_name}. Did you mean to bind with force=True?'
)
if same_dynamo_name:
raise InvalidModel(
f'The column {safe_repr} has the same dynamo_name as an existing column or index {same_name}. Did you mean to bind with force=True?'
)
if column.hash_key and meta.hash_key:
raise InvalidModel(
f'Tried to bind {safe_repr} but {meta.model} already has a different hash_key: {meta.hash_key}'
)
if column.range_key and meta.range_key:
raise InvalidModel(
f'Tried to bind {safe_repr} but {meta.model} already has a different range_key: {meta.range_key}'
)
column.model = meta.model
meta.columns.add(column)
meta.columns_by_name[name] = column
setattr(meta.model, name, column)
if column.hash_key:
meta.hash_key = column
meta.keys.add(column)
if column.range_key:
meta.range_key = column
meta.keys.add(column)
try:
for index in meta.indexes:
refresh_index(meta, index)
except KeyError as e:
raise InvalidModel(
f'Binding column {column} removed a required column for index {unbound_repr(index)}'
) from e
if recursive:
for subclass in util.walk_subclasses(meta.model):
try:
bind_column(subclass, name, column, force=False, recursive=
False, copy=True)
except InvalidModel:
pass
return column
|
bind_column
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model, name, column, force=False, recursive=False, copy=False) ->Column:\n if not subclassof(model, BaseModel):\n raise InvalidModel(f'{model} is not a subclass of BaseModel')\n meta = model.Meta\n if copy:\n column = copyfn(column)\n column._name = name\n safe_repr = unbound_repr(column)\n same_dynamo_name = util.index(meta.columns, 'dynamo_name').get(column.\n dynamo_name) or util.index(meta.indexes, 'dynamo_name').get(column.\n dynamo_name)\n same_name = meta.columns_by_name.get(column.name) or util.index(meta.\n indexes, 'name').get(column.name)\n if column.hash_key and column.range_key:\n raise InvalidModel(\n f'Tried to bind {safe_repr} as both a hash and range key.')\n if force:\n if same_name:\n unbind(meta, name=column.name)\n if same_dynamo_name:\n unbind(meta, dynamo_name=column.dynamo_name)\n else:\n if same_name:\n raise InvalidModel(\n f'The column {safe_repr} has the same name as an existing column or index {same_name}. Did you mean to bind with force=True?'\n )\n if same_dynamo_name:\n raise InvalidModel(\n f'The column {safe_repr} has the same dynamo_name as an existing column or index {same_name}. Did you mean to bind with force=True?'\n )\n if column.hash_key and meta.hash_key:\n raise InvalidModel(\n f'Tried to bind {safe_repr} but {meta.model} already has a different hash_key: {meta.hash_key}'\n )\n if column.range_key and meta.range_key:\n raise InvalidModel(\n f'Tried to bind {safe_repr} but {meta.model} already has a different range_key: {meta.range_key}'\n )\n column.model = meta.model\n meta.columns.add(column)\n meta.columns_by_name[name] = column\n setattr(meta.model, name, column)\n if column.hash_key:\n meta.hash_key = column\n meta.keys.add(column)\n if column.range_key:\n meta.range_key = column\n meta.keys.add(column)\n try:\n for index in meta.indexes:\n refresh_index(meta, index)\n except KeyError as e:\n raise InvalidModel(\n f'Binding column {column} removed a required column for index {unbound_repr(index)}'\n ) from e\n if recursive:\n for subclass in util.walk_subclasses(meta.model):\n try:\n bind_column(subclass, name, column, force=False, recursive=\n False, copy=True)\n except InvalidModel:\n pass\n return column\n",
"role": "user"
},
{
"content": "bind_column",
"role": "assistant"
}
] |
def x(model, name, index, force=False, recursive=True, copy=False) ->Index:
if not subclassof(model, BaseModel):
raise InvalidModel(f'{model} is not a subclass of BaseModel')
meta = model.Meta
if copy:
index = copyfn(index)
index._name = name
safe_repr = unbound_repr(index)
same_dynamo_name = util.index(meta.columns, 'dynamo_name').get(index.
dynamo_name) or util.index(meta.indexes, 'dynamo_name').get(index.
dynamo_name)
same_name = meta.columns_by_name.get(index.name) or util.index(meta.
indexes, 'name').get(index.name)
if isinstance(index, LocalSecondaryIndex) and not meta.range_key:
raise InvalidModel('An LSI requires the Model to have a range key.')
if force:
if same_name:
unbind(meta, name=index.name)
if same_dynamo_name:
unbind(meta, dynamo_name=index.dynamo_name)
else:
if same_name:
raise InvalidModel(
f'The index {safe_repr} has the same name as an existing index or column {same_name}. Did you mean to bind with force=True?'
)
if same_dynamo_name:
raise InvalidModel(
f'The index {safe_repr} has the same dynamo_name as an existing index or column {same_name}. Did you mean to bind with force=True?'
)
index.model = meta.model
meta.indexes.add(index)
setattr(meta.model, name, index)
if isinstance(index, LocalSecondaryIndex):
meta.lsis.add(index)
if isinstance(index, GlobalSecondaryIndex):
meta.gsis.add(index)
try:
refresh_index(meta, index)
except KeyError as e:
raise InvalidModel(
'Index expected a hash or range key that does not exist') from e
if recursive:
for subclass in util.walk_subclasses(meta.model):
try:
bind_index(subclass, name, index, force=False, recursive=
False, copy=True)
except InvalidModel:
pass
return index
|
bind_index
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model, name, index, force=False, recursive=True, copy=False) ->Index:\n if not subclassof(model, BaseModel):\n raise InvalidModel(f'{model} is not a subclass of BaseModel')\n meta = model.Meta\n if copy:\n index = copyfn(index)\n index._name = name\n safe_repr = unbound_repr(index)\n same_dynamo_name = util.index(meta.columns, 'dynamo_name').get(index.\n dynamo_name) or util.index(meta.indexes, 'dynamo_name').get(index.\n dynamo_name)\n same_name = meta.columns_by_name.get(index.name) or util.index(meta.\n indexes, 'name').get(index.name)\n if isinstance(index, LocalSecondaryIndex) and not meta.range_key:\n raise InvalidModel('An LSI requires the Model to have a range key.')\n if force:\n if same_name:\n unbind(meta, name=index.name)\n if same_dynamo_name:\n unbind(meta, dynamo_name=index.dynamo_name)\n else:\n if same_name:\n raise InvalidModel(\n f'The index {safe_repr} has the same name as an existing index or column {same_name}. Did you mean to bind with force=True?'\n )\n if same_dynamo_name:\n raise InvalidModel(\n f'The index {safe_repr} has the same dynamo_name as an existing index or column {same_name}. Did you mean to bind with force=True?'\n )\n index.model = meta.model\n meta.indexes.add(index)\n setattr(meta.model, name, index)\n if isinstance(index, LocalSecondaryIndex):\n meta.lsis.add(index)\n if isinstance(index, GlobalSecondaryIndex):\n meta.gsis.add(index)\n try:\n refresh_index(meta, index)\n except KeyError as e:\n raise InvalidModel(\n 'Index expected a hash or range key that does not exist') from e\n if recursive:\n for subclass in util.walk_subclasses(meta.model):\n try:\n bind_index(subclass, name, index, force=False, recursive=\n False, copy=True)\n except InvalidModel:\n pass\n return index\n",
"role": "user"
},
{
"content": "bind_index",
"role": "assistant"
}
] |
def x(meta, index) ->None:
projection_keys = set.union(meta.keys, index.keys)
proj = index.projection
mode = proj['mode']
if mode == 'keys':
proj['included'] = projection_keys
elif mode == 'all':
proj['included'] = meta.columns
elif mode == 'include':
if all(isinstance(p, str) for p in proj['included']):
proj['included'] = set(meta.columns_by_name[n] for n in proj[
'included'])
else:
proj['included'] = set(proj['included'])
proj['included'].update(projection_keys)
if proj['strict']:
proj['available'] = proj['included']
else:
proj['available'] = meta.columns
|
refresh_index
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(meta, index) ->None:\n projection_keys = set.union(meta.keys, index.keys)\n proj = index.projection\n mode = proj['mode']\n if mode == 'keys':\n proj['included'] = projection_keys\n elif mode == 'all':\n proj['included'] = meta.columns\n elif mode == 'include':\n if all(isinstance(p, str) for p in proj['included']):\n proj['included'] = set(meta.columns_by_name[n] for n in proj[\n 'included'])\n else:\n proj['included'] = set(proj['included'])\n proj['included'].update(projection_keys)\n if proj['strict']:\n proj['available'] = proj['included']\n else:\n proj['available'] = meta.columns\n",
"role": "user"
},
{
"content": "refresh_index",
"role": "assistant"
}
] |
def x(meta, name=None, dynamo_name=None) ->None:
if name is not None:
columns = {x for x in meta.columns if x.name == name}
indexes = {x for x in meta.indexes if x.name == name}
elif dynamo_name is not None:
columns = {x for x in meta.columns if x.dynamo_name == dynamo_name}
indexes = {x for x in meta.indexes if x.dynamo_name == dynamo_name}
else:
raise RuntimeError(
'Must provide name= or dynamo_name= to unbind from meta')
assert len(columns) <= 1
assert len(indexes) <= 1
assert not (columns and indexes)
if columns:
[column] = columns
meta.columns.remove(column)
expect_same = meta.columns_by_name[column.name]
assert expect_same is column
meta.columns_by_name.pop(column.name)
if column in meta.keys:
meta.keys.remove(column)
if meta.hash_key is column:
meta.hash_key = None
if meta.range_key is column:
meta.range_key = None
delattr(meta.model, column.name)
if indexes:
[index] = indexes
meta.indexes.remove(index)
if index in meta.gsis:
meta.gsis.remove(index)
if index in meta.lsis:
meta.lsis.remove(index)
delattr(meta.model, index.name)
|
unbind
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(meta, name=None, dynamo_name=None) ->None:\n if name is not None:\n columns = {x for x in meta.columns if x.name == name}\n indexes = {x for x in meta.indexes if x.name == name}\n elif dynamo_name is not None:\n columns = {x for x in meta.columns if x.dynamo_name == dynamo_name}\n indexes = {x for x in meta.indexes if x.dynamo_name == dynamo_name}\n else:\n raise RuntimeError(\n 'Must provide name= or dynamo_name= to unbind from meta')\n assert len(columns) <= 1\n assert len(indexes) <= 1\n assert not (columns and indexes)\n if columns:\n [column] = columns\n meta.columns.remove(column)\n expect_same = meta.columns_by_name[column.name]\n assert expect_same is column\n meta.columns_by_name.pop(column.name)\n if column in meta.keys:\n meta.keys.remove(column)\n if meta.hash_key is column:\n meta.hash_key = None\n if meta.range_key is column:\n meta.range_key = None\n delattr(meta.model, column.name)\n if indexes:\n [index] = indexes\n meta.indexes.remove(index)\n if index in meta.gsis:\n meta.gsis.remove(index)\n if index in meta.lsis:\n meta.lsis.remove(index)\n delattr(meta.model, index.name)\n",
"role": "user"
},
{
"content": "unbind",
"role": "assistant"
}
] |
def x(cls, attrs, *, context, **kwargs):
return unpack_from_dynamodb(model=cls, attrs=attrs or {}, expected=cls.
Meta.columns, context=context, **kwargs)
|
load
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, attrs, *, context, **kwargs):\n return unpack_from_dynamodb(model=cls, attrs=attrs or {}, expected=cls.\n Meta.columns, context=context, **kwargs)\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(cls, obj, *, context, **kwargs):
if obj is None:
return None
dump = context['engine']._dump
filtered = filter(lambda item: item[1] is not None, ((column.
dynamo_name, dump(column.typedef, getattr(obj, column.name, None),
context=context, **kwargs)) for column in cls.Meta.columns))
return dict(filtered) or None
|
dump
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, obj, *, context, **kwargs):\n if obj is None:\n return None\n dump = context['engine']._dump\n filtered = filter(lambda item: item[1] is not None, ((column.\n dynamo_name, dump(column.typedef, getattr(obj, column.name, None),\n context=context, **kwargs)) for column in cls.Meta.columns))\n return dict(filtered) or None\n",
"role": "user"
},
{
"content": "dump",
"role": "assistant"
}
] |
def x(actual_projection, index):
projection_type = actual_projection['ProjectionType']
if projection_type == 'ALL':
return True
meta = index.model.Meta
provides = set.union(meta.keys, index.keys)
if projection_type == 'KEYS_ONLY':
pass
elif projection_type == 'INCLUDE':
by_dynamo_name = {column.dynamo_name: column for column in meta.columns
}
provides.update(by_dynamo_name[name] for name in actual_projection[
'NonKeyAttributes'] if name in by_dynamo_name)
else:
logger.info(f"unexpected index ProjectionType '{projection_type}'")
return False
expects = index.projection['included']
return provides.issuperset(expects)
|
is_valid_superset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(actual_projection, index):\n projection_type = actual_projection['ProjectionType']\n if projection_type == 'ALL':\n return True\n meta = index.model.Meta\n provides = set.union(meta.keys, index.keys)\n if projection_type == 'KEYS_ONLY':\n pass\n elif projection_type == 'INCLUDE':\n by_dynamo_name = {column.dynamo_name: column for column in meta.columns\n }\n provides.update(by_dynamo_name[name] for name in actual_projection[\n 'NonKeyAttributes'] if name in by_dynamo_name)\n else:\n logger.info(f\"unexpected index ProjectionType '{projection_type}'\")\n return False\n expects = index.projection['included']\n return provides.issuperset(expects)\n",
"role": "user"
},
{
"content": "is_valid_superset",
"role": "assistant"
}
] |
def x(self, item):
try:
self.dynamodb_client.update_item(**item)
except botocore.exceptions.ClientError as error:
handle_constraint_violation(error)
|
save_item
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item):\n try:\n self.dynamodb_client.update_item(**item)\n except botocore.exceptions.ClientError as error:\n handle_constraint_violation(error)\n",
"role": "user"
},
{
"content": "save_item",
"role": "assistant"
}
] |
def x(self, item):
try:
self.dynamodb_client.delete_item(**item)
except botocore.exceptions.ClientError as error:
handle_constraint_violation(error)
|
delete_item
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item):\n try:\n self.dynamodb_client.delete_item(**item)\n except botocore.exceptions.ClientError as error:\n handle_constraint_violation(error)\n",
"role": "user"
},
{
"content": "delete_item",
"role": "assistant"
}
] |
def x(self, items):
loaded_items = {}
requests = collections.deque(create_batch_get_chunks(items))
while requests:
request = requests.pop()
try:
response = self.dynamodb_client.batch_get_item(RequestItems=request
)
except botocore.exceptions.ClientError as error:
raise BloopException('Unexpected error while loading items.'
) from error
for table_name, table_items in response.get('Responses', {}).items():
loaded_items.setdefault(table_name, []).extend(table_items)
if response['UnprocessedKeys']:
requests.append(response['UnprocessedKeys'])
return loaded_items
|
load_items
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, items):\n loaded_items = {}\n requests = collections.deque(create_batch_get_chunks(items))\n while requests:\n request = requests.pop()\n try:\n response = self.dynamodb_client.batch_get_item(RequestItems=request\n )\n except botocore.exceptions.ClientError as error:\n raise BloopException('Unexpected error while loading items.'\n ) from error\n for table_name, table_items in response.get('Responses', {}).items():\n loaded_items.setdefault(table_name, []).extend(table_items)\n if response['UnprocessedKeys']:\n requests.append(response['UnprocessedKeys'])\n return loaded_items\n",
"role": "user"
},
{
"content": "load_items",
"role": "assistant"
}
] |
def x(self, mode, request):
validate_search_mode(mode)
method = getattr(self.dynamodb_client, mode)
try:
response = method(**request)
except botocore.exceptions.ClientError as error:
raise BloopException('Unexpected error during {}.'.format(mode)
) from error
standardize_query_response(response)
return response
|
search_items
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mode, request):\n validate_search_mode(mode)\n method = getattr(self.dynamodb_client, mode)\n try:\n response = method(**request)\n except botocore.exceptions.ClientError as error:\n raise BloopException('Unexpected error during {}.'.format(mode)\n ) from error\n standardize_query_response(response)\n return response\n",
"role": "user"
},
{
"content": "search_items",
"role": "assistant"
}
] |
def x(self, table_name, model):
table = create_table_request(table_name, model)
try:
self.dynamodb_client.create_table(**table)
is_creating = True
except botocore.exceptions.ClientError as error:
handle_table_exists(error, model)
is_creating = False
return is_creating
|
create_table
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name, model):\n table = create_table_request(table_name, model)\n try:\n self.dynamodb_client.create_table(**table)\n is_creating = True\n except botocore.exceptions.ClientError as error:\n handle_table_exists(error, model)\n is_creating = False\n return is_creating\n",
"role": "user"
},
{
"content": "create_table",
"role": "assistant"
}
] |
def x(self, table_name):
if table_name in self._tables:
return self._tables[table_name]
status, description = None, {}
calls = 0
while status is not ready:
calls += 1
try:
description = self.dynamodb_client.describe_table(TableName=
table_name)['Table']
except botocore.exceptions.ClientError as error:
raise BloopException('Unexpected error while describing table.'
) from error
status = simple_table_status(description)
logger.debug(
'describe_table: table "{}" was in ACTIVE state after {} calls'.
format(table_name, calls))
try:
ttl = self.dynamodb_client.describe_time_to_live(TableName=table_name)
except botocore.exceptions.ClientError as error:
raise BloopException('Unexpected error while describing ttl.'
) from error
try:
backups = self.dynamodb_client.describe_continuous_backups(TableName
=table_name)
except botocore.exceptions.ClientError as error:
raise BloopException(
'Unexpected error while describing continuous backups.') from error
description['TimeToLiveDescription'] = {'AttributeName': _read_field(
ttl, None, 'TimeToLiveDescription', 'AttributeName'),
'TimeToLiveStatus': _read_field(ttl, None, 'TimeToLiveDescription',
'TimeToLiveStatus')}
description['ContinuousBackupsDescription'] = {'ContinuousBackupsStatus':
_read_field(backups, None, 'ContinuousBackupsDescription',
'ContinuousBackupsStatus')}
table = self._tables[table_name] = sanitize_table_description(description)
return table
|
describe_table
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name):\n if table_name in self._tables:\n return self._tables[table_name]\n status, description = None, {}\n calls = 0\n while status is not ready:\n calls += 1\n try:\n description = self.dynamodb_client.describe_table(TableName=\n table_name)['Table']\n except botocore.exceptions.ClientError as error:\n raise BloopException('Unexpected error while describing table.'\n ) from error\n status = simple_table_status(description)\n logger.debug(\n 'describe_table: table \"{}\" was in ACTIVE state after {} calls'.\n format(table_name, calls))\n try:\n ttl = self.dynamodb_client.describe_time_to_live(TableName=table_name)\n except botocore.exceptions.ClientError as error:\n raise BloopException('Unexpected error while describing ttl.'\n ) from error\n try:\n backups = self.dynamodb_client.describe_continuous_backups(TableName\n =table_name)\n except botocore.exceptions.ClientError as error:\n raise BloopException(\n 'Unexpected error while describing continuous backups.') from error\n description['TimeToLiveDescription'] = {'AttributeName': _read_field(\n ttl, None, 'TimeToLiveDescription', 'AttributeName'),\n 'TimeToLiveStatus': _read_field(ttl, None, 'TimeToLiveDescription',\n 'TimeToLiveStatus')}\n description['ContinuousBackupsDescription'] = {'ContinuousBackupsStatus':\n _read_field(backups, None, 'ContinuousBackupsDescription',\n 'ContinuousBackupsStatus')}\n table = self._tables[table_name] = sanitize_table_description(description)\n return table\n",
"role": "user"
},
{
"content": "describe_table",
"role": "assistant"
}
] |
def x(self, table_name, model):
actual = self.describe_table(table_name)
if not compare_tables(model, actual):
raise TableMismatch(
'The expected and actual tables for {!r} do not match.'.format(
model.__name__))
if model.Meta.stream:
stream_arn = model.Meta.stream['arn'] = actual['LatestStreamArn']
logger.debug(
f"Set {model.__name__}.Meta.stream['arn'] to '{stream_arn}' from DescribeTable response"
)
if model.Meta.ttl:
ttl_enabled = actual['TimeToLiveDescription']['TimeToLiveStatus'
].lower() == 'enabled'
model.Meta.ttl['enabled'] = ttl_enabled
logger.debug(
f"Set {model.__name__}.Meta.ttl['enabled'] to '{ttl_enabled}' from DescribeTable response"
)
if model.Meta.encryption is None:
sse_enabled = actual['SSEDescription']['Status'].lower() == 'enabled'
model.Meta.encryption = {'enabled': sse_enabled}
logger.debug(
f"Set {model.__name__}.Meta.encryption['enabled'] to '{sse_enabled}' from DescribeTable response"
)
if model.Meta.backups is None:
backups = actual['ContinuousBackupsDescription'][
'ContinuousBackupsStatus'] == 'ENABLED'
model.Meta.backups = {'enabled': backups}
logger.debug(
f"Set {model.__name__}.Meta.backups['enabled'] to '{backups}' from DescribeTable response"
)
if model.Meta.billing is None:
billing_mode = {'PAY_PER_REQUEST': 'on_demand', 'PROVISIONED':
'provisioned'}[actual['BillingModeSummary']['BillingMode']]
model.Meta.billing = {'mode': billing_mode}
logger.debug(
f"Set {model.__name__}.Meta.billing['mode'] to '{billing_mode}' from DescribeTable response"
)
if model.Meta.read_units is None:
read_units = model.Meta.read_units = actual['ProvisionedThroughput'][
'ReadCapacityUnits']
logger.debug(
f'Set {model.__name__}.Meta.read_units to {read_units} from DescribeTable response'
)
if model.Meta.write_units is None:
write_units = model.Meta.write_units = actual['ProvisionedThroughput'][
'WriteCapacityUnits']
logger.debug(
f'Set {model.__name__}.Meta.write_units to {write_units} from DescribeTable response'
)
gsis = {index['IndexName']: index for index in actual[
'GlobalSecondaryIndexes']}
for index in model.Meta.gsis:
read_units = gsis[index.dynamo_name]['ProvisionedThroughput'][
'ReadCapacityUnits']
write_units = gsis[index.dynamo_name]['ProvisionedThroughput'][
'WriteCapacityUnits']
if index.read_units is None:
index.read_units = read_units
logger.debug(
f'Set {model.__name__}.{index.name}.read_units to {read_units} from DescribeTable response'
)
if index.write_units is None:
index.write_units = write_units
logger.debug(
f'Set {model.__name__}.{index.name}.write_units to {write_units} from DescribeTable response'
)
|
validate_table
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name, model):\n actual = self.describe_table(table_name)\n if not compare_tables(model, actual):\n raise TableMismatch(\n 'The expected and actual tables for {!r} do not match.'.format(\n model.__name__))\n if model.Meta.stream:\n stream_arn = model.Meta.stream['arn'] = actual['LatestStreamArn']\n logger.debug(\n f\"Set {model.__name__}.Meta.stream['arn'] to '{stream_arn}' from DescribeTable response\"\n )\n if model.Meta.ttl:\n ttl_enabled = actual['TimeToLiveDescription']['TimeToLiveStatus'\n ].lower() == 'enabled'\n model.Meta.ttl['enabled'] = ttl_enabled\n logger.debug(\n f\"Set {model.__name__}.Meta.ttl['enabled'] to '{ttl_enabled}' from DescribeTable response\"\n )\n if model.Meta.encryption is None:\n sse_enabled = actual['SSEDescription']['Status'].lower() == 'enabled'\n model.Meta.encryption = {'enabled': sse_enabled}\n logger.debug(\n f\"Set {model.__name__}.Meta.encryption['enabled'] to '{sse_enabled}' from DescribeTable response\"\n )\n if model.Meta.backups is None:\n backups = actual['ContinuousBackupsDescription'][\n 'ContinuousBackupsStatus'] == 'ENABLED'\n model.Meta.backups = {'enabled': backups}\n logger.debug(\n f\"Set {model.__name__}.Meta.backups['enabled'] to '{backups}' from DescribeTable response\"\n )\n if model.Meta.billing is None:\n billing_mode = {'PAY_PER_REQUEST': 'on_demand', 'PROVISIONED':\n 'provisioned'}[actual['BillingModeSummary']['BillingMode']]\n model.Meta.billing = {'mode': billing_mode}\n logger.debug(\n f\"Set {model.__name__}.Meta.billing['mode'] to '{billing_mode}' from DescribeTable response\"\n )\n if model.Meta.read_units is None:\n read_units = model.Meta.read_units = actual['ProvisionedThroughput'][\n 'ReadCapacityUnits']\n logger.debug(\n f'Set {model.__name__}.Meta.read_units to {read_units} from DescribeTable response'\n )\n if model.Meta.write_units is None:\n write_units = model.Meta.write_units = actual['ProvisionedThroughput'][\n 'WriteCapacityUnits']\n logger.debug(\n f'Set {model.__name__}.Meta.write_units to {write_units} from DescribeTable response'\n )\n gsis = {index['IndexName']: index for index in actual[\n 'GlobalSecondaryIndexes']}\n for index in model.Meta.gsis:\n read_units = gsis[index.dynamo_name]['ProvisionedThroughput'][\n 'ReadCapacityUnits']\n write_units = gsis[index.dynamo_name]['ProvisionedThroughput'][\n 'WriteCapacityUnits']\n if index.read_units is None:\n index.read_units = read_units\n logger.debug(\n f'Set {model.__name__}.{index.name}.read_units to {read_units} from DescribeTable response'\n )\n if index.write_units is None:\n index.write_units = write_units\n logger.debug(\n f'Set {model.__name__}.{index.name}.write_units to {write_units} from DescribeTable response'\n )\n",
"role": "user"
},
{
"content": "validate_table",
"role": "assistant"
}
] |
def x(self, table_name, model):
self._tables.pop(table_name, None)
ttl_name = model.Meta.ttl['column'].dynamo_name
request = {'TableName': table_name, 'TimeToLiveSpecification': {
'AttributeName': ttl_name, 'Enabled': True}}
try:
self.dynamodb_client.update_time_to_live(**request)
except botocore.exceptions.ClientError as error:
raise BloopException('Unexpected error while setting TTL.') from error
|
enable_ttl
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name, model):\n self._tables.pop(table_name, None)\n ttl_name = model.Meta.ttl['column'].dynamo_name\n request = {'TableName': table_name, 'TimeToLiveSpecification': {\n 'AttributeName': ttl_name, 'Enabled': True}}\n try:\n self.dynamodb_client.update_time_to_live(**request)\n except botocore.exceptions.ClientError as error:\n raise BloopException('Unexpected error while setting TTL.') from error\n",
"role": "user"
},
{
"content": "enable_ttl",
"role": "assistant"
}
] |
def x(self, table_name, model):
self._tables.pop(table_name, None)
request = {'TableName': table_name, 'PointInTimeRecoverySpecification':
{'PointInTimeRecoveryEnabled': True}}
try:
self.dynamodb_client.update_continuous_backups(**request)
except botocore.exceptions.ClientError as error:
raise BloopException(
'Unexpected error while setting Continuous Backups.') from error
|
enable_backups
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table_name, model):\n self._tables.pop(table_name, None)\n request = {'TableName': table_name, 'PointInTimeRecoverySpecification':\n {'PointInTimeRecoveryEnabled': True}}\n try:\n self.dynamodb_client.update_continuous_backups(**request)\n except botocore.exceptions.ClientError as error:\n raise BloopException(\n 'Unexpected error while setting Continuous Backups.') from error\n",
"role": "user"
},
{
"content": "enable_backups",
"role": "assistant"
}
] |
def x(self, stream_arn, first_shard=None):
description = {'Shards': []}
request = {'StreamArn': stream_arn, 'ExclusiveStartShardId': first_shard}
if first_shard is None:
request.pop('ExclusiveStartShardId')
while request.get('ExclusiveStartShardId') is not missing:
try:
response = self.stream_client.describe_stream(**request)[
'StreamDescription']
except botocore.exceptions.ClientError as error:
if error.response['Error']['Code'] == 'ResourceNotFoundException':
raise InvalidStream(
f'The stream arn {stream_arn!r} does not exist.'
) from error
raise BloopException('Unexpected error while describing stream.'
) from error
request['ExclusiveStartShardId'] = response.pop('LastEvaluatedShardId',
None) or missing
description['Shards'].extend(response.pop('Shards', []))
description.update(response)
return description
|
describe_stream
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stream_arn, first_shard=None):\n description = {'Shards': []}\n request = {'StreamArn': stream_arn, 'ExclusiveStartShardId': first_shard}\n if first_shard is None:\n request.pop('ExclusiveStartShardId')\n while request.get('ExclusiveStartShardId') is not missing:\n try:\n response = self.stream_client.describe_stream(**request)[\n 'StreamDescription']\n except botocore.exceptions.ClientError as error:\n if error.response['Error']['Code'] == 'ResourceNotFoundException':\n raise InvalidStream(\n f'The stream arn {stream_arn!r} does not exist.'\n ) from error\n raise BloopException('Unexpected error while describing stream.'\n ) from error\n request['ExclusiveStartShardId'] = response.pop('LastEvaluatedShardId',\n None) or missing\n description['Shards'].extend(response.pop('Shards', []))\n description.update(response)\n return description\n",
"role": "user"
},
{
"content": "describe_stream",
"role": "assistant"
}
] |
def x(self, *, stream_arn, shard_id, iterator_type, sequence_number=None):
real_iterator_type = validate_stream_iterator_type(iterator_type)
request = {'StreamArn': stream_arn, 'ShardId': shard_id,
'ShardIteratorType': real_iterator_type, 'SequenceNumber':
sequence_number}
if sequence_number is None:
request.pop('SequenceNumber')
try:
return self.stream_client.get_shard_iterator(**request)['ShardIterator'
]
except botocore.exceptions.ClientError as error:
if error.response['Error']['Code'] == 'TrimmedDataAccessException':
raise RecordsExpired from error
raise BloopException('Unexpected error while creating shard iterator'
) from error
|
get_shard_iterator
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *, stream_arn, shard_id, iterator_type, sequence_number=None):\n real_iterator_type = validate_stream_iterator_type(iterator_type)\n request = {'StreamArn': stream_arn, 'ShardId': shard_id,\n 'ShardIteratorType': real_iterator_type, 'SequenceNumber':\n sequence_number}\n if sequence_number is None:\n request.pop('SequenceNumber')\n try:\n return self.stream_client.get_shard_iterator(**request)['ShardIterator'\n ]\n except botocore.exceptions.ClientError as error:\n if error.response['Error']['Code'] == 'TrimmedDataAccessException':\n raise RecordsExpired from error\n raise BloopException('Unexpected error while creating shard iterator'\n ) from error\n",
"role": "user"
},
{
"content": "get_shard_iterator",
"role": "assistant"
}
] |
def x(self, iterator_id):
try:
return self.stream_client.get_records(ShardIterator=iterator_id)
except botocore.exceptions.ClientError as error:
if error.response['Error']['Code'] == 'TrimmedDataAccessException':
raise RecordsExpired from error
elif error.response['Error']['Code'] == 'ExpiredIteratorException':
raise ShardIteratorExpired from error
raise BloopException('Unexpected error while getting records.'
) from error
|
get_stream_records
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, iterator_id):\n try:\n return self.stream_client.get_records(ShardIterator=iterator_id)\n except botocore.exceptions.ClientError as error:\n if error.response['Error']['Code'] == 'TrimmedDataAccessException':\n raise RecordsExpired from error\n elif error.response['Error']['Code'] == 'ExpiredIteratorException':\n raise ShardIteratorExpired from error\n raise BloopException('Unexpected error while getting records.'\n ) from error\n",
"role": "user"
},
{
"content": "get_stream_records",
"role": "assistant"
}
] |
def x(self, items):
try:
return self.dynamodb_client.transact_get_items(TransactItems=items)
except botocore.exceptions.ClientError as error:
if error.response['Error']['Code'] == 'TransactionCanceledException':
raise TransactionCanceled from error
raise BloopException('Unexpected error during transaction read.'
) from error
|
transaction_read
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, items):\n try:\n return self.dynamodb_client.transact_get_items(TransactItems=items)\n except botocore.exceptions.ClientError as error:\n if error.response['Error']['Code'] == 'TransactionCanceledException':\n raise TransactionCanceled from error\n raise BloopException('Unexpected error during transaction read.'\n ) from error\n",
"role": "user"
},
{
"content": "transaction_read",
"role": "assistant"
}
] |
def x(self, items, client_request_token):
try:
self.dynamodb_client.transact_write_items(TransactItems=items,
ClientRequestToken=client_request_token)
except botocore.exceptions.ClientError as error:
if error.response['Error']['Code'] == 'TransactionCanceledException':
raise TransactionCanceled from error
raise BloopException('Unexpected error during transaction write.'
) from error
|
transaction_write
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, items, client_request_token):\n try:\n self.dynamodb_client.transact_write_items(TransactItems=items,\n ClientRequestToken=client_request_token)\n except botocore.exceptions.ClientError as error:\n if error.response['Error']['Code'] == 'TransactionCanceledException':\n raise TransactionCanceled from error\n raise BloopException('Unexpected error during transaction write.'\n ) from error\n",
"role": "user"
},
{
"content": "transaction_write",
"role": "assistant"
}
] |
def x(query_on, key):
return isinstance(key, BaseCondition
) and key.operation == '==' and key.column is query_on.hash_key
|
check_hash_key
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(query_on, key):\n return isinstance(key, BaseCondition\n ) and key.operation == '==' and key.column is query_on.hash_key\n",
"role": "user"
},
{
"content": "check_hash_key",
"role": "assistant"
}
] |
def x(query_on, key):
return isinstance(key, BaseCondition) and key.operation in ('begins_with',
'between', '<', '>', '<=', '>=', '=='
) and key.column is query_on.range_key
|
check_range_key
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(query_on, key):\n return isinstance(key, BaseCondition) and key.operation in ('begins_with',\n 'between', '<', '>', '<=', '>=', '=='\n ) and key.column is query_on.range_key\n",
"role": "user"
},
{
"content": "check_range_key",
"role": "assistant"
}
] |
def x(self):
p = PreparedSearch()
p.prepare(engine=self.engine, mode=self.mode, model=self.model, index=
self.index, key=self.key, filter=self.filter, projection=self.
projection, consistent=self.consistent, forward=self.forward,
parallel=self.parallel)
return p
|
prepare
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n p = PreparedSearch()\n p.prepare(engine=self.engine, mode=self.mode, model=self.model, index=\n self.index, key=self.key, filter=self.filter, projection=self.\n projection, consistent=self.consistent, forward=self.forward,\n parallel=self.parallel)\n return p\n",
"role": "user"
},
{
"content": "prepare",
"role": "assistant"
}
] |
def x(self, engine=None, mode=None, model=None, index=None, key=None,
filter=None, projection=None, consistent=None, forward=None, parallel=None
):
self.prepare_iterator_cls(engine, mode)
self.prepare_model(model, index, consistent)
self.prepare_key(key)
self.prepare_projection(projection)
self.prepare_filter(filter)
self.prepare_constraints(forward, parallel)
self.prepare_request()
|
prepare
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, engine=None, mode=None, model=None, index=None, key=None,\n filter=None, projection=None, consistent=None, forward=None, parallel=None\n ):\n self.prepare_iterator_cls(engine, mode)\n self.prepare_model(model, index, consistent)\n self.prepare_key(key)\n self.prepare_projection(projection)\n self.prepare_filter(filter)\n self.prepare_constraints(forward, parallel)\n self.prepare_request()\n",
"role": "user"
},
{
"content": "prepare",
"role": "assistant"
}
] |
def x(self):
if self.request['Select'] == 'COUNT':
while not self.exhausted:
next(self, None)
return self._count
|
count
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.request['Select'] == 'COUNT':\n while not self.exhausted:\n next(self, None)\n return self._count\n",
"role": "user"
},
{
"content": "count",
"role": "assistant"
}
] |
def x(self):
if self.request['Select'] == 'COUNT':
while not self.exhausted:
next(self, None)
return self._scanned
|
scanned
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.request['Select'] == 'COUNT':\n while not self.exhausted:\n next(self, None)\n return self._scanned\n",
"role": "user"
},
{
"content": "scanned",
"role": "assistant"
}
] |
def x(self):
self.reset()
value = next(self, None)
if value is None:
raise ConstraintViolation('{} did not find any results.'.format(
self.mode.capitalize()))
return value
|
first
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.reset()\n value = next(self, None)\n if value is None:\n raise ConstraintViolation('{} did not find any results.'.format(\n self.mode.capitalize()))\n return value\n",
"role": "user"
},
{
"content": "first",
"role": "assistant"
}
] |
def x(self):
first = self.first()
second = next(self, None)
if second is not None:
raise ConstraintViolation('{} found more than one result.'.format(
self.mode.capitalize()))
return first
|
one
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n first = self.first()\n second = next(self, None)\n if second is not None:\n raise ConstraintViolation('{} found more than one result.'.format(\n self.mode.capitalize()))\n return first\n",
"role": "user"
},
{
"content": "one",
"role": "assistant"
}
] |
def x(self):
self.buffer.clear()
self._count = 0
self._scanned = 0
self._exhausted = False
self.request.pop('ExclusiveStartKey', None)
|
reset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.buffer.clear()\n self._count = 0\n self._scanned = 0\n self._exhausted = False\n self.request.pop('ExclusiveStartKey', None)\n",
"role": "user"
},
{
"content": "reset",
"role": "assistant"
}
] |
def x(cls, name: str) ->'TxType':
return {'get': TxType.Get, 'check': TxType.Check, 'delete': TxType.
Delete, 'save': TxType.Update}[name]
|
by_alias
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, name: str) ->'TxType':\n return {'get': TxType.Get, 'check': TxType.Check, 'delete': TxType.\n Delete, 'save': TxType.Update}[name]\n",
"role": "user"
},
{
"content": "by_alias",
"role": "assistant"
}
] |
def x(self):
tx = PreparedTransaction()
tx.prepare(engine=self.engine, mode=self.mode, items=self._items)
return tx
|
prepare
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n tx = PreparedTransaction()\n tx.prepare(engine=self.engine, mode=self.mode, items=self._items)\n return tx\n",
"role": "user"
},
{
"content": "prepare",
"role": "assistant"
}
] |
def x(self, engine, mode, items) ->None:
self.tx_id = str(uuid.uuid4()).replace('-', '')
self.engine = engine
self.mode = mode
self.items = items
self._prepare_request()
|
prepare
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, engine, mode, items) ->None:\n self.tx_id = str(uuid.uuid4()).replace('-', '')\n self.engine = engine\n self.mode = mode\n self.items = items\n self._prepare_request()\n",
"role": "user"
},
{
"content": "prepare",
"role": "assistant"
}
] |
def x(self) ->None:
now = datetime.now(timezone.utc)
if self.first_commit_at is None:
self.first_commit_at = now
if self.mode == 'r':
response = self.engine.session.transaction_read(self._request)
elif self.mode == 'w':
if now - self.first_commit_at > MAX_TOKEN_LIFETIME:
raise TransactionTokenExpired
response = self.engine.session.transaction_write(self._request,
self.tx_id)
else:
raise ValueError(f'unrecognized mode {self.mode}')
self._handle_response(response)
|
commit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->None:\n now = datetime.now(timezone.utc)\n if self.first_commit_at is None:\n self.first_commit_at = now\n if self.mode == 'r':\n response = self.engine.session.transaction_read(self._request)\n elif self.mode == 'w':\n if now - self.first_commit_at > MAX_TOKEN_LIFETIME:\n raise TransactionTokenExpired\n response = self.engine.session.transaction_write(self._request,\n self.tx_id)\n else:\n raise ValueError(f'unrecognized mode {self.mode}')\n self._handle_response(response)\n",
"role": "user"
},
{
"content": "commit",
"role": "assistant"
}
] |
def x(self, *objs) ->'ReadTransaction':
self._extend([TxItem.new('get', obj) for obj in objs])
return self
|
load
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *objs) ->'ReadTransaction':\n self._extend([TxItem.new('get', obj) for obj in objs])\n return self\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(self, obj, condition) ->'WriteTransaction':
self._extend([TxItem.new('check', obj, condition)])
return self
|
check
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj, condition) ->'WriteTransaction':\n self._extend([TxItem.new('check', obj, condition)])\n return self\n",
"role": "user"
},
{
"content": "check",
"role": "assistant"
}
] |
def x(self, *objs, condition=None, atomic=False) ->'WriteTransaction':
self._extend([TxItem.new('save', obj, condition, atomic) for obj in objs])
return self
|
save
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *objs, condition=None, atomic=False) ->'WriteTransaction':\n self._extend([TxItem.new('save', obj, condition, atomic) for obj in objs])\n return self\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(self, cube_dimensions):
return np.asarray([getattr(cube_dimensions[d], s) for d in self.
_dimensions for s in self._schema], dtype=np.int32)
|
encode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cube_dimensions):\n return np.asarray([getattr(cube_dimensions[d], s) for d in self.\n _dimensions for s in self._schema], dtype=np.int32)\n",
"role": "user"
},
{
"content": "encode",
"role": "assistant"
}
] |
def x(self, descriptor):
i = iter(descriptor)
n = len(self._schema)
schema = self._schema + ('name',)
tuple_gen = (tuple(itertools.islice(i, n)) + (d,) for d in self._dimensions
)
return [{k: v for k, v in zip(schema, t)} for t in tuple_gen]
|
decode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, descriptor):\n i = iter(descriptor)\n n = len(self._schema)\n schema = self._schema + ('name',)\n tuple_gen = (tuple(itertools.islice(i, n)) + (d,) for d in self._dimensions\n )\n return [{k: v for k, v in zip(schema, t)} for t in tuple_gen]\n",
"role": "user"
},
{
"content": "decode",
"role": "assistant"
}
] |
def x(cub_url, cub_archive_name):
with open(cub_archive_name, 'wb') as f:
remote_file = urllib2.urlopen(cub_url)
meta = remote_file.info()
cl_header = meta.getheaders('Content-Length')
remote_file_size = int(cl_header[0]) if len(cl_header) > 0 else None
local_file_size = 0
block_size = 128 * 1024
while True:
data = remote_file.read(block_size)
if not data:
break
f.write(data)
local_file_size += len(data)
if (remote_file_size is not None and not local_file_size ==
remote_file_size):
log.warn("Local file size '{}' does not match remote '{}'".
format(local_file_size, remote_file_size))
remote_file.close()
|
dl_cub
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cub_url, cub_archive_name):\n with open(cub_archive_name, 'wb') as f:\n remote_file = urllib2.urlopen(cub_url)\n meta = remote_file.info()\n cl_header = meta.getheaders('Content-Length')\n remote_file_size = int(cl_header[0]) if len(cl_header) > 0 else None\n local_file_size = 0\n block_size = 128 * 1024\n while True:\n data = remote_file.read(block_size)\n if not data:\n break\n f.write(data)\n local_file_size += len(data)\n if (remote_file_size is not None and not local_file_size ==\n remote_file_size):\n log.warn(\"Local file size '{}' does not match remote '{}'\".\n format(local_file_size, remote_file_size))\n remote_file.close()\n",
"role": "user"
},
{
"content": "dl_cub",
"role": "assistant"
}
] |
def x(filename):
hash_sha = hashlib.sha1()
with open(filename, 'rb') as f:
for chunk in iter(lambda : f.read(1024 * 1024), b''):
hash_sha.update(chunk)
return hash_sha.hexdigest()
|
sha_hash_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n hash_sha = hashlib.sha1()\n with open(filename, 'rb') as f:\n for chunk in iter(lambda : f.read(1024 * 1024), b''):\n hash_sha.update(chunk)\n return hash_sha.hexdigest()\n",
"role": "user"
},
{
"content": "sha_hash_file",
"role": "assistant"
}
] |
def x(mb_inc_path):
cub_url = 'https://github.com/NVlabs/cub/archive/1.6.4.zip'
cub_sha_hash = '0d5659200132c2576be0b3959383fa756de6105d'
cub_version_str = 'Current release: v1.6.4 (12/06/2016)'
cub_zip_file = 'cub.zip'
cub_zip_dir = 'cub-1.6.4'
cub_unzipped_path = os.path.join(mb_inc_path, cub_zip_dir)
cub_new_unzipped_path = os.path.join(mb_inc_path, 'cub')
cub_header = os.path.join(cub_new_unzipped_path, 'cub', 'cub.cuh')
cub_readme = os.path.join(cub_new_unzipped_path, 'README.md')
cub_installed, _ = is_cub_installed(cub_readme, cub_header, cub_version_str
)
if cub_installed:
log.info("NVIDIA cub installation found at '{}'".format(
cub_new_unzipped_path))
return
log.info('No NVIDIA cub installation found')
have_valid_cub_file = os.path.exists(cub_zip_file) and os.path.isfile(
cub_zip_file) and sha_hash_file(cub_zip_file) == cub_sha_hash
if have_valid_cub_file:
log.info("Valid NVIDIA cub archive found '{}'".format(cub_zip_file))
else:
log.info("Downloading cub archive '{}'".format(cub_url))
dl_cub(cub_url, cub_zip_file)
cub_file_sha_hash = sha_hash_file(cub_zip_file)
if cub_sha_hash != cub_file_sha_hash:
msg = (
'Hash of file %s downloaded from %s is %s and does not match the expected hash of %s. Please manually download as per the README.md instructions.'
% (cub_zip_file, cub_url, cub_file_sha_hash, cub_sha_hash))
raise InstallCubException(msg)
with zipfile.ZipFile(cub_zip_file, 'r') as zip_file:
shutil.rmtree(cub_unzipped_path, ignore_errors=True)
shutil.rmtree(cub_new_unzipped_path, ignore_errors=True)
zip_file.extractall(mb_inc_path)
shutil.move(cub_unzipped_path, cub_new_unzipped_path)
log.info("NVIDIA cub archive unzipped into '{}'".format(
cub_new_unzipped_path))
there, reason = is_cub_installed(cub_readme, cub_header, cub_version_str)
if not there:
raise InstallCubException(reason)
|
install_cub
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mb_inc_path):\n cub_url = 'https://github.com/NVlabs/cub/archive/1.6.4.zip'\n cub_sha_hash = '0d5659200132c2576be0b3959383fa756de6105d'\n cub_version_str = 'Current release: v1.6.4 (12/06/2016)'\n cub_zip_file = 'cub.zip'\n cub_zip_dir = 'cub-1.6.4'\n cub_unzipped_path = os.path.join(mb_inc_path, cub_zip_dir)\n cub_new_unzipped_path = os.path.join(mb_inc_path, 'cub')\n cub_header = os.path.join(cub_new_unzipped_path, 'cub', 'cub.cuh')\n cub_readme = os.path.join(cub_new_unzipped_path, 'README.md')\n cub_installed, _ = is_cub_installed(cub_readme, cub_header, cub_version_str\n )\n if cub_installed:\n log.info(\"NVIDIA cub installation found at '{}'\".format(\n cub_new_unzipped_path))\n return\n log.info('No NVIDIA cub installation found')\n have_valid_cub_file = os.path.exists(cub_zip_file) and os.path.isfile(\n cub_zip_file) and sha_hash_file(cub_zip_file) == cub_sha_hash\n if have_valid_cub_file:\n log.info(\"Valid NVIDIA cub archive found '{}'\".format(cub_zip_file))\n else:\n log.info(\"Downloading cub archive '{}'\".format(cub_url))\n dl_cub(cub_url, cub_zip_file)\n cub_file_sha_hash = sha_hash_file(cub_zip_file)\n if cub_sha_hash != cub_file_sha_hash:\n msg = (\n 'Hash of file %s downloaded from %s is %s and does not match the expected hash of %s. Please manually download as per the README.md instructions.'\n % (cub_zip_file, cub_url, cub_file_sha_hash, cub_sha_hash))\n raise InstallCubException(msg)\n with zipfile.ZipFile(cub_zip_file, 'r') as zip_file:\n shutil.rmtree(cub_unzipped_path, ignore_errors=True)\n shutil.rmtree(cub_new_unzipped_path, ignore_errors=True)\n zip_file.extractall(mb_inc_path)\n shutil.move(cub_unzipped_path, cub_new_unzipped_path)\n log.info(\"NVIDIA cub archive unzipped into '{}'\".format(\n cub_new_unzipped_path))\n there, reason = is_cub_installed(cub_readme, cub_header, cub_version_str)\n if not there:\n raise InstallCubException(reason)\n",
"role": "user"
},
{
"content": "install_cub",
"role": "assistant"
}
] |
def x(device_info):
if len(device_info['devices']) == 0:
archs = ['--gpu-architecture=sm_30']
log.info("No CUDA devices found, defaulting to architecture '{}'".
format(archs[0]))
else:
archs = set()
for device in device_info['devices']:
arch_str = '--gpu-architecture=sm_{}{}'.format(device['major'],
device['minor'])
log.info("Using '{}' for '{}'".format(arch_str, device['name']))
archs.add(arch_str)
return list(archs)
|
cuda_architecture_flags
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(device_info):\n if len(device_info['devices']) == 0:\n archs = ['--gpu-architecture=sm_30']\n log.info(\"No CUDA devices found, defaulting to architecture '{}'\".\n format(archs[0]))\n else:\n archs = set()\n for device in device_info['devices']:\n arch_str = '--gpu-architecture=sm_{}{}'.format(device['major'],\n device['minor'])\n log.info(\"Using '{}' for '{}'\".format(arch_str, device['name']))\n archs.add(arch_str)\n return list(archs)\n",
"role": "user"
},
{
"content": "cuda_architecture_flags",
"role": "assistant"
}
] |
def x(nvcc_settings, device_info):
import tensorflow as tf
import glob
use_cuda = bool(nvcc_settings['cuda_available']
) and tf.test.is_built_with_cuda()
source_path = os.path.join('montblanc', 'impl', 'rime', 'tensorflow',
'rime_ops')
sources = glob.glob(os.path.join(source_path, '*.cpp'))
depends = glob.glob(os.path.join(source_path, '*.h'))
tf_inc = tf.sysconfig.get_include()
include_dirs = [os.path.join('montblanc', 'include'), source_path]
include_dirs += [tf_inc, os.path.join(tf_inc, 'external', 'nsync',
'public')]
library_dirs = [tf.sysconfig.get_lib()]
libraries = ['tensorflow_framework']
extra_link_args = ['-fPIC', '-fopenmp', '-g0']
define_macros = [('_MWAITXINTRIN_H_INCLUDED', None), ('_FORCE_INLINES',
None), ('_GLIBCXX_USE_CXX11_ABI', 0)]
flags = ['-std=c++11']
gcc_flags = flags + ['-g0', '-fPIC', '-fopenmp', '-O2']
gcc_flags += ['-march=native', '-mtune=native']
nvcc_flags = flags + []
if use_cuda:
sources += glob.glob(os.path.join(source_path, '*.cu'))
include_dirs += nvcc_settings['include_dirs']
depends += glob.glob(os.path.join(source_path, '*.cuh'))
library_dirs += nvcc_settings['library_dirs']
libraries += nvcc_settings['libraries']
nvcc_flags += ['-x', 'cu']
nvcc_flags += ['--compiler-options', '"-fPIC"']
nvcc_flags += cuda_architecture_flags(device_info)
nvcc_flags += ['-DGOOGLE_CUDA=%d' % int(use_cuda)]
return Extension(tensorflow_extension_name, sources=sources,
include_dirs=include_dirs, depends=depends, library_dirs=
library_dirs, libraries=libraries, define_macros=define_macros,
extra_compile_args={'gcc': gcc_flags, 'nvcc': nvcc_flags},
extra_link_args=extra_link_args)
|
create_tensorflow_extension
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(nvcc_settings, device_info):\n import tensorflow as tf\n import glob\n use_cuda = bool(nvcc_settings['cuda_available']\n ) and tf.test.is_built_with_cuda()\n source_path = os.path.join('montblanc', 'impl', 'rime', 'tensorflow',\n 'rime_ops')\n sources = glob.glob(os.path.join(source_path, '*.cpp'))\n depends = glob.glob(os.path.join(source_path, '*.h'))\n tf_inc = tf.sysconfig.get_include()\n include_dirs = [os.path.join('montblanc', 'include'), source_path]\n include_dirs += [tf_inc, os.path.join(tf_inc, 'external', 'nsync',\n 'public')]\n library_dirs = [tf.sysconfig.get_lib()]\n libraries = ['tensorflow_framework']\n extra_link_args = ['-fPIC', '-fopenmp', '-g0']\n define_macros = [('_MWAITXINTRIN_H_INCLUDED', None), ('_FORCE_INLINES',\n None), ('_GLIBCXX_USE_CXX11_ABI', 0)]\n flags = ['-std=c++11']\n gcc_flags = flags + ['-g0', '-fPIC', '-fopenmp', '-O2']\n gcc_flags += ['-march=native', '-mtune=native']\n nvcc_flags = flags + []\n if use_cuda:\n sources += glob.glob(os.path.join(source_path, '*.cu'))\n include_dirs += nvcc_settings['include_dirs']\n depends += glob.glob(os.path.join(source_path, '*.cuh'))\n library_dirs += nvcc_settings['library_dirs']\n libraries += nvcc_settings['libraries']\n nvcc_flags += ['-x', 'cu']\n nvcc_flags += ['--compiler-options', '\"-fPIC\"']\n nvcc_flags += cuda_architecture_flags(device_info)\n nvcc_flags += ['-DGOOGLE_CUDA=%d' % int(use_cuda)]\n return Extension(tensorflow_extension_name, sources=sources,\n include_dirs=include_dirs, depends=depends, library_dirs=\n library_dirs, libraries=libraries, define_macros=define_macros,\n extra_compile_args={'gcc': gcc_flags, 'nvcc': nvcc_flags},\n extra_link_args=extra_link_args)\n",
"role": "user"
},
{
"content": "create_tensorflow_extension",
"role": "assistant"
}
] |
def x(self):
return [('ntime', args.ntime), ('nchan', args.nchan), ('na', args.na),
('npsrc', len(lm_coords))]
|
updated_dimensions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return [('ntime', args.ntime), ('nchan', args.nchan), ('na', args.na),\n ('npsrc', len(lm_coords))]\n",
"role": "user"
},
{
"content": "updated_dimensions",
"role": "assistant"
}
] |
def x(self, context):
(ls, us), _ = context.array_extents(context.name)
return np.asarray(lm_coords[ls:us], dtype=context.dtype)
|
point_lm
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context):\n (ls, us), _ = context.array_extents(context.name)\n return np.asarray(lm_coords[ls:us], dtype=context.dtype)\n",
"role": "user"
},
{
"content": "point_lm",
"role": "assistant"
}
] |
def x(self, context):
(ls, us), (lt, ut), (l, u) = context.array_extents(context.name)
data = np.empty(context.shape, context.dtype)
data[ls:us, :, l:u] = np.asarray(lm_stokes)[ls:us, None, :]
return data
|
point_stokes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context):\n (ls, us), (lt, ut), (l, u) = context.array_extents(context.name)\n data = np.empty(context.shape, context.dtype)\n data[ls:us, :, l:u] = np.asarray(lm_stokes)[ls:us, None, :]\n return data\n",
"role": "user"
},
{
"content": "point_stokes",
"role": "assistant"
}
] |
def x(self, context):
(lt, ut), (la, ua), (l, u) = context.array_extents(context.name)
data = np.empty(context.shape, context.dtype)
data[:, :, 0] = np.arange(la + 1, ua + 1)
data[:, :, 1] = 0
data[:, :, 2] = 0
return data
|
uvw
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, context):\n (lt, ut), (la, ua), (l, u) = context.array_extents(context.name)\n data = np.empty(context.shape, context.dtype)\n data[:, :, 0] = np.arange(la + 1, ua + 1)\n data[:, :, 1] = 0\n data[:, :, 2] = 0\n return data\n",
"role": "user"
},
{
"content": "uvw",
"role": "assistant"
}
] |
def x(self, command, reinit_subcommands):
cmd_obj = _DISTUTILS_REINIT(self, command, reinit_subcommands)
options = self.command_options.get(command)
if options:
self._set_command_options(cmd_obj, options)
return cmd_obj
|
reinitialize_command
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command, reinit_subcommands):\n cmd_obj = _DISTUTILS_REINIT(self, command, reinit_subcommands)\n options = self.command_options.get(command)\n if options:\n self._set_command_options(cmd_obj, options)\n return cmd_obj\n",
"role": "user"
},
{
"content": "reinitialize_command",
"role": "assistant"
}
] |
def x(na, auto_correlations=False):
m = na - 1 if auto_correlations is False else na + 1
return na * m // 2
|
nr_of_baselines
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(na, auto_correlations=False):\n m = na - 1 if auto_correlations is False else na + 1\n return na * m // 2\n",
"role": "user"
},
{
"content": "nr_of_baselines",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.