source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self, position: int):
if position > self._bit_width - 1:
raise ValueError('position greater than the bit width')
self._value ^= 1 << position
self._text_update()
|
toggle_bit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, position: int):\n if position > self._bit_width - 1:\n raise ValueError('position greater than the bit width')\n self._value ^= 1 << position\n self._text_update()\n",
"role": "user"
},
{
"content": "toggle_bit",
"role": "assistant"
}
] |
def x(self, position: int):
if position > self._bit_width - 1:
raise ValueError('position greater than the bit width')
self._value |= 1 << position
self._text_update()
|
set_bit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, position: int):\n if position > self._bit_width - 1:\n raise ValueError('position greater than the bit width')\n self._value |= 1 << position\n self._text_update()\n",
"role": "user"
},
{
"content": "set_bit",
"role": "assistant"
}
] |
def x(self, position: int):
if position > self._bit_width - 1:
raise ValueError('position greater than the bit width')
self._value &= ~(1 << position)
self._text_update()
|
clear_bit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, position: int):\n if position > self._bit_width - 1:\n raise ValueError('position greater than the bit width')\n self._value &= ~(1 << position)\n self._text_update()\n",
"role": "user"
},
{
"content": "clear_bit",
"role": "assistant"
}
] |
def x(admin_site, model, admin_class):
try:
admin_site.register(model, admin_class)
except admin.sites.AlreadyRegistered:
pass
|
register_admin
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(admin_site, model, admin_class):\n try:\n admin_site.register(model, admin_class)\n except admin.sites.AlreadyRegistered:\n pass\n",
"role": "user"
},
{
"content": "register_admin",
"role": "assistant"
}
] |
def x(metadata_class):
fields = []
if metadata_class._meta.use_sites:
fields.append('_site')
if metadata_class._meta.use_i18n:
fields.append('_language')
return fields
|
core_choice_fields
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(metadata_class):\n fields = []\n if metadata_class._meta.use_sites:\n fields.append('_site')\n if metadata_class._meta.use_i18n:\n fields.append('_language')\n return fields\n",
"role": "user"
},
{
"content": "core_choice_fields",
"role": "assistant"
}
] |
def x(model, admin_class_instance, metadata_class, inline_class, admin_site):
if model in metadata_class._meta.seo_models:
admin_class_instance.__dict__['inlines'
] = admin_class_instance.inlines + [inline_class]
inline_instance = inline_class(admin_class_instance.model, admin_site)
admin_class_instance.inline_instances.append(inline_instance)
|
monkey_inline
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model, admin_class_instance, metadata_class, inline_class, admin_site):\n if model in metadata_class._meta.seo_models:\n admin_class_instance.__dict__['inlines'\n ] = admin_class_instance.inlines + [inline_class]\n inline_instance = inline_class(admin_class_instance.model, admin_site)\n admin_class_instance.inline_instances.append(inline_instance)\n",
"role": "user"
},
{
"content": "monkey_inline",
"role": "assistant"
}
] |
def x(func, admin_site, metadata_class, inline_class):
def x(model_or_iterable, admin_class=None, **options):
func(model_or_iterable, admin_class, **options)
_monkey_inline(model_or_iterable, admin_site._registry[
model_or_iterable], metadata_class, inline_class, admin_site)
return register
|
with_inline
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, admin_site, metadata_class, inline_class):\n\n def x(model_or_iterable, admin_class=None, **options):\n func(model_or_iterable, admin_class, **options)\n _monkey_inline(model_or_iterable, admin_site._registry[\n model_or_iterable], metadata_class, inline_class, admin_site)\n return register\n",
"role": "user"
},
{
"content": "with_inline",
"role": "assistant"
}
] |
def x(admin_site, metadata_class):
inline_class = get_inline(metadata_class)
for model, admin_class_instance in admin_site._registry.items():
_monkey_inline(model, admin_class_instance, metadata_class,
inline_class, admin_site)
admin_site.register = _with_inline(admin_site.register, admin_site,
metadata_class, inline_class)
|
auto_register_inlines
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(admin_site, metadata_class):\n inline_class = get_inline(metadata_class)\n for model, admin_class_instance in admin_site._registry.items():\n _monkey_inline(model, admin_class_instance, metadata_class,\n inline_class, admin_site)\n admin_site.register = _with_inline(admin_site.register, admin_site,\n metadata_class, inline_class)\n",
"role": "user"
},
{
"content": "auto_register_inlines",
"role": "assistant"
}
] |
def x(obj, name=None, context=None, site=None, language=None):
Metadata = _get_metadata_model(name)
InstanceMetadata = Metadata._meta.get_model('modelinstance')
ModelMetadata = Metadata._meta.get_model('model')
content_type = ContentType.objects.get_for_model(obj)
instances = []
if InstanceMetadata is not None:
try:
instance_md = InstanceMetadata.objects.get(_content_type=
content_type, _object_id=obj.pk)
except InstanceMetadata.DoesNotExist:
instance_md = InstanceMetadata(_content_object=obj)
instances.append(instance_md)
if ModelMetadata is not None:
try:
model_md = ModelMetadata.objects.get(_content_type=content_type)
except ModelMetadata.DoesNotExist:
model_md = ModelMetadata(_content_type=content_type)
instances.append(model_md)
return FormattedMetadata(Metadata, instances, '', site, language)
|
get_linked_metadata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, name=None, context=None, site=None, language=None):\n Metadata = _get_metadata_model(name)\n InstanceMetadata = Metadata._meta.get_model('modelinstance')\n ModelMetadata = Metadata._meta.get_model('model')\n content_type = ContentType.objects.get_for_model(obj)\n instances = []\n if InstanceMetadata is not None:\n try:\n instance_md = InstanceMetadata.objects.get(_content_type=\n content_type, _object_id=obj.pk)\n except InstanceMetadata.DoesNotExist:\n instance_md = InstanceMetadata(_content_object=obj)\n instances.append(instance_md)\n if ModelMetadata is not None:\n try:\n model_md = ModelMetadata.objects.get(_content_type=content_type)\n except ModelMetadata.DoesNotExist:\n model_md = ModelMetadata(_content_type=content_type)\n instances.append(model_md)\n return FormattedMetadata(Metadata, instances, '', site, language)\n",
"role": "user"
},
{
"content": "get_linked_metadata",
"role": "assistant"
}
] |
def x(model, MetadataClass):
content_type = ContentType.objects.get_for_model(model)
for instance in model.objects.all():
create_metadata_instance(MetadataClass, instance)
|
populate_metadata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model, MetadataClass):\n content_type = ContentType.objects.get_for_model(model)\n for instance in model.objects.all():\n create_metadata_instance(MetadataClass, instance)\n",
"role": "user"
},
{
"content": "populate_metadata",
"role": "assistant"
}
] |
def x(self):
for instance in self.__instances_cache:
yield instance
for instance in self.__instances_original:
self.__instances_cache.append(instance)
yield instance
|
instances
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for instance in self.__instances_cache:\n yield instance\n for instance in self.__instances_original:\n self.__instances_cache.append(instance)\n yield instance\n",
"role": "user"
},
{
"content": "instances",
"role": "assistant"
}
] |
def x(self, name):
for instance in self.__instances():
value = instance._resolve_value(name)
if value:
return value
if name in self.__metadata._meta.elements:
populate_from = self.__metadata._meta.elements[name].populate_from
if callable(populate_from):
return populate_from(None)
elif isinstance(populate_from, Literal):
return populate_from.value
elif populate_from is not NotSet:
return self._resolve_value(populate_from)
|
resolve_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n for instance in self.__instances():\n value = instance._resolve_value(name)\n if value:\n return value\n if name in self.__metadata._meta.elements:\n populate_from = self.__metadata._meta.elements[name].populate_from\n if callable(populate_from):\n return populate_from(None)\n elif isinstance(populate_from, Literal):\n return populate_from.value\n elif populate_from is not NotSet:\n return self._resolve_value(populate_from)\n",
"role": "user"
},
{
"content": "resolve_value",
"role": "assistant"
}
] |
def x(cls, path, context=None, site=None, language=None):
return FormattedMetadata(cls(), cls._get_instances(path, context, site,
language), path, site, language)
|
get_formatted_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, path, context=None, site=None, language=None):\n return FormattedMetadata(cls(), cls._get_instances(path, context, site,\n language), path, site, language)\n",
"role": "user"
},
{
"content": "get_formatted_data",
"role": "assistant"
}
] |
def x(cls, path, context=None, site=None, language=None):
backend_context = {'view_context': context}
for model in cls._meta.models.values():
for instance in (model.objects.get_instances(path, site, language,
backend_context) or []):
if hasattr(instance, '_process_context'):
instance._process_context(backend_context)
yield instance
|
get_instances
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, path, context=None, site=None, language=None):\n backend_context = {'view_context': context}\n for model in cls._meta.models.values():\n for instance in (model.objects.get_instances(path, site, language,\n backend_context) or []):\n if hasattr(instance, '_process_context'):\n instance._process_context(backend_context)\n yield instance\n",
"role": "user"
},
{
"content": "get_instances",
"role": "assistant"
}
] |
def x(value, model_instance=None, context=None):
if isinstance(value, basestring) and '{' in value:
if context is None:
context = Context()
if model_instance is not None:
context[model_instance._meta.module_name] = model_instance
value = Template(value).render(context)
return value
|
resolve
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, model_instance=None, context=None):\n if isinstance(value, basestring) and '{' in value:\n if context is None:\n context = Context()\n if model_instance is not None:\n context[model_instance._meta.module_name] = model_instance\n value = Template(value).render(context)\n return value\n",
"role": "user"
},
{
"content": "resolve",
"role": "assistant"
}
] |
def x(options):
try:
if options.backends.index('modelinstance') > options.backends.index(
'model'):
raise Exception(
"Metadata backend 'modelinstance' must come before 'model' backend"
)
except ValueError:
raise Exception(
"Metadata backend 'modelinstance' must be installed in order to use 'model' backend"
)
|
validate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(options):\n try:\n if options.backends.index('modelinstance') > options.backends.index(\n 'model'):\n raise Exception(\n \"Metadata backend 'modelinstance' must come before 'model' backend\"\n )\n except ValueError:\n raise Exception(\n \"Metadata backend 'modelinstance' must be installed in order to use 'model' backend\"\n )\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(self, elements):
self.elements = elements
for key, obj in elements.items():
obj.contribute_to_class(self.metadata, key)
fields = {}
for key, obj in elements.items():
if obj.editable:
field = obj.get_field()
if not field.help_text:
if key in self.bulk_help_text:
field.help_text = self.bulk_help_text[key]
fields[key] = field
base_meta = type('Meta', (), self.original_meta)
class BaseMeta(base_meta):
abstract = True
app_label = 'seo'
fields['Meta'] = BaseMeta
fields['__module__'] = __name__
self.MetadataBaseModel = type('%sBase' % self.name, (models.Model,), fields
)
|
register_elements
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, elements):\n self.elements = elements\n for key, obj in elements.items():\n obj.contribute_to_class(self.metadata, key)\n fields = {}\n for key, obj in elements.items():\n if obj.editable:\n field = obj.get_field()\n if not field.help_text:\n if key in self.bulk_help_text:\n field.help_text = self.bulk_help_text[key]\n fields[key] = field\n base_meta = type('Meta', (), self.original_meta)\n\n\n class BaseMeta(base_meta):\n abstract = True\n app_label = 'seo'\n fields['Meta'] = BaseMeta\n fields['__module__'] = __name__\n self.MetadataBaseModel = type('%sBase' % self.name, (models.Model,), fields\n )\n",
"role": "user"
},
{
"content": "register_elements",
"role": "assistant"
}
] |
def x(self, backend):
md_type = backend.verbose_name
base = backend().get_model(self)
new_md_attrs = {'_metadata': self.metadata, '__module__': __name__}
new_md_meta = {}
new_md_meta['verbose_name'] = '%s (%s)' % (self.verbose_name, md_type)
new_md_meta['verbose_name_plural'] = '%s (%s)' % (self.
verbose_name_plural, md_type)
new_md_meta['unique_together'] = base._meta.unique_together
new_md_attrs['Meta'] = type('Meta', (), new_md_meta)
new_md_attrs['_metadata_type'] = backend.name
model = type('%s%s' % (self.name, ''.join(md_type.split())), (base,
self.MetadataBaseModel), new_md_attrs.copy())
self.models[backend.name] = model
globals()[model.__name__] = model
|
add_backend
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, backend):\n md_type = backend.verbose_name\n base = backend().get_model(self)\n new_md_attrs = {'_metadata': self.metadata, '__module__': __name__}\n new_md_meta = {}\n new_md_meta['verbose_name'] = '%s (%s)' % (self.verbose_name, md_type)\n new_md_meta['verbose_name_plural'] = '%s (%s)' % (self.\n verbose_name_plural, md_type)\n new_md_meta['unique_together'] = base._meta.unique_together\n new_md_attrs['Meta'] = type('Meta', (), new_md_meta)\n new_md_attrs['_metadata_type'] = backend.name\n model = type('%s%s' % (self.name, ''.join(md_type.split())), (base,\n self.MetadataBaseModel), new_md_attrs.copy())\n self.models[backend.name] = model\n globals()[model.__name__] = model\n",
"role": "user"
},
{
"content": "add_backend",
"role": "assistant"
}
] |
def x(self, value):
seo_models = []
for model_name in value:
if '.' in model_name:
app_label, model_name = model_name.split('.', 1)
model = models.get_model(app_label, model_name)
if model:
seo_models.append(model)
else:
app = models.get_app(model_name)
if app:
seo_models.extend(models.get_models(app))
self.seo_models = seo_models
|
set_seo_models
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n seo_models = []\n for model_name in value:\n if '.' in model_name:\n app_label, model_name = model_name.split('.', 1)\n model = models.get_model(app_label, model_name)\n if model:\n seo_models.append(model)\n else:\n app = models.get_app(model_name)\n if app:\n seo_models.extend(models.get_models(app))\n self.seo_models = seo_models\n",
"role": "user"
},
{
"content": "set_seo_models",
"role": "assistant"
}
] |
def x(self):
if not self.editable:
assert self.populate_from is not NotSet, u'If field (%s) is not editable, you must set populate_from' % self.name
|
validate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.editable:\n assert self.populate_from is not NotSet, u'If field (%s) is not editable, you must set populate_from' % self.name\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x():
for Metadata in registry.values():
InstanceMetadata = Metadata._meta.get_model('modelinstance')
if InstanceMetadata is not None:
for model in Metadata._meta.seo_models:
populate_metadata(model, InstanceMetadata)
|
populate_all_metadata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n for Metadata in registry.values():\n InstanceMetadata = Metadata._meta.get_model('modelinstance')\n if InstanceMetadata is not None:\n for model in Metadata._meta.seo_models:\n populate_metadata(model, InstanceMetadata)\n",
"role": "user"
},
{
"content": "populate_all_metadata",
"role": "assistant"
}
] |
def x(self):
from django.conf import settings
from django.core import urlresolvers
self.append(('', ''))
urlconf = settings.ROOT_URLCONF
resolver = urlresolvers.RegexURLResolver('^/', urlconf)
for key, value in resolver.reverse_dict.items():
if isinstance(key, basestring):
args = value[0][0][1]
url = '/' + value[0][0][0]
self.append((key, ' '.join(key.split('_'))))
for namespace, url in resolver.namespace_dict.items():
for key, value in url[1].reverse_dict.items():
if isinstance(key, basestring):
args = value[0][0][1]
full_key = '%s:%s' % (namespace, key)
self.append((full_key, '%s: %s' % (namespace, ' '.join(key.
split('_')))))
self.sort()
|
populate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from django.conf import settings\n from django.core import urlresolvers\n self.append(('', ''))\n urlconf = settings.ROOT_URLCONF\n resolver = urlresolvers.RegexURLResolver('^/', urlconf)\n for key, value in resolver.reverse_dict.items():\n if isinstance(key, basestring):\n args = value[0][0][1]\n url = '/' + value[0][0][0]\n self.append((key, ' '.join(key.split('_'))))\n for namespace, url in resolver.namespace_dict.items():\n for key, value in url[1].reverse_dict.items():\n if isinstance(key, basestring):\n args = value[0][0][1]\n full_key = '%s:%s' % (namespace, key)\n self.append((full_key, '%s: %s' % (namespace, ' '.join(key.\n split('_')))))\n self.sort()\n",
"role": "user"
},
{
"content": "populate",
"role": "assistant"
}
] |
def x(data, block_size):
buf = []
for i, datum in enumerate(data):
buf.append(datum)
if len(buf) == block_size:
yield buf
buf = []
if buf:
yield buf
|
block_splitter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, block_size):\n buf = []\n for i, datum in enumerate(data):\n buf.append(datum)\n if len(buf) == block_size:\n yield buf\n buf = []\n if buf:\n yield buf\n",
"role": "user"
},
{
"content": "block_splitter",
"role": "assistant"
}
] |
def x(geom, precision=None):
if geom['type'] == 'Point':
x, y = geom['coordinates']
xp, yp = [x], [y]
if precision is not None:
xp = [round(v, precision) for v in xp]
yp = [round(v, precision) for v in yp]
new_coords = tuple(zip(xp, yp))[0]
if geom['type'] in ['LineString', 'MultiPoint']:
xp, yp = zip(*geom['coordinates'])
if precision is not None:
xp = [round(v, precision) for v in xp]
yp = [round(v, precision) for v in yp]
new_coords = tuple(zip(xp, yp))
elif geom['type'] in ['Polygon', 'MultiLineString']:
new_coords = []
for piece in geom['coordinates']:
xp, yp = zip(*piece)
if precision is not None:
xp = [round(v, precision) for v in xp]
yp = [round(v, precision) for v in yp]
new_coords.append(tuple(zip(xp, yp)))
elif geom['type'] == 'MultiPolygon':
parts = geom['coordinates']
new_coords = []
for part in parts:
inner_coords = []
for ring in part:
xp, yp = zip(*ring)
if precision is not None:
xp = [round(v, precision) for v in xp]
yp = [round(v, precision) for v in yp]
inner_coords.append(tuple(zip(xp, yp)))
new_coords.append(inner_coords)
return {'type': geom['type'], 'coordinates': new_coords}
|
round_geom
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(geom, precision=None):\n if geom['type'] == 'Point':\n x, y = geom['coordinates']\n xp, yp = [x], [y]\n if precision is not None:\n xp = [round(v, precision) for v in xp]\n yp = [round(v, precision) for v in yp]\n new_coords = tuple(zip(xp, yp))[0]\n if geom['type'] in ['LineString', 'MultiPoint']:\n xp, yp = zip(*geom['coordinates'])\n if precision is not None:\n xp = [round(v, precision) for v in xp]\n yp = [round(v, precision) for v in yp]\n new_coords = tuple(zip(xp, yp))\n elif geom['type'] in ['Polygon', 'MultiLineString']:\n new_coords = []\n for piece in geom['coordinates']:\n xp, yp = zip(*piece)\n if precision is not None:\n xp = [round(v, precision) for v in xp]\n yp = [round(v, precision) for v in yp]\n new_coords.append(tuple(zip(xp, yp)))\n elif geom['type'] == 'MultiPolygon':\n parts = geom['coordinates']\n new_coords = []\n for part in parts:\n inner_coords = []\n for ring in part:\n xp, yp = zip(*ring)\n if precision is not None:\n xp = [round(v, precision) for v in xp]\n yp = [round(v, precision) for v in yp]\n inner_coords.append(tuple(zip(xp, yp)))\n new_coords.append(inner_coords)\n return {'type': geom['type'], 'coordinates': new_coords}\n",
"role": "user"
},
{
"content": "round_geom",
"role": "assistant"
}
] |
def x(sequence):
for x in sequence:
if isinstance(x, collections.Iterable) and not isinstance(x, six.
string_types):
for y in flatten_multi_dim(x):
yield y
else:
yield x
|
flatten_multi_dim
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sequence):\n for x in sequence:\n if isinstance(x, collections.Iterable) and not isinstance(x, six.\n string_types):\n for y in flatten_multi_dim(x):\n yield y\n else:\n yield x\n",
"role": "user"
},
{
"content": "flatten_multi_dim",
"role": "assistant"
}
] |
def x(input, verbose, quiet, output_format, precision, indent):
verbosity = verbose - quiet
configure_logging(verbosity)
logger = logging.getLogger('geomet')
try:
src = click.open_file(input).readlines()
except IOError:
src = [input]
stdout = click.get_text_stream('stdout')
try:
for line in src:
text = line.strip()
logger.debug('Input: %r', text)
output = translate(text, output_format=output_format, indent=
indent, precision=precision)
logger.debug('Output: %r', output)
stdout.write(output)
stdout.write('\n')
sys.exit(0)
except Exception:
logger.exception('Failed. Exception caught')
sys.exit(1)
|
cli
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input, verbose, quiet, output_format, precision, indent):\n verbosity = verbose - quiet\n configure_logging(verbosity)\n logger = logging.getLogger('geomet')\n try:\n src = click.open_file(input).readlines()\n except IOError:\n src = [input]\n stdout = click.get_text_stream('stdout')\n try:\n for line in src:\n text = line.strip()\n logger.debug('Input: %r', text)\n output = translate(text, output_format=output_format, indent=\n indent, precision=precision)\n logger.debug('Output: %r', output)\n stdout.write(output)\n stdout.write('\\n')\n sys.exit(0)\n except Exception:\n logger.exception('Failed. Exception caught')\n sys.exit(1)\n",
"role": "user"
},
{
"content": "cli",
"role": "assistant"
}
] |
def x(type_bytes):
high_byte = type_bytes[0]
if six.PY3:
high_byte = bytes([high_byte])
has_srid = high_byte == b' '
if has_srid:
type_bytes = as_bin_str(b'\x00' + type_bytes[1:])
else:
type_bytes = as_bin_str(type_bytes)
geom_type = _BINARY_TO_GEOM_TYPE.get(type_bytes)
return geom_type, type_bytes, has_srid
|
get_geom_type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(type_bytes):\n high_byte = type_bytes[0]\n if six.PY3:\n high_byte = bytes([high_byte])\n has_srid = high_byte == b' '\n if has_srid:\n type_bytes = as_bin_str(b'\\x00' + type_bytes[1:])\n else:\n type_bytes = as_bin_str(type_bytes)\n geom_type = _BINARY_TO_GEOM_TYPE.get(type_bytes)\n return geom_type, type_bytes, has_srid\n",
"role": "user"
},
{
"content": "get_geom_type",
"role": "assistant"
}
] |
def x(obj, big_endian=True):
geom_type = obj['type']
meta = obj.get('meta', {})
exporter = _dumps_registry.get(geom_type)
if exporter is None:
_unsupported_geom_type(geom_type)
coords_or_geoms = obj.get('coordinates', obj.get('geometries'))
if len(list(flatten_multi_dim(coords_or_geoms))) == 0:
raise ValueError(
'Empty geometries cannot be represented in WKB. Reason: The dimensionality of the WKB would be ambiguous.'
)
return exporter(obj, big_endian, meta)
|
dumps
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, big_endian=True):\n geom_type = obj['type']\n meta = obj.get('meta', {})\n exporter = _dumps_registry.get(geom_type)\n if exporter is None:\n _unsupported_geom_type(geom_type)\n coords_or_geoms = obj.get('coordinates', obj.get('geometries'))\n if len(list(flatten_multi_dim(coords_or_geoms))) == 0:\n raise ValueError(\n 'Empty geometries cannot be represented in WKB. Reason: The dimensionality of the WKB would be ambiguous.'\n )\n return exporter(obj, big_endian, meta)\n",
"role": "user"
},
{
"content": "dumps",
"role": "assistant"
}
] |
def x(string):
string = iter(string)
endianness = as_bin_str(take(1, string))
if endianness == BIG_ENDIAN:
big_endian = True
elif endianness == LITTLE_ENDIAN:
big_endian = False
else:
raise ValueError(
"Invalid endian byte: '0x%s'. Expected 0x00 or 0x01" % binascii
.hexlify(endianness.encode()).decode())
endian_token = '>' if big_endian else '<'
type_bytes = as_bin_str(take(4, string))
if not big_endian:
type_bytes = type_bytes[::-1]
geom_type, type_bytes, has_srid = _get_geom_type(type_bytes)
srid = None
if has_srid:
srid_field = as_bin_str(take(4, string))
[srid] = struct.unpack('%si' % endian_token, srid_field)
data_bytes = string
importer = _loads_registry.get(geom_type)
if importer is None:
_unsupported_geom_type(geom_type)
data_bytes = iter(data_bytes)
result = importer(big_endian, type_bytes, data_bytes)
if has_srid:
result['meta'] = {'srid': int(srid)}
result['crs'] = {'type': 'name', 'properties': {'name': 'EPSG%s' %
srid}}
return result
|
loads
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string):\n string = iter(string)\n endianness = as_bin_str(take(1, string))\n if endianness == BIG_ENDIAN:\n big_endian = True\n elif endianness == LITTLE_ENDIAN:\n big_endian = False\n else:\n raise ValueError(\n \"Invalid endian byte: '0x%s'. Expected 0x00 or 0x01\" % binascii\n .hexlify(endianness.encode()).decode())\n endian_token = '>' if big_endian else '<'\n type_bytes = as_bin_str(take(4, string))\n if not big_endian:\n type_bytes = type_bytes[::-1]\n geom_type, type_bytes, has_srid = _get_geom_type(type_bytes)\n srid = None\n if has_srid:\n srid_field = as_bin_str(take(4, string))\n [srid] = struct.unpack('%si' % endian_token, srid_field)\n data_bytes = string\n importer = _loads_registry.get(geom_type)\n if importer is None:\n _unsupported_geom_type(geom_type)\n data_bytes = iter(data_bytes)\n result = importer(big_endian, type_bytes, data_bytes)\n if has_srid:\n result['meta'] = {'srid': int(srid)}\n result['crs'] = {'type': 'name', 'properties': {'name': 'EPSG%s' %\n srid}}\n return result\n",
"role": "user"
},
{
"content": "loads",
"role": "assistant"
}
] |
def x(geom_type, num_dims, big_endian, meta=None):
dim = _INT_TO_DIM_LABEL.get(num_dims)
if dim is None:
pass
type_byte_str = _WKB[dim][geom_type]
srid = meta.get('srid')
if srid is not None:
type_byte_str = SRID_FLAG + type_byte_str[1:]
if big_endian:
header = BIG_ENDIAN
byte_fmt = b'>'
byte_order = '>'
else:
header = LITTLE_ENDIAN
byte_fmt = b'<'
byte_order = '<'
type_byte_str = type_byte_str[::-1]
header += type_byte_str
if srid is not None:
srid = int(srid)
if big_endian:
srid_header = struct.pack('>i', srid)
else:
srid_header = struct.pack('<i', srid)
header += srid_header
byte_fmt += b'd' * num_dims
return header, byte_fmt, byte_order
|
header_bytefmt_byteorder
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(geom_type, num_dims, big_endian, meta=None):\n dim = _INT_TO_DIM_LABEL.get(num_dims)\n if dim is None:\n pass\n type_byte_str = _WKB[dim][geom_type]\n srid = meta.get('srid')\n if srid is not None:\n type_byte_str = SRID_FLAG + type_byte_str[1:]\n if big_endian:\n header = BIG_ENDIAN\n byte_fmt = b'>'\n byte_order = '>'\n else:\n header = LITTLE_ENDIAN\n byte_fmt = b'<'\n byte_order = '<'\n type_byte_str = type_byte_str[::-1]\n header += type_byte_str\n if srid is not None:\n srid = int(srid)\n if big_endian:\n srid_header = struct.pack('>i', srid)\n else:\n srid_header = struct.pack('<i', srid)\n header += srid_header\n byte_fmt += b'd' * num_dims\n return header, byte_fmt, byte_order\n",
"role": "user"
},
{
"content": "header_bytefmt_byteorder",
"role": "assistant"
}
] |
def x(obj, big_endian, meta):
coords = obj['coordinates']
num_dims = len(coords)
wkb_string, byte_fmt, _ = _header_bytefmt_byteorder('Point', num_dims,
big_endian, meta)
wkb_string += struct.pack(byte_fmt, *coords)
return wkb_string
|
dump_point
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, big_endian, meta):\n coords = obj['coordinates']\n num_dims = len(coords)\n wkb_string, byte_fmt, _ = _header_bytefmt_byteorder('Point', num_dims,\n big_endian, meta)\n wkb_string += struct.pack(byte_fmt, *coords)\n return wkb_string\n",
"role": "user"
},
{
"content": "dump_point",
"role": "assistant"
}
] |
def x(obj, big_endian, meta):
coords = obj['coordinates']
vertex = coords[0]
num_dims = len(vertex)
wkb_string, byte_fmt, byte_order = _header_bytefmt_byteorder('LineString',
num_dims, big_endian, meta)
wkb_string += struct.pack('%sl' % byte_order, len(coords))
for vertex in coords:
wkb_string += struct.pack(byte_fmt, *vertex)
return wkb_string
|
dump_linestring
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, big_endian, meta):\n coords = obj['coordinates']\n vertex = coords[0]\n num_dims = len(vertex)\n wkb_string, byte_fmt, byte_order = _header_bytefmt_byteorder('LineString',\n num_dims, big_endian, meta)\n wkb_string += struct.pack('%sl' % byte_order, len(coords))\n for vertex in coords:\n wkb_string += struct.pack(byte_fmt, *vertex)\n return wkb_string\n",
"role": "user"
},
{
"content": "dump_linestring",
"role": "assistant"
}
] |
def x(obj, big_endian, meta):
coords = obj['coordinates']
vertex = coords[0]
num_dims = len(vertex)
wkb_string, byte_fmt, byte_order = _header_bytefmt_byteorder('MultiPoint',
num_dims, big_endian, meta)
point_type = _WKB[_INT_TO_DIM_LABEL.get(num_dims)]['Point']
if big_endian:
point_type = BIG_ENDIAN + point_type
else:
point_type = LITTLE_ENDIAN + point_type[::-1]
wkb_string += struct.pack('%sl' % byte_order, len(coords))
for vertex in coords:
wkb_string += point_type
wkb_string += struct.pack(byte_fmt, *vertex)
return wkb_string
|
dump_multipoint
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, big_endian, meta):\n coords = obj['coordinates']\n vertex = coords[0]\n num_dims = len(vertex)\n wkb_string, byte_fmt, byte_order = _header_bytefmt_byteorder('MultiPoint',\n num_dims, big_endian, meta)\n point_type = _WKB[_INT_TO_DIM_LABEL.get(num_dims)]['Point']\n if big_endian:\n point_type = BIG_ENDIAN + point_type\n else:\n point_type = LITTLE_ENDIAN + point_type[::-1]\n wkb_string += struct.pack('%sl' % byte_order, len(coords))\n for vertex in coords:\n wkb_string += point_type\n wkb_string += struct.pack(byte_fmt, *vertex)\n return wkb_string\n",
"role": "user"
},
{
"content": "dump_multipoint",
"role": "assistant"
}
] |
def x(obj, big_endian, meta):
coords = obj['coordinates']
vertex = coords[0][0]
num_dims = len(vertex)
wkb_string, byte_fmt, byte_order = _header_bytefmt_byteorder(
'MultiLineString', num_dims, big_endian, meta)
ls_type = _WKB[_INT_TO_DIM_LABEL.get(num_dims)]['LineString']
if big_endian:
ls_type = BIG_ENDIAN + ls_type
else:
ls_type = LITTLE_ENDIAN + ls_type[::-1]
wkb_string += struct.pack('%sl' % byte_order, len(coords))
for linestring in coords:
wkb_string += ls_type
wkb_string += struct.pack('%sl' % byte_order, len(linestring))
for vertex in linestring:
wkb_string += struct.pack(byte_fmt, *vertex)
return wkb_string
|
dump_multilinestring
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, big_endian, meta):\n coords = obj['coordinates']\n vertex = coords[0][0]\n num_dims = len(vertex)\n wkb_string, byte_fmt, byte_order = _header_bytefmt_byteorder(\n 'MultiLineString', num_dims, big_endian, meta)\n ls_type = _WKB[_INT_TO_DIM_LABEL.get(num_dims)]['LineString']\n if big_endian:\n ls_type = BIG_ENDIAN + ls_type\n else:\n ls_type = LITTLE_ENDIAN + ls_type[::-1]\n wkb_string += struct.pack('%sl' % byte_order, len(coords))\n for linestring in coords:\n wkb_string += ls_type\n wkb_string += struct.pack('%sl' % byte_order, len(linestring))\n for vertex in linestring:\n wkb_string += struct.pack(byte_fmt, *vertex)\n return wkb_string\n",
"role": "user"
},
{
"content": "dump_multilinestring",
"role": "assistant"
}
] |
def x(obj, big_endian, meta):
coords = obj['coordinates']
vertex = coords[0][0][0]
num_dims = len(vertex)
wkb_string, byte_fmt, byte_order = _header_bytefmt_byteorder('MultiPolygon'
, num_dims, big_endian, meta)
poly_type = _WKB[_INT_TO_DIM_LABEL.get(num_dims)]['Polygon']
if big_endian:
poly_type = BIG_ENDIAN + poly_type
else:
poly_type = LITTLE_ENDIAN + poly_type[::-1]
wkb_string += struct.pack('%sl' % byte_order, len(coords))
for polygon in coords:
wkb_string += poly_type
wkb_string += struct.pack('%sl' % byte_order, len(polygon))
for ring in polygon:
wkb_string += struct.pack('%sl' % byte_order, len(ring))
for vertex in ring:
wkb_string += struct.pack(byte_fmt, *vertex)
return wkb_string
|
dump_multipolygon
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, big_endian, meta):\n coords = obj['coordinates']\n vertex = coords[0][0][0]\n num_dims = len(vertex)\n wkb_string, byte_fmt, byte_order = _header_bytefmt_byteorder('MultiPolygon'\n , num_dims, big_endian, meta)\n poly_type = _WKB[_INT_TO_DIM_LABEL.get(num_dims)]['Polygon']\n if big_endian:\n poly_type = BIG_ENDIAN + poly_type\n else:\n poly_type = LITTLE_ENDIAN + poly_type[::-1]\n wkb_string += struct.pack('%sl' % byte_order, len(coords))\n for polygon in coords:\n wkb_string += poly_type\n wkb_string += struct.pack('%sl' % byte_order, len(polygon))\n for ring in polygon:\n wkb_string += struct.pack('%sl' % byte_order, len(ring))\n for vertex in ring:\n wkb_string += struct.pack(byte_fmt, *vertex)\n return wkb_string\n",
"role": "user"
},
{
"content": "dump_multipolygon",
"role": "assistant"
}
] |
def x(big_endian, type_bytes, data_bytes):
endian_token = '>' if big_endian else '<'
if type_bytes == WKB_2D['Point']:
coords = struct.unpack('%sdd' % endian_token, as_bin_str(take(16,
data_bytes)))
elif type_bytes == WKB_Z['Point']:
coords = struct.unpack('%sddd' % endian_token, as_bin_str(take(24,
data_bytes)))
elif type_bytes == WKB_M['Point']:
coords = list(struct.unpack('%sddd' % endian_token, as_bin_str(take
(24, data_bytes))))
coords.insert(2, 0.0)
elif type_bytes == WKB_ZM['Point']:
coords = struct.unpack('%sdddd' % endian_token, as_bin_str(take(32,
data_bytes)))
return dict(type='Point', coordinates=list(coords))
|
load_point
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(big_endian, type_bytes, data_bytes):\n endian_token = '>' if big_endian else '<'\n if type_bytes == WKB_2D['Point']:\n coords = struct.unpack('%sdd' % endian_token, as_bin_str(take(16,\n data_bytes)))\n elif type_bytes == WKB_Z['Point']:\n coords = struct.unpack('%sddd' % endian_token, as_bin_str(take(24,\n data_bytes)))\n elif type_bytes == WKB_M['Point']:\n coords = list(struct.unpack('%sddd' % endian_token, as_bin_str(take\n (24, data_bytes))))\n coords.insert(2, 0.0)\n elif type_bytes == WKB_ZM['Point']:\n coords = struct.unpack('%sdddd' % endian_token, as_bin_str(take(32,\n data_bytes)))\n return dict(type='Point', coordinates=list(coords))\n",
"role": "user"
},
{
"content": "load_point",
"role": "assistant"
}
] |
def x(obj, decimals=16):
try:
geom_type = obj['type']
exporter = _dumps_registry.get(geom_type)
if exporter is None:
_unsupported_geom_type(geom_type)
if geom_type == 'GeometryCollection':
if len(obj['geometries']) == 0:
return 'GEOMETRYCOLLECTION EMPTY'
elif len(list(util.flatten_multi_dim(obj['coordinates']))) == 0:
return '%s EMPTY' % geom_type.upper()
except KeyError:
raise geomet.InvalidGeoJSONException('Invalid GeoJSON: %s' % obj)
result = exporter(obj, decimals)
meta_srid = obj.get('meta', {}).get('srid')
crs_srid = obj.get('crs', {}).get('properties', {}).get('name')
if crs_srid is not None:
crs_srid = crs_srid.replace('EPSG', '')
if meta_srid is not None and crs_srid is not None and str(meta_srid
) != str(crs_srid):
raise ValueError('Ambiguous CRS/SRID values: %s and %s' % (
meta_srid, crs_srid))
srid = meta_srid or crs_srid
if srid is not None:
result = 'SRID=%s;%s' % (srid, result)
return result
|
dumps
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, decimals=16):\n try:\n geom_type = obj['type']\n exporter = _dumps_registry.get(geom_type)\n if exporter is None:\n _unsupported_geom_type(geom_type)\n if geom_type == 'GeometryCollection':\n if len(obj['geometries']) == 0:\n return 'GEOMETRYCOLLECTION EMPTY'\n elif len(list(util.flatten_multi_dim(obj['coordinates']))) == 0:\n return '%s EMPTY' % geom_type.upper()\n except KeyError:\n raise geomet.InvalidGeoJSONException('Invalid GeoJSON: %s' % obj)\n result = exporter(obj, decimals)\n meta_srid = obj.get('meta', {}).get('srid')\n crs_srid = obj.get('crs', {}).get('properties', {}).get('name')\n if crs_srid is not None:\n crs_srid = crs_srid.replace('EPSG', '')\n if meta_srid is not None and crs_srid is not None and str(meta_srid\n ) != str(crs_srid):\n raise ValueError('Ambiguous CRS/SRID values: %s and %s' % (\n meta_srid, crs_srid))\n srid = meta_srid or crs_srid\n if srid is not None:\n result = 'SRID=%s;%s' % (srid, result)\n return result\n",
"role": "user"
},
{
"content": "dumps",
"role": "assistant"
}
] |
def x(string):
sio = StringIO.StringIO(string)
tokens = (x[1] for x in tokenize.generate_tokens(sio.readline))
tokens = _tokenize_wkt(tokens)
geom_type_or_srid = next(tokens)
srid = None
geom_type = geom_type_or_srid
if geom_type_or_srid == 'SRID':
_assert_next_token(tokens, '=')
srid = int(next(tokens))
_assert_next_token(tokens, ';')
geom_type = next(tokens)
else:
geom_type = geom_type_or_srid
importer = _loads_registry.get(geom_type)
if importer is None:
_unsupported_geom_type(geom_type)
peek = six.advance_iterator(tokens)
if peek == 'EMPTY':
if geom_type == 'GEOMETRYCOLLECTION':
return dict(type='GeometryCollection', geometries=[])
else:
return dict(type=_type_map_caps_to_mixed[geom_type], coordinates=[]
)
tokens = itertools.chain([peek], tokens)
result = importer(tokens, string)
if srid is not None:
result['meta'] = dict(srid=srid)
return result
|
loads
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string):\n sio = StringIO.StringIO(string)\n tokens = (x[1] for x in tokenize.generate_tokens(sio.readline))\n tokens = _tokenize_wkt(tokens)\n geom_type_or_srid = next(tokens)\n srid = None\n geom_type = geom_type_or_srid\n if geom_type_or_srid == 'SRID':\n _assert_next_token(tokens, '=')\n srid = int(next(tokens))\n _assert_next_token(tokens, ';')\n geom_type = next(tokens)\n else:\n geom_type = geom_type_or_srid\n importer = _loads_registry.get(geom_type)\n if importer is None:\n _unsupported_geom_type(geom_type)\n peek = six.advance_iterator(tokens)\n if peek == 'EMPTY':\n if geom_type == 'GEOMETRYCOLLECTION':\n return dict(type='GeometryCollection', geometries=[])\n else:\n return dict(type=_type_map_caps_to_mixed[geom_type], coordinates=[]\n )\n tokens = itertools.chain([peek], tokens)\n result = importer(tokens, string)\n if srid is not None:\n result['meta'] = dict(srid=srid)\n return result\n",
"role": "user"
},
{
"content": "loads",
"role": "assistant"
}
] |
def x(tokens):
negative = False
for t in tokens:
if t == '-':
negative = True
continue
else:
if negative:
yield '-%s' % t
else:
yield t
negative = False
|
tokenize_wkt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tokens):\n negative = False\n for t in tokens:\n if t == '-':\n negative = True\n continue\n else:\n if negative:\n yield '-%s' % t\n else:\n yield t\n negative = False\n",
"role": "user"
},
{
"content": "tokenize_wkt",
"role": "assistant"
}
] |
def x(value, decimals):
if isinstance(value, int) and decimals != 0:
value = float(value)
elif decimals == 0:
return repr(int(round(value, decimals)))
rounded = repr(round(value, decimals))
rounded += '0' * (decimals - len(rounded.split('.')[1]))
return rounded
|
round_and_pad
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, decimals):\n if isinstance(value, int) and decimals != 0:\n value = float(value)\n elif decimals == 0:\n return repr(int(round(value, decimals)))\n rounded = repr(round(value, decimals))\n rounded += '0' * (decimals - len(rounded.split('.')[1]))\n return rounded\n",
"role": "user"
},
{
"content": "round_and_pad",
"role": "assistant"
}
] |
def x(obj, decimals):
coords = obj['coordinates']
pt = 'POINT (%s)' % ' '.join(_round_and_pad(c, decimals) for c in coords)
return pt
|
dump_point
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, decimals):\n coords = obj['coordinates']\n pt = 'POINT (%s)' % ' '.join(_round_and_pad(c, decimals) for c in coords)\n return pt\n",
"role": "user"
},
{
"content": "dump_point",
"role": "assistant"
}
] |
def x(obj, decimals):
coords = obj['coordinates']
ls = 'LINESTRING (%s)'
ls %= ', '.join(' '.join(_round_and_pad(c, decimals) for c in pt) for
pt in coords)
return ls
|
dump_linestring
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, decimals):\n coords = obj['coordinates']\n ls = 'LINESTRING (%s)'\n ls %= ', '.join(' '.join(_round_and_pad(c, decimals) for c in pt) for\n pt in coords)\n return ls\n",
"role": "user"
},
{
"content": "dump_linestring",
"role": "assistant"
}
] |
def x(obj, decimals):
coords = obj['coordinates']
poly = 'POLYGON (%s)'
rings = (', '.join(' '.join(_round_and_pad(c, decimals) for c in pt) for
pt in ring) for ring in coords)
rings = ('(%s)' % r for r in rings)
poly %= ', '.join(rings)
return poly
|
dump_polygon
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, decimals):\n coords = obj['coordinates']\n poly = 'POLYGON (%s)'\n rings = (', '.join(' '.join(_round_and_pad(c, decimals) for c in pt) for\n pt in ring) for ring in coords)\n rings = ('(%s)' % r for r in rings)\n poly %= ', '.join(rings)\n return poly\n",
"role": "user"
},
{
"content": "dump_polygon",
"role": "assistant"
}
] |
def x(obj, decimals):
coords = obj['coordinates']
mp = 'MULTIPOINT (%s)'
points = (' '.join(_round_and_pad(c, decimals) for c in pt) for pt in
coords)
points = ('(%s)' % pt for pt in points)
mp %= ', '.join(points)
return mp
|
dump_multipoint
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, decimals):\n coords = obj['coordinates']\n mp = 'MULTIPOINT (%s)'\n points = (' '.join(_round_and_pad(c, decimals) for c in pt) for pt in\n coords)\n points = ('(%s)' % pt for pt in points)\n mp %= ', '.join(points)\n return mp\n",
"role": "user"
},
{
"content": "dump_multipoint",
"role": "assistant"
}
] |
def x(obj, decimals):
coords = obj['coordinates']
mlls = 'MULTILINESTRING (%s)'
linestrs = ('(%s)' % ', '.join(' '.join(_round_and_pad(c, decimals) for
c in pt) for pt in linestr) for linestr in coords)
mlls %= ', '.join(ls for ls in linestrs)
return mlls
|
dump_multilinestring
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, decimals):\n coords = obj['coordinates']\n mlls = 'MULTILINESTRING (%s)'\n linestrs = ('(%s)' % ', '.join(' '.join(_round_and_pad(c, decimals) for\n c in pt) for pt in linestr) for linestr in coords)\n mlls %= ', '.join(ls for ls in linestrs)\n return mlls\n",
"role": "user"
},
{
"content": "dump_multilinestring",
"role": "assistant"
}
] |
def x(obj, decimals):
coords = obj['coordinates']
mp = 'MULTIPOLYGON (%s)'
polys = ', '.join('(%s)' % ', '.join('(%s)' % ', '.join(' '.join(
_round_and_pad(c, decimals) for c in pt) for pt in ring) for ring in
poly) for poly in coords)
mp %= polys
return mp
|
dump_multipolygon
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, decimals):\n coords = obj['coordinates']\n mp = 'MULTIPOLYGON (%s)'\n polys = ', '.join('(%s)' % ', '.join('(%s)' % ', '.join(' '.join(\n _round_and_pad(c, decimals) for c in pt) for pt in ring) for ring in\n poly) for poly in coords)\n mp %= polys\n return mp\n",
"role": "user"
},
{
"content": "dump_multipolygon",
"role": "assistant"
}
] |
def x(obj, decimals):
gc = 'GEOMETRYCOLLECTION (%s)'
geoms = obj['geometries']
geoms_wkt = []
for geom in geoms:
geom_type = geom['type']
geoms_wkt.append(_dumps_registry.get(geom_type)(geom, decimals))
gc %= ','.join(geoms_wkt)
return gc
|
dump_geometrycollection
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, decimals):\n gc = 'GEOMETRYCOLLECTION (%s)'\n geoms = obj['geometries']\n geoms_wkt = []\n for geom in geoms:\n geom_type = geom['type']\n geoms_wkt.append(_dumps_registry.get(geom_type)(geom, decimals))\n gc %= ','.join(geoms_wkt)\n return gc\n",
"role": "user"
},
{
"content": "dump_geometrycollection",
"role": "assistant"
}
] |
def x(tokens, string):
if not next(tokens) == '(':
raise ValueError(INVALID_WKT_FMT % string)
coords = []
try:
for t in tokens:
if t == ')':
break
else:
coords.append(float(t))
except tokenize.TokenError:
raise ValueError(INVALID_WKT_FMT % string)
return dict(type='Point', coordinates=coords)
|
load_point
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tokens, string):\n if not next(tokens) == '(':\n raise ValueError(INVALID_WKT_FMT % string)\n coords = []\n try:\n for t in tokens:\n if t == ')':\n break\n else:\n coords.append(float(t))\n except tokenize.TokenError:\n raise ValueError(INVALID_WKT_FMT % string)\n return dict(type='Point', coordinates=coords)\n",
"role": "user"
},
{
"content": "load_point",
"role": "assistant"
}
] |
def x(tokens, string):
if not next(tokens) == '(':
raise ValueError(INVALID_WKT_FMT % string)
coords = []
try:
pt = []
for t in tokens:
if t == ')':
coords.append(pt)
break
elif t == ',':
coords.append(pt)
pt = []
else:
pt.append(float(t))
except tokenize.TokenError:
raise ValueError(INVALID_WKT_FMT % string)
return dict(type='LineString', coordinates=coords)
|
load_linestring
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tokens, string):\n if not next(tokens) == '(':\n raise ValueError(INVALID_WKT_FMT % string)\n coords = []\n try:\n pt = []\n for t in tokens:\n if t == ')':\n coords.append(pt)\n break\n elif t == ',':\n coords.append(pt)\n pt = []\n else:\n pt.append(float(t))\n except tokenize.TokenError:\n raise ValueError(INVALID_WKT_FMT % string)\n return dict(type='LineString', coordinates=coords)\n",
"role": "user"
},
{
"content": "load_linestring",
"role": "assistant"
}
] |
def x(tokens, string):
open_parens = next(tokens), next(tokens)
if not open_parens == ('(', '('):
raise ValueError(INVALID_WKT_FMT % string)
coords = []
ring = []
on_ring = True
try:
pt = []
for t in tokens:
if t == ')' and on_ring:
ring.append(pt)
coords.append(ring)
on_ring = False
elif t == ')' and not on_ring:
break
elif t == '(':
ring = []
pt = []
on_ring = True
elif t == ',' and on_ring:
ring.append(pt)
pt = []
elif t == ',' and not on_ring:
pass
else:
pt.append(float(t))
except tokenize.TokenError:
raise ValueError(INVALID_WKT_FMT % string)
return dict(type='Polygon', coordinates=coords)
|
load_polygon
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tokens, string):\n open_parens = next(tokens), next(tokens)\n if not open_parens == ('(', '('):\n raise ValueError(INVALID_WKT_FMT % string)\n coords = []\n ring = []\n on_ring = True\n try:\n pt = []\n for t in tokens:\n if t == ')' and on_ring:\n ring.append(pt)\n coords.append(ring)\n on_ring = False\n elif t == ')' and not on_ring:\n break\n elif t == '(':\n ring = []\n pt = []\n on_ring = True\n elif t == ',' and on_ring:\n ring.append(pt)\n pt = []\n elif t == ',' and not on_ring:\n pass\n else:\n pt.append(float(t))\n except tokenize.TokenError:\n raise ValueError(INVALID_WKT_FMT % string)\n return dict(type='Polygon', coordinates=coords)\n",
"role": "user"
},
{
"content": "load_polygon",
"role": "assistant"
}
] |
def x(tokens, string):
open_paren = next(tokens)
if not open_paren == '(':
raise ValueError(INVALID_WKT_FMT % string)
coords = []
pt = []
paren_depth = 1
try:
for t in tokens:
if t == '(':
paren_depth += 1
elif t == ')':
paren_depth -= 1
if paren_depth == 0:
break
elif t == '':
pass
elif t == ',':
coords.append(pt)
pt = []
else:
pt.append(float(t))
except tokenize.TokenError:
raise ValueError(INVALID_WKT_FMT % string)
if len(pt) > 0:
coords.append(pt)
return dict(type='MultiPoint', coordinates=coords)
|
load_multipoint
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tokens, string):\n open_paren = next(tokens)\n if not open_paren == '(':\n raise ValueError(INVALID_WKT_FMT % string)\n coords = []\n pt = []\n paren_depth = 1\n try:\n for t in tokens:\n if t == '(':\n paren_depth += 1\n elif t == ')':\n paren_depth -= 1\n if paren_depth == 0:\n break\n elif t == '':\n pass\n elif t == ',':\n coords.append(pt)\n pt = []\n else:\n pt.append(float(t))\n except tokenize.TokenError:\n raise ValueError(INVALID_WKT_FMT % string)\n if len(pt) > 0:\n coords.append(pt)\n return dict(type='MultiPoint', coordinates=coords)\n",
"role": "user"
},
{
"content": "load_multipoint",
"role": "assistant"
}
] |
def x(tokens, string):
open_paren = next(tokens)
if not open_paren == '(':
raise ValueError(INVALID_WKT_FMT % string)
polygons = []
while True:
try:
poly = _load_polygon(tokens, string)
polygons.append(poly['coordinates'])
t = next(tokens)
if t == ')':
break
except StopIteration:
raise ValueError(INVALID_WKT_FMT % string)
return dict(type='MultiPolygon', coordinates=polygons)
|
load_multipolygon
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tokens, string):\n open_paren = next(tokens)\n if not open_paren == '(':\n raise ValueError(INVALID_WKT_FMT % string)\n polygons = []\n while True:\n try:\n poly = _load_polygon(tokens, string)\n polygons.append(poly['coordinates'])\n t = next(tokens)\n if t == ')':\n break\n except StopIteration:\n raise ValueError(INVALID_WKT_FMT % string)\n return dict(type='MultiPolygon', coordinates=polygons)\n",
"role": "user"
},
{
"content": "load_multipolygon",
"role": "assistant"
}
] |
def x(tokens, string):
open_paren = next(tokens)
if not open_paren == '(':
raise ValueError(INVALID_WKT_FMT % string)
linestrs = []
while True:
try:
linestr = _load_linestring(tokens, string)
linestrs.append(linestr['coordinates'])
t = next(tokens)
if t == ')':
break
except StopIteration:
raise ValueError(INVALID_WKT_FMT % string)
return dict(type='MultiLineString', coordinates=linestrs)
|
load_multilinestring
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tokens, string):\n open_paren = next(tokens)\n if not open_paren == '(':\n raise ValueError(INVALID_WKT_FMT % string)\n linestrs = []\n while True:\n try:\n linestr = _load_linestring(tokens, string)\n linestrs.append(linestr['coordinates'])\n t = next(tokens)\n if t == ')':\n break\n except StopIteration:\n raise ValueError(INVALID_WKT_FMT % string)\n return dict(type='MultiLineString', coordinates=linestrs)\n",
"role": "user"
},
{
"content": "load_multilinestring",
"role": "assistant"
}
] |
def x(tokens, string):
open_paren = next(tokens)
if not open_paren == '(':
raise ValueError(INVALID_WKT_FMT % string)
geoms = []
result = dict(type='GeometryCollection', geometries=geoms)
while True:
try:
t = next(tokens)
if t == ')':
break
elif t == ',':
continue
else:
geom_type = t
load_func = _loads_registry.get(geom_type)
geom = load_func(tokens, string)
geoms.append(geom)
except StopIteration:
raise ValueError(INVALID_WKT_FMT % string)
return result
|
load_geometrycollection
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tokens, string):\n open_paren = next(tokens)\n if not open_paren == '(':\n raise ValueError(INVALID_WKT_FMT % string)\n geoms = []\n result = dict(type='GeometryCollection', geometries=geoms)\n while True:\n try:\n t = next(tokens)\n if t == ')':\n break\n elif t == ',':\n continue\n else:\n geom_type = t\n load_func = _loads_registry.get(geom_type)\n geom = load_func(tokens, string)\n geoms.append(geom)\n except StopIteration:\n raise ValueError(INVALID_WKT_FMT % string)\n return result\n",
"role": "user"
},
{
"content": "load_geometrycollection",
"role": "assistant"
}
] |
def x(self, **kwargs):
request_params = copy.deepcopy(self._shared_request_params)
for key, value in iteritems(kwargs):
if isinstance(value, dict) and key in request_params:
request_params[key].update(value)
else:
request_params[key] = value
return request_params
|
get_request_params
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n request_params = copy.deepcopy(self._shared_request_params)\n for key, value in iteritems(kwargs):\n if isinstance(value, dict) and key in request_params:\n request_params[key].update(value)\n else:\n request_params[key] = value\n return request_params\n",
"role": "user"
},
{
"content": "get_request_params",
"role": "assistant"
}
] |
def x(self, request_params):
if 'verify_ssl' in request_params:
request_params['verify'] = request_params.pop('verify_ssl')
return dict((key, val) for key, val in request_params.items() if key in
self._VALID_REQUEST_ARGS)
|
sanitize_request_params
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request_params):\n if 'verify_ssl' in request_params:\n request_params['verify'] = request_params.pop('verify_ssl')\n return dict((key, val) for key, val in request_params.items() if key in\n self._VALID_REQUEST_ARGS)\n",
"role": "user"
},
{
"content": "sanitize_request_params",
"role": "assistant"
}
] |
def x(self, method, path, **kwargs):
if path:
url = '%s/%s' % (self.url.rstrip('/'), path.lstrip('/'))
else:
url = self.url
request_params = self._get_request_params(method=method, url=url, **kwargs)
request_params = self.pre_send(request_params)
sanitized_params = self._sanitize_request_params(request_params)
start_time = time.time()
response = super(HTTPServiceClient, self).request(**sanitized_params)
log.debug('%s HTTP [%s] call to "%s" %.2fms', response.status_code,
method, response.url, (time.time() - start_time) * 1000)
auth = sanitized_params.pop('auth', None)
log.debug('HTTP request params: %s', sanitized_params)
if auth:
log.debug('Authentication via HTTP auth as "%s"', auth[0])
response.is_ok = response.status_code < 300
if not self.is_acceptable(response, request_params):
raise HTTPServiceError(response)
response = self.post_send(response, **request_params)
return response
|
request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, path, **kwargs):\n if path:\n url = '%s/%s' % (self.url.rstrip('/'), path.lstrip('/'))\n else:\n url = self.url\n request_params = self._get_request_params(method=method, url=url, **kwargs)\n request_params = self.pre_send(request_params)\n sanitized_params = self._sanitize_request_params(request_params)\n start_time = time.time()\n response = super(HTTPServiceClient, self).request(**sanitized_params)\n log.debug('%s HTTP [%s] call to \"%s\" %.2fms', response.status_code,\n method, response.url, (time.time() - start_time) * 1000)\n auth = sanitized_params.pop('auth', None)\n log.debug('HTTP request params: %s', sanitized_params)\n if auth:\n log.debug('Authentication via HTTP auth as \"%s\"', auth[0])\n response.is_ok = response.status_code < 300\n if not self.is_acceptable(response, request_params):\n raise HTTPServiceError(response)\n response = self.post_send(response, **request_params)\n return response\n",
"role": "user"
},
{
"content": "request",
"role": "assistant"
}
] |
def x(self, request_params):
for adapter in itervalues(self.adapters):
adapter.max_retries = request_params.get('max_retries', 0)
return request_params
|
pre_send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request_params):\n for adapter in itervalues(self.adapters):\n adapter.max_retries = request_params.get('max_retries', 0)\n return request_params\n",
"role": "user"
},
{
"content": "pre_send",
"role": "assistant"
}
] |
def x(self, response, request_params):
expected_codes = request_params.get('expected_response_codes', [])
return response.is_ok or response.status_code in expected_codes
|
is_acceptable
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, response, request_params):\n expected_codes = request_params.get('expected_response_codes', [])\n return response.is_ok or response.status_code in expected_codes\n",
"role": "user"
},
{
"content": "is_acceptable",
"role": "assistant"
}
] |
def x(slist):
slist[-1] = 60 if slist[-1] >= 30 else 0
for i in range(len(slist) - 1, 1, -1):
if slist[i] == 60:
slist[i] = 0
slist[i - 1] += 1
return slist[:-1]
|
roundSlist
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(slist):\n slist[-1] = 60 if slist[-1] >= 30 else 0\n for i in range(len(slist) - 1, 1, -1):\n if slist[i] == 60:\n slist[i] = 0\n slist[i - 1] += 1\n return slist[:-1]\n",
"role": "user"
},
{
"content": "roundSlist",
"role": "assistant"
}
] |
def x(string):
sign = '-' if string[0] == '-' else '+'
values = [abs(int(x)) for x in string.split(':')]
return _fixSlist(list(sign) + values)
|
strSlist
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string):\n sign = '-' if string[0] == '-' else '+'\n values = [abs(int(x)) for x in string.split(':')]\n return _fixSlist(list(sign) + values)\n",
"role": "user"
},
{
"content": "strSlist",
"role": "assistant"
}
] |
def x(slist):
slist = _fixSlist(slist)
string = ':'.join([('%02d' % x) for x in slist[1:]])
return slist[0] + string
|
slistStr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(slist):\n slist = _fixSlist(slist)\n string = ':'.join([('%02d' % x) for x in slist[1:]])\n return slist[0] + string\n",
"role": "user"
},
{
"content": "slistStr",
"role": "assistant"
}
] |
def x(slist):
values = [(v / 60 ** i) for i, v in enumerate(slist[1:])]
value = sum(values)
return -value if slist[0] == '-' else value
|
slistFloat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(slist):\n values = [(v / 60 ** i) for i, v in enumerate(slist[1:])]\n value = sum(values)\n return -value if slist[0] == '-' else value\n",
"role": "user"
},
{
"content": "slistFloat",
"role": "assistant"
}
] |
def x(value):
slist = ['+', 0, 0, 0, 0]
if value < 0:
slist[0] = '-'
value = abs(value)
for i in range(1, 5):
slist[i] = math.floor(value)
value = (value - slist[i]) * 60
return _roundSlist(slist)
|
floatSlist
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n slist = ['+', 0, 0, 0, 0]\n if value < 0:\n slist[0] = '-'\n value = abs(value)\n for i in range(1, 5):\n slist[i] = math.floor(value)\n value = (value - slist[i]) * 60\n return _roundSlist(slist)\n",
"role": "user"
},
{
"content": "floatSlist",
"role": "assistant"
}
] |
def x(value):
if isinstance(value, str):
return strFloat(value)
elif isinstance(value, list):
return slistFloat(value)
else:
return value
|
toFloat
|
[
{
"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 return strFloat(value)\n elif isinstance(value, list):\n return slistFloat(value)\n else:\n return value\n",
"role": "user"
},
{
"content": "toFloat",
"role": "assistant"
}
] |
def x(self, idA, idB):
objA = self.chart.get(idA)
info = essential.getInfo(objA.sign, objA.signlon)
return [dign for dign, ID in info.items() if ID == idB]
|
inDignities
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, idA, idB):\n objA = self.chart.get(idA)\n info = essential.getInfo(objA.sign, objA.signlon)\n return [dign for dign, ID in info.items() if ID == idB]\n",
"role": "user"
},
{
"content": "inDignities",
"role": "assistant"
}
] |
def x(self, idA, idB):
objA = self.chart.get(idA)
objB = self.chart.get(idB)
asp = aspects.isAspecting(objB, objA, const.MAJOR_ASPECTS)
return self.inDignities(idB, idA) if asp else []
|
receives
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, idA, idB):\n objA = self.chart.get(idA)\n objB = self.chart.get(idB)\n asp = aspects.isAspecting(objB, objA, const.MAJOR_ASPECTS)\n return self.inDignities(idB, idA) if asp else []\n",
"role": "user"
},
{
"content": "receives",
"role": "assistant"
}
] |
def x(self, idA, idB):
AB = self.receives(idA, idB)
BA = self.receives(idB, idA)
return [(a, b) for a in AB for b in BA]
|
mutualReceptions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, idA, idB):\n AB = self.receives(idA, idB)\n BA = self.receives(idB, idA)\n return [(a, b) for a in AB for b in BA]\n",
"role": "user"
},
{
"content": "mutualReceptions",
"role": "assistant"
}
] |
def x(self, idA, idB):
mr = self.mutualReceptions(idA, idB)
filter_ = ['ruler', 'exalt']
return [(a, b) for a, b in mr if a in filter_ and b in filter_]
|
reMutualReceptions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, idA, idB):\n mr = self.mutualReceptions(idA, idB)\n filter_ = ['ruler', 'exalt']\n return [(a, b) for a, b in mr if a in filter_ and b in filter_]\n",
"role": "user"
},
{
"content": "reMutualReceptions",
"role": "assistant"
}
] |
def x(self, ID, aspList):
obj = self.chart.getObject(ID)
res = []
for otherID in const.LIST_SEVEN_PLANETS:
if ID == otherID:
continue
otherObj = self.chart.getObject(otherID)
aspType = aspects.aspectType(obj, otherObj, aspList)
if aspType != const.NO_ASPECT:
res.append({'id': otherID, 'asp': aspType})
return res
|
validAspects
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ID, aspList):\n obj = self.chart.getObject(ID)\n res = []\n for otherID in const.LIST_SEVEN_PLANETS:\n if ID == otherID:\n continue\n otherObj = self.chart.getObject(otherID)\n aspType = aspects.aspectType(obj, otherObj, aspList)\n if aspType != const.NO_ASPECT:\n res.append({'id': otherID, 'asp': aspType})\n return res\n",
"role": "user"
},
{
"content": "validAspects",
"role": "assistant"
}
] |
def x(self, ID, aspList):
res = {const.APPLICATIVE: [], const.SEPARATIVE: [], const.EXACT: [],
const.NO_MOVEMENT: []}
objA = self.chart.getObject(ID)
valid = self.validAspects(ID, aspList)
for elem in valid:
objB = self.chart.getObject(elem['id'])
asp = aspects.getAspect(objA, objB, aspList)
role = asp.getRole(objA.id)
if role['inOrb']:
movement = role['movement']
res[movement].append({'id': objB.id, 'asp': asp.type, 'orb':
asp.orb})
return res
|
aspectsByCat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ID, aspList):\n res = {const.APPLICATIVE: [], const.SEPARATIVE: [], const.EXACT: [],\n const.NO_MOVEMENT: []}\n objA = self.chart.getObject(ID)\n valid = self.validAspects(ID, aspList)\n for elem in valid:\n objB = self.chart.getObject(elem['id'])\n asp = aspects.getAspect(objA, objB, aspList)\n role = asp.getRole(objA.id)\n if role['inOrb']:\n movement = role['movement']\n res[movement].append({'id': objB.id, 'asp': asp.type, 'orb':\n asp.orb})\n return res\n",
"role": "user"
},
{
"content": "aspectsByCat",
"role": "assistant"
}
] |
def x(self, ID, aspList):
asps = self.aspectsByCat(ID, aspList)
applications = asps[const.APPLICATIVE]
separations = asps[const.SEPARATIVE]
exact = asps[const.EXACT]
applications = applications + [val for val in exact if val['orb'] >= 0]
applications = sorted(applications, key=lambda var: var['orb'])
separations = sorted(separations, key=lambda var: var['orb'])
return separations[0] if separations else None, applications[0
] if applications else None
|
immediateAspects
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ID, aspList):\n asps = self.aspectsByCat(ID, aspList)\n applications = asps[const.APPLICATIVE]\n separations = asps[const.SEPARATIVE]\n exact = asps[const.EXACT]\n applications = applications + [val for val in exact if val['orb'] >= 0]\n applications = sorted(applications, key=lambda var: var['orb'])\n separations = sorted(separations, key=lambda var: var['orb'])\n return separations[0] if separations else None, applications[0\n ] if applications else None\n",
"role": "user"
},
{
"content": "immediateAspects",
"role": "assistant"
}
] |
def x(self, ID):
asps = self.aspectsByCat(ID, const.MAJOR_ASPECTS)
applications = asps[const.APPLICATIVE]
exacts = asps[const.EXACT]
return len(applications) == 0 and len(exacts) == 0
|
isVOC
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ID):\n asps = self.aspectsByCat(ID, const.MAJOR_ASPECTS)\n applications = asps[const.APPLICATIVE]\n exacts = asps[const.EXACT]\n return len(applications) == 0 and len(exacts) == 0\n",
"role": "user"
},
{
"content": "isVOC",
"role": "assistant"
}
] |
def x(factors, chart, factor, obj, aspect=None):
objID = obj if type(obj) == str else obj.id
res = {'factor': factor, 'objID': objID, 'aspect': aspect}
if type(obj) == str:
res['element'] = props.sign.element[obj]
elif objID == const.SUN:
sunseason = props.sign.sunseason[obj.sign]
res['sign'] = obj.sign
res['sunseason'] = sunseason
res['element'] = props.base.sunseasonElement[sunseason]
elif objID == const.MOON:
phase = chart.getMoonPhase()
res['phase'] = phase
res['element'] = props.base.moonphaseElement[phase]
elif objID in const.LIST_SEVEN_PLANETS:
if aspect:
res['sign'] = obj.sign
res['element'] = props.sign.element[obj.sign]
else:
res['element'] = obj.element()
try:
res['element']
factors.append(res)
except KeyError:
pass
return res
|
singleFactor
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(factors, chart, factor, obj, aspect=None):\n objID = obj if type(obj) == str else obj.id\n res = {'factor': factor, 'objID': objID, 'aspect': aspect}\n if type(obj) == str:\n res['element'] = props.sign.element[obj]\n elif objID == const.SUN:\n sunseason = props.sign.sunseason[obj.sign]\n res['sign'] = obj.sign\n res['sunseason'] = sunseason\n res['element'] = props.base.sunseasonElement[sunseason]\n elif objID == const.MOON:\n phase = chart.getMoonPhase()\n res['phase'] = phase\n res['element'] = props.base.moonphaseElement[phase]\n elif objID in const.LIST_SEVEN_PLANETS:\n if aspect:\n res['sign'] = obj.sign\n res['element'] = props.sign.element[obj.sign]\n else:\n res['element'] = obj.element()\n try:\n res['element']\n factors.append(res)\n except KeyError:\n pass\n return res\n",
"role": "user"
},
{
"content": "singleFactor",
"role": "assistant"
}
] |
def x(chart, factor, factorObj, otherObj, aspList):
asp = aspects.aspectType(factorObj, otherObj, aspList)
if asp != const.NO_ASPECT:
return {'factor': factor, 'aspect': asp, 'objID': otherObj.id,
'element': otherObj.element()}
return None
|
modifierFactor
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(chart, factor, factorObj, otherObj, aspList):\n asp = aspects.aspectType(factorObj, otherObj, aspList)\n if asp != const.NO_ASPECT:\n return {'factor': factor, 'aspect': asp, 'objID': otherObj.id,\n 'element': otherObj.element()}\n return None\n",
"role": "user"
},
{
"content": "modifierFactor",
"role": "assistant"
}
] |
def x(chart):
factors = []
asc = chart.getAngle(const.ASC)
singleFactor(factors, chart, ASC_SIGN, asc.sign)
ascRulerID = essential.ruler(asc.sign)
ascRuler = chart.getObject(ascRulerID)
singleFactor(factors, chart, ASC_RULER, ascRuler)
singleFactor(factors, chart, ASC_RULER_SIGN, ascRuler.sign)
house1 = chart.getHouse(const.HOUSE1)
planetsHouse1 = chart.objects.getObjectsInHouse(house1)
for obj in planetsHouse1:
singleFactor(factors, chart, HOUSE1_PLANETS_IN, obj)
planetsConjAsc = chart.objects.getObjectsAspecting(asc, [0])
for obj in planetsConjAsc:
if obj not in planetsHouse1:
singleFactor(factors, chart, ASC_PLANETS_CONJ, obj)
aspList = [60, 90, 120, 180]
planetsAspAsc = chart.objects.getObjectsAspecting(asc, aspList)
for obj in planetsAspAsc:
aspect = aspects.aspectType(obj, asc, aspList)
singleFactor(factors, chart, ASC_PLANETS_ASP, obj, aspect)
moon = chart.getObject(const.MOON)
singleFactor(factors, chart, MOON_SIGN, moon.sign)
singleFactor(factors, chart, MOON_PHASE, moon)
moonRulerID = essential.ruler(moon.sign)
moonRuler = chart.getObject(moonRulerID)
moonFactor = singleFactor(factors, chart, MOON_DISPOSITOR_SIGN,
moonRuler.sign)
moonFactor['planetID'] = moonRulerID
planetsConjMoon = chart.objects.getObjectsAspecting(moon, [0])
for obj in planetsConjMoon:
singleFactor(factors, chart, MOON_PLANETS_CONJ, obj)
aspList = [60, 90, 120, 180]
planetsAspMoon = chart.objects.getObjectsAspecting(moon, aspList)
for obj in planetsAspMoon:
aspect = aspects.aspectType(obj, moon, aspList)
singleFactor(factors, chart, MOON_PLANETS_ASP, obj, aspect)
sun = chart.getObject(const.SUN)
singleFactor(factors, chart, SUN_SEASON, sun)
return factors
|
getFactors
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(chart):\n factors = []\n asc = chart.getAngle(const.ASC)\n singleFactor(factors, chart, ASC_SIGN, asc.sign)\n ascRulerID = essential.ruler(asc.sign)\n ascRuler = chart.getObject(ascRulerID)\n singleFactor(factors, chart, ASC_RULER, ascRuler)\n singleFactor(factors, chart, ASC_RULER_SIGN, ascRuler.sign)\n house1 = chart.getHouse(const.HOUSE1)\n planetsHouse1 = chart.objects.getObjectsInHouse(house1)\n for obj in planetsHouse1:\n singleFactor(factors, chart, HOUSE1_PLANETS_IN, obj)\n planetsConjAsc = chart.objects.getObjectsAspecting(asc, [0])\n for obj in planetsConjAsc:\n if obj not in planetsHouse1:\n singleFactor(factors, chart, ASC_PLANETS_CONJ, obj)\n aspList = [60, 90, 120, 180]\n planetsAspAsc = chart.objects.getObjectsAspecting(asc, aspList)\n for obj in planetsAspAsc:\n aspect = aspects.aspectType(obj, asc, aspList)\n singleFactor(factors, chart, ASC_PLANETS_ASP, obj, aspect)\n moon = chart.getObject(const.MOON)\n singleFactor(factors, chart, MOON_SIGN, moon.sign)\n singleFactor(factors, chart, MOON_PHASE, moon)\n moonRulerID = essential.ruler(moon.sign)\n moonRuler = chart.getObject(moonRulerID)\n moonFactor = singleFactor(factors, chart, MOON_DISPOSITOR_SIGN,\n moonRuler.sign)\n moonFactor['planetID'] = moonRulerID\n planetsConjMoon = chart.objects.getObjectsAspecting(moon, [0])\n for obj in planetsConjMoon:\n singleFactor(factors, chart, MOON_PLANETS_CONJ, obj)\n aspList = [60, 90, 120, 180]\n planetsAspMoon = chart.objects.getObjectsAspecting(moon, aspList)\n for obj in planetsAspMoon:\n aspect = aspects.aspectType(obj, moon, aspList)\n singleFactor(factors, chart, MOON_PLANETS_ASP, obj, aspect)\n sun = chart.getObject(const.SUN)\n singleFactor(factors, chart, SUN_SEASON, sun)\n return factors\n",
"role": "user"
},
{
"content": "getFactors",
"role": "assistant"
}
] |
def x(chart):
modifiers = []
asc = chart.getAngle(const.ASC)
ascRulerID = essential.ruler(asc.sign)
ascRuler = chart.getObject(ascRulerID)
moon = chart.getObject(const.MOON)
factors = [[MOD_ASC, asc], [MOD_ASC_RULER, ascRuler], [MOD_MOON, moon]]
mars = chart.getObject(const.MARS)
saturn = chart.getObject(const.SATURN)
sun = chart.getObject(const.SUN)
affect = [[mars, [0, 90, 180]], [saturn, [0, 90, 180]], [sun, [0]]]
for affectingObj, affectingAsps in affect:
for factor, affectedObj in factors:
modf = modifierFactor(chart, factor, affectedObj, affectingObj,
affectingAsps)
if modf:
modifiers.append(modf)
return modifiers
|
getModifiers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(chart):\n modifiers = []\n asc = chart.getAngle(const.ASC)\n ascRulerID = essential.ruler(asc.sign)\n ascRuler = chart.getObject(ascRulerID)\n moon = chart.getObject(const.MOON)\n factors = [[MOD_ASC, asc], [MOD_ASC_RULER, ascRuler], [MOD_MOON, moon]]\n mars = chart.getObject(const.MARS)\n saturn = chart.getObject(const.SATURN)\n sun = chart.getObject(const.SUN)\n affect = [[mars, [0, 90, 180]], [saturn, [0, 90, 180]], [sun, [0]]]\n for affectingObj, affectingAsps in affect:\n for factor, affectedObj in factors:\n modf = modifierFactor(chart, factor, affectedObj, affectingObj,\n affectingAsps)\n if modf:\n modifiers.append(modf)\n return modifiers\n",
"role": "user"
},
{
"content": "getModifiers",
"role": "assistant"
}
] |
def x(factors):
temperaments = {const.CHOLERIC: 0, const.MELANCHOLIC: 0, const.SANGUINE:
0, const.PHLEGMATIC: 0}
qualities = {const.HOT: 0, const.COLD: 0, const.DRY: 0, const.HUMID: 0}
for factor in factors:
element = factor['element']
temperament = props.base.elementTemperament[element]
temperaments[temperament] += 1
tqualities = props.base.temperamentQuality[temperament]
qualities[tqualities[0]] += 1
qualities[tqualities[1]] += 1
return {'temperaments': temperaments, 'qualities': qualities}
|
scores
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(factors):\n temperaments = {const.CHOLERIC: 0, const.MELANCHOLIC: 0, const.SANGUINE:\n 0, const.PHLEGMATIC: 0}\n qualities = {const.HOT: 0, const.COLD: 0, const.DRY: 0, const.HUMID: 0}\n for factor in factors:\n element = factor['element']\n temperament = props.base.elementTemperament[element]\n temperaments[temperament] += 1\n tqualities = props.base.temperamentQuality[temperament]\n qualities[tqualities[0]] += 1\n qualities[tqualities[1]] += 1\n return {'temperaments': temperaments, 'qualities': qualities}\n",
"role": "user"
},
{
"content": "scores",
"role": "assistant"
}
] |
def x(ID, date, pos):
obj = eph.getObject(ID, date.jd, pos.lat, pos.lon)
return Object.fromDict(obj)
|
getObject
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ID, date, pos):\n obj = eph.getObject(ID, date.jd, pos.lat, pos.lon)\n return Object.fromDict(obj)\n",
"role": "user"
},
{
"content": "getObject",
"role": "assistant"
}
] |
def x(IDs, date, pos):
objList = [getObject(ID, date, pos) for ID in IDs]
return ObjectList(objList)
|
getObjectList
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(IDs, date, pos):\n objList = [getObject(ID, date, pos) for ID in IDs]\n return ObjectList(objList)\n",
"role": "user"
},
{
"content": "getObjectList",
"role": "assistant"
}
] |
def x(date, pos, hsys):
houses, angles = eph.getHouses(date.jd, pos.lat, pos.lon, hsys)
hList = [House.fromDict(house) for house in houses]
aList = [GenericObject.fromDict(angle) for angle in angles]
return HouseList(hList), GenericList(aList)
|
getHouses
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date, pos, hsys):\n houses, angles = eph.getHouses(date.jd, pos.lat, pos.lon, hsys)\n hList = [House.fromDict(house) for house in houses]\n aList = [GenericObject.fromDict(angle) for angle in angles]\n return HouseList(hList), GenericList(aList)\n",
"role": "user"
},
{
"content": "getHouses",
"role": "assistant"
}
] |
def x(ID, date):
star = eph.getFixedStar(ID, date.jd)
return FixedStar.fromDict(star)
|
getFixedStar
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ID, date):\n star = eph.getFixedStar(ID, date.jd)\n return FixedStar.fromDict(star)\n",
"role": "user"
},
{
"content": "getFixedStar",
"role": "assistant"
}
] |
def x(IDs, date):
starList = [getFixedStar(ID, date) for ID in IDs]
return FixedStarList(starList)
|
getFixedStarList
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(IDs, date):\n starList = [getFixedStar(ID, date) for ID in IDs]\n return FixedStarList(starList)\n",
"role": "user"
},
{
"content": "getFixedStarList",
"role": "assistant"
}
] |
def x(date, lon):
jd = eph.nextSolarReturn(date.jd, lon)
return Datetime.fromJD(jd, date.utcoffset)
|
nextSolarReturn
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date, lon):\n jd = eph.nextSolarReturn(date.jd, lon)\n return Datetime.fromJD(jd, date.utcoffset)\n",
"role": "user"
},
{
"content": "nextSolarReturn",
"role": "assistant"
}
] |
def x(date, lon):
jd = eph.prevSolarReturn(date.jd, lon)
return Datetime.fromJD(jd, date.utcoffset)
|
prevSolarReturn
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date, lon):\n jd = eph.prevSolarReturn(date.jd, lon)\n return Datetime.fromJD(jd, date.utcoffset)\n",
"role": "user"
},
{
"content": "prevSolarReturn",
"role": "assistant"
}
] |
def x(date, pos):
jd = eph.nextSunrise(date.jd, pos.lat, pos.lon)
return Datetime.fromJD(jd, date.utcoffset)
|
nextSunrise
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date, pos):\n jd = eph.nextSunrise(date.jd, pos.lat, pos.lon)\n return Datetime.fromJD(jd, date.utcoffset)\n",
"role": "user"
},
{
"content": "nextSunrise",
"role": "assistant"
}
] |
def x(ID, date):
jd = eph.nextStation(ID, date.jd)
return Datetime.fromJD(jd, date.utcoffset)
|
nextStation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ID, date):\n jd = eph.nextStation(ID, date.jd)\n return Datetime.fromJD(jd, date.utcoffset)\n",
"role": "user"
},
{
"content": "nextStation",
"role": "assistant"
}
] |
def x(date):
eclipse = swe.solarEclipseGlobal(date.jd, backward=True)
return Datetime.fromJD(eclipse['maximum'], date.utcoffset)
|
prevSolarEclipse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date):\n eclipse = swe.solarEclipseGlobal(date.jd, backward=True)\n return Datetime.fromJD(eclipse['maximum'], date.utcoffset)\n",
"role": "user"
},
{
"content": "prevSolarEclipse",
"role": "assistant"
}
] |
def x(date):
eclipse = swe.solarEclipseGlobal(date.jd, backward=False)
return Datetime.fromJD(eclipse['maximum'], date.utcoffset)
|
nextSolarEclipse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date):\n eclipse = swe.solarEclipseGlobal(date.jd, backward=False)\n return Datetime.fromJD(eclipse['maximum'], date.utcoffset)\n",
"role": "user"
},
{
"content": "nextSolarEclipse",
"role": "assistant"
}
] |
def x(date):
eclipse = swe.lunarEclipseGlobal(date.jd, backward=True)
return Datetime.fromJD(eclipse['maximum'], date.utcoffset)
|
prevLunarEclipse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date):\n eclipse = swe.lunarEclipseGlobal(date.jd, backward=True)\n return Datetime.fromJD(eclipse['maximum'], date.utcoffset)\n",
"role": "user"
},
{
"content": "prevLunarEclipse",
"role": "assistant"
}
] |
def x(date):
eclipse = swe.lunarEclipseGlobal(date.jd, backward=False)
return Datetime.fromJD(eclipse['maximum'], date.utcoffset)
|
nextLunarEclipse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date):\n eclipse = swe.lunarEclipseGlobal(date.jd, backward=False)\n return Datetime.fromJD(eclipse['maximum'], date.utcoffset)\n",
"role": "user"
},
{
"content": "nextLunarEclipse",
"role": "assistant"
}
] |
def x(hdiff, title):
import matplotlib.pyplot as plt
years = [elem[0] for elem in hdiff]
diffs = [elem[1] for elem in hdiff]
plt.plot(years, diffs)
plt.ylabel('Distance in minutes')
plt.xlabel('Year')
plt.title(title)
plt.axhline(y=0, c='red')
plt.show()
|
plot
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hdiff, title):\n import matplotlib.pyplot as plt\n years = [elem[0] for elem in hdiff]\n diffs = [elem[1] for elem in hdiff]\n plt.plot(years, diffs)\n plt.ylabel('Distance in minutes')\n plt.xlabel('Year')\n plt.title(title)\n plt.axhline(y=0, c='red')\n plt.show()\n",
"role": "user"
},
{
"content": "plot",
"role": "assistant"
}
] |
def x(decl, lat):
delta = math.radians(decl)
phi = math.radians(lat)
ad = math.asin(math.tan(delta) * math.tan(phi))
return math.degrees(ad)
|
ascdiff
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(decl, lat):\n delta = math.radians(decl)\n phi = math.radians(lat)\n ad = math.asin(math.tan(delta) * math.tan(phi))\n return math.degrees(ad)\n",
"role": "user"
},
{
"content": "ascdiff",
"role": "assistant"
}
] |
def x(decl, lat):
dArc = 180 + 2 * ascdiff(decl, lat)
nArc = 360 - dArc
return dArc, nArc
|
dnarcs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(decl, lat):\n dArc = 180 + 2 * ascdiff(decl, lat)\n nArc = 360 - dArc\n return dArc, nArc\n",
"role": "user"
},
{
"content": "dnarcs",
"role": "assistant"
}
] |
def x(ra, decl, mcRA, lat):
dArc, _ = dnarcs(decl, lat)
dist = abs(angle.closestdistance(mcRA, ra))
return dist <= dArc / 2.0 + 0.0003
|
isAboveHorizon
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ra, decl, mcRA, lat):\n dArc, _ = dnarcs(decl, lat)\n dist = abs(angle.closestdistance(mcRA, ra))\n return dist <= dArc / 2.0 + 0.0003\n",
"role": "user"
},
{
"content": "isAboveHorizon",
"role": "assistant"
}
] |
def x(lon, lat):
_lambda = math.radians(lon)
_beta = math.radians(lat)
_epson = math.radians(23.44)
decl = math.asin(math.sin(_epson) * math.sin(_lambda) * math.cos(_beta) +
math.cos(_epson) * math.sin(_beta))
ED = math.acos(math.cos(_lambda) * math.cos(_beta) / math.cos(decl))
ra = ED if lon < 180 else math.radians(360) - ED
if abs(angle.closestdistance(lon, 0)) < 5 or abs(angle.closestdistance(
lon, 180)) < 5:
a = math.sin(ra) * math.cos(decl)
b = math.cos(_epson) * math.sin(_lambda) * math.cos(_beta) - math.sin(
_epson) * math.sin(_beta)
if math.fabs(a - b) > 0.0003:
ra = math.radians(360) - ra
return math.degrees(ra), math.degrees(decl)
|
eqCoords
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lon, lat):\n _lambda = math.radians(lon)\n _beta = math.radians(lat)\n _epson = math.radians(23.44)\n decl = math.asin(math.sin(_epson) * math.sin(_lambda) * math.cos(_beta) +\n math.cos(_epson) * math.sin(_beta))\n ED = math.acos(math.cos(_lambda) * math.cos(_beta) / math.cos(decl))\n ra = ED if lon < 180 else math.radians(360) - ED\n if abs(angle.closestdistance(lon, 0)) < 5 or abs(angle.closestdistance(\n lon, 180)) < 5:\n a = math.sin(ra) * math.cos(decl)\n b = math.cos(_epson) * math.sin(_lambda) * math.cos(_beta) - math.sin(\n _epson) * math.sin(_beta)\n if math.fabs(a - b) > 0.0003:\n ra = math.radians(360) - ra\n return math.degrees(ra), math.degrees(decl)\n",
"role": "user"
},
{
"content": "eqCoords",
"role": "assistant"
}
] |
def x(obj, sun):
if obj.id == const.SUN:
return None
dist = abs(angle.closestdistance(sun.lon, obj.lon))
if dist < 0.2833:
return CAZIMI
elif dist < 8.0:
return COMBUST
elif dist < 16.0:
return UNDER_SUN
else:
return None
|
sunRelation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, sun):\n if obj.id == const.SUN:\n return None\n dist = abs(angle.closestdistance(sun.lon, obj.lon))\n if dist < 0.2833:\n return CAZIMI\n elif dist < 8.0:\n return COMBUST\n elif dist < 16.0:\n return UNDER_SUN\n else:\n return None\n",
"role": "user"
},
{
"content": "sunRelation",
"role": "assistant"
}
] |
def x(obj, sun):
dist = angle.distance(sun.lon, obj.lon)
faster = sun if sun.lonspeed > obj.lonspeed else obj
if faster == sun:
return LIGHT_DIMINISHING if dist < 180 else LIGHT_AUGMENTING
else:
return LIGHT_AUGMENTING if dist < 180 else LIGHT_DIMINISHING
|
light
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, sun):\n dist = angle.distance(sun.lon, obj.lon)\n faster = sun if sun.lonspeed > obj.lonspeed else obj\n if faster == sun:\n return LIGHT_DIMINISHING if dist < 180 else LIGHT_AUGMENTING\n else:\n return LIGHT_AUGMENTING if dist < 180 else LIGHT_DIMINISHING\n",
"role": "user"
},
{
"content": "light",
"role": "assistant"
}
] |
def x(obj, sun):
dist = angle.distance(sun.lon, obj.lon)
return OCCIDENTAL if dist < 180 else ORIENTAL
|
orientality
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, sun):\n dist = angle.distance(sun.lon, obj.lon)\n return OCCIDENTAL if dist < 180 else ORIENTAL\n",
"role": "user"
},
{
"content": "orientality",
"role": "assistant"
}
] |
def x(obj, chart):
objGender = obj.gender()
objFaction = obj.faction()
if obj.id == const.MERCURY:
sun = chart.getObject(const.SUN)
orientalityM = orientality(obj, sun)
if orientalityM == ORIENTAL:
objGender = const.MASCULINE
objFaction = const.DIURNAL
else:
objGender = const.FEMININE
objFaction = const.NOCTURNAL
signGender = props.sign.gender[obj.sign]
genderConformity = objGender == signGender
factionConformity = False
diurnalChart = chart.isDiurnal()
if obj.id == const.SUN and not diurnalChart:
factionConformity = False
else:
if diurnalChart:
diurnalFaction = props.house.aboveHorizon
nocturnalFaction = props.house.belowHorizon
else:
diurnalFaction = props.house.belowHorizon
nocturnalFaction = props.house.aboveHorizon
objHouse = chart.houses.getObjectHouse(obj)
if (objFaction == const.DIURNAL and objHouse.id in diurnalFaction or
objFaction == const.NOCTURNAL and objHouse.id in nocturnalFaction):
factionConformity = True
if genderConformity and factionConformity:
return HAIZ
elif not genderConformity and not factionConformity:
return CHAIZ
else:
return None
|
haiz
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, chart):\n objGender = obj.gender()\n objFaction = obj.faction()\n if obj.id == const.MERCURY:\n sun = chart.getObject(const.SUN)\n orientalityM = orientality(obj, sun)\n if orientalityM == ORIENTAL:\n objGender = const.MASCULINE\n objFaction = const.DIURNAL\n else:\n objGender = const.FEMININE\n objFaction = const.NOCTURNAL\n signGender = props.sign.gender[obj.sign]\n genderConformity = objGender == signGender\n factionConformity = False\n diurnalChart = chart.isDiurnal()\n if obj.id == const.SUN and not diurnalChart:\n factionConformity = False\n else:\n if diurnalChart:\n diurnalFaction = props.house.aboveHorizon\n nocturnalFaction = props.house.belowHorizon\n else:\n diurnalFaction = props.house.belowHorizon\n nocturnalFaction = props.house.aboveHorizon\n objHouse = chart.houses.getObjectHouse(obj)\n if (objFaction == const.DIURNAL and objHouse.id in diurnalFaction or\n objFaction == const.NOCTURNAL and objHouse.id in nocturnalFaction):\n factionConformity = True\n if genderConformity and factionConformity:\n return HAIZ\n elif not genderConformity and not factionConformity:\n return CHAIZ\n else:\n return None\n",
"role": "user"
},
{
"content": "haiz",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.