source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(): p = Policy(Statement=[Statement(Effect=Allow, Resource=['*'], Action=[ kinesis.CreateStream, kinesis.DescribeStream, Action(kinesis.prefix, 'AddTagsToStream'), Action(kinesis.prefix, 'PutRecords')])]) return p
logstream_policy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n p = Policy(Statement=[Statement(Effect=Allow, Resource=['*'], Action=[\n kinesis.CreateStream, kinesis.DescribeStream, Action(kinesis.prefix,\n 'AddTagsToStream'), Action(kinesis.prefix, 'PutRecords')])])\n return p\n", "role": "user" }, { "content": "logstream_policy", "role": "assistant" } ]
def x(log_group_ref): p = Policy(Statement=[Statement(Effect=Allow, Resource=[Join('', [ 'arn:aws:logs:*:*:log-group:', log_group_ref, ':log-stream:*'])], Action=[logs.CreateLogStream, logs.PutLogEvents])]) return p
runlogs_policy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(log_group_ref):\n p = Policy(Statement=[Statement(Effect=Allow, Resource=[Join('', [\n 'arn:aws:logs:*:*:log-group:', log_group_ref, ':log-stream:*'])],\n Action=[logs.CreateLogStream, logs.PutLogEvents])])\n return p\n", "role": "user" }, { "content": "runlogs_policy", "role": "assistant" } ]
def x(properties, allowed_properties, resource): for key in properties.keys(): if key not in allowed_properties: raise ValueError('%s is not a valid property of %s' % (key, resource))
check_properties
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(properties, allowed_properties, resource):\n for key in properties.keys():\n if key not in allowed_properties:\n raise ValueError('%s is not a valid property of %s' % (key,\n resource))\n", "role": "user" }, { "content": "check_properties", "role": "assistant" } ]
def x(left, right, factory=Tags): if isinstance(left, Mapping): tags = dict(left) elif hasattr(left, 'tags'): tags = _tags_to_dict(left.tags) else: tags = _tags_to_dict(left) if isinstance(right, Mapping): tags.update(right) elif hasattr(left, 'tags'): tags.update(_tags_to_dict(right.tags)) else: tags.update(_tags_to_dict(right)) return factory(**tags)
merge_tags
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(left, right, factory=Tags):\n if isinstance(left, Mapping):\n tags = dict(left)\n elif hasattr(left, 'tags'):\n tags = _tags_to_dict(left.tags)\n else:\n tags = _tags_to_dict(left)\n if isinstance(right, Mapping):\n tags.update(right)\n elif hasattr(left, 'tags'):\n tags.update(_tags_to_dict(right.tags))\n else:\n tags.update(_tags_to_dict(right))\n return factory(**tags)\n", "role": "user" }, { "content": "merge_tags", "role": "assistant" } ]
def x(rs_name, rs_type): rs_name = rs_name.lower() rs_type = rs_type.upper() rs_type = 'ACNAME' if rs_type in ['A', 'CNAME'] else rs_type return md5(rs_name + rs_type).hexdigest()
get_record_set_md5
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(rs_name, rs_type):\n rs_name = rs_name.lower()\n rs_type = rs_type.upper()\n rs_type = 'ACNAME' if rs_type in ['A', 'CNAME'] else rs_type\n return md5(rs_name + rs_type).hexdigest()\n", "role": "user" }, { "content": "get_record_set_md5", "role": "assistant" } ]
def x(self, rs): alias_target = getattr(rs, 'AliasTarget', None) if alias_target: hosted_zone_id = getattr(alias_target, 'HostedZoneId', None) if not hosted_zone_id: dns_name = alias_target.DNSName if dns_name.endswith(CF_DOMAIN): alias_target.HostedZoneId = CLOUDFRONT_ZONE_ID elif dns_name.endswith(ELB_DOMAIN): region = dns_name.split('.')[-5] alias_target.HostedZoneId = ELB_ZONE_IDS[region] elif dns_name in S3_WEBSITE_ZONE_IDS: alias_target.HostedZoneId = S3_WEBSITE_ZONE_IDS[dns_name] else: alias_target.HostedZoneId = self.hosted_zone_id return rs
add_hosted_zone_id_for_alias_target_if_missing
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rs):\n alias_target = getattr(rs, 'AliasTarget', None)\n if alias_target:\n hosted_zone_id = getattr(alias_target, 'HostedZoneId', None)\n if not hosted_zone_id:\n dns_name = alias_target.DNSName\n if dns_name.endswith(CF_DOMAIN):\n alias_target.HostedZoneId = CLOUDFRONT_ZONE_ID\n elif dns_name.endswith(ELB_DOMAIN):\n region = dns_name.split('.')[-5]\n alias_target.HostedZoneId = ELB_ZONE_IDS[region]\n elif dns_name in S3_WEBSITE_ZONE_IDS:\n alias_target.HostedZoneId = S3_WEBSITE_ZONE_IDS[dns_name]\n else:\n alias_target.HostedZoneId = self.hosted_zone_id\n return rs\n", "role": "user" }, { "content": "add_hosted_zone_id_for_alias_target_if_missing", "role": "assistant" } ]
def x(self, rs_dict): record_set_md5 = get_record_set_md5(rs_dict['Name'], rs_dict['Type']) rs = route53.RecordSetType.from_dict(record_set_md5, rs_dict) rs = add_hosted_zone_id_if_missing(rs, self.hosted_zone_id) rs = self.add_hosted_zone_id_for_alias_target_if_missing(rs) return self.template.add_resource(rs)
create_record_set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rs_dict):\n record_set_md5 = get_record_set_md5(rs_dict['Name'], rs_dict['Type'])\n rs = route53.RecordSetType.from_dict(record_set_md5, rs_dict)\n rs = add_hosted_zone_id_if_missing(rs, self.hosted_zone_id)\n rs = self.add_hosted_zone_id_for_alias_target_if_missing(rs)\n return self.template.add_resource(rs)\n", "role": "user" }, { "content": "create_record_set", "role": "assistant" } ]
def x(self, name, g_dict): rs = route53.RecordSetGroup.from_dict(name, g_dict) rs = add_hosted_zone_id_if_missing(rs, self.hosted_zone_id) rs = self.add_hosted_zone_id_for_alias_target_if_missing(rs) return self.template.add_resource(rs)
create_record_set_group
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, g_dict):\n rs = route53.RecordSetGroup.from_dict(name, g_dict)\n rs = add_hosted_zone_id_if_missing(rs, self.hosted_zone_id)\n rs = self.add_hosted_zone_id_for_alias_target_if_missing(rs)\n return self.template.add_resource(rs)\n", "role": "user" }, { "content": "create_record_set_group", "role": "assistant" } ]
def x(self, record_set_dicts): record_set_objects = [] for record_set_dict in record_set_dicts: if record_set_dict.pop('Enabled', True): record_set_objects.append(self.create_record_set(record_set_dict)) return record_set_objects
create_record_sets
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, record_set_dicts):\n record_set_objects = []\n for record_set_dict in record_set_dicts:\n if record_set_dict.pop('Enabled', True):\n record_set_objects.append(self.create_record_set(record_set_dict))\n return record_set_objects\n", "role": "user" }, { "content": "create_record_sets", "role": "assistant" } ]
def x(self, record_set_group_dicts): record_set_groups = [] for name, group in record_set_group_dicts.iteritems(): if group.pop('Enabled', True): record_set_groups.append(self.create_record_set_group(name, group)) return record_set_groups
create_record_set_groups
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, record_set_group_dicts):\n record_set_groups = []\n for name, group in record_set_group_dicts.iteritems():\n if group.pop('Enabled', True):\n record_set_groups.append(self.create_record_set_group(name, group))\n return record_set_groups\n", "role": "user" }, { "content": "create_record_set_groups", "role": "assistant" } ]
def x(buckets, folder='*'): list_buckets = [s3_arn(b) for b in buckets] object_buckets = [s3_objects_arn(b, folder) for b in buckets] bucket_resources = list_buckets + object_buckets return [Statement(Effect=Allow, Resource=[s3_arn('*')], Action=[s3. ListAllMyBuckets]), Statement(Effect=Allow, Resource= bucket_resources, Action=[Action('s3', 'Get*'), Action('s3', 'List*')]) ]
read_only_s3_bucket_policy_statements
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(buckets, folder='*'):\n list_buckets = [s3_arn(b) for b in buckets]\n object_buckets = [s3_objects_arn(b, folder) for b in buckets]\n bucket_resources = list_buckets + object_buckets\n return [Statement(Effect=Allow, Resource=[s3_arn('*')], Action=[s3.\n ListAllMyBuckets]), Statement(Effect=Allow, Resource=\n bucket_resources, Action=[Action('s3', 'Get*'), Action('s3', 'List*')])\n ]\n", "role": "user" }, { "content": "read_only_s3_bucket_policy_statements", "role": "assistant" } ]
def x(bucket): return Policy(Statement=[Statement(Effect=Allow, Principal=Principal( '*'), Action=[s3.GetObject], Resource=[s3_objects_arn(bucket)])])
static_website_bucket_policy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(bucket):\n return Policy(Statement=[Statement(Effect=Allow, Principal=Principal(\n '*'), Action=[s3.GetObject], Resource=[s3_objects_arn(bucket)])])\n", "role": "user" }, { "content": "static_website_bucket_policy", "role": "assistant" } ]
def x(): return [Statement(Effect=Allow, Resource=['*'], Action=[ec2. CreateNetworkInterface, ec2.DescribeNetworkInterfaces, ec2. DeleteNetworkInterface])]
lambda_vpc_execution_statements
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n return [Statement(Effect=Allow, Resource=['*'], Action=[ec2.\n CreateNetworkInterface, ec2.DescribeNetworkInterfaces, ec2.\n DeleteNetworkInterface])]\n", "role": "user" }, { "content": "lambda_vpc_execution_statements", "role": "assistant" } ]
def x(tables): return Policy(Statement=[Statement(Effect=Allow, Resource=dynamodb_arns (tables), Action=[dynamodb.DescribeTable, dynamodb.UpdateTable]), Statement(Effect=Allow, Resource=['*'], Action=[cloudwatch. PutMetricAlarm, cloudwatch.DescribeAlarms, cloudwatch. GetMetricStatistics, cloudwatch.SetAlarmState, cloudwatch. DeleteAlarms])])
dynamodb_autoscaling_policy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tables):\n return Policy(Statement=[Statement(Effect=Allow, Resource=dynamodb_arns\n (tables), Action=[dynamodb.DescribeTable, dynamodb.UpdateTable]),\n Statement(Effect=Allow, Resource=['*'], Action=[cloudwatch.\n PutMetricAlarm, cloudwatch.DescribeAlarms, cloudwatch.\n GetMetricStatistics, cloudwatch.SetAlarmState, cloudwatch.\n DeleteAlarms])])\n", "role": "user" }, { "content": "dynamodb_autoscaling_policy", "role": "assistant" } ]
def x(self, healpix_index, dx=None, dy=None): return healpix_to_lonlat(healpix_index, self.nside, dx=dx, dy=dy, order =self.order)
healpix_to_lonlat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, healpix_index, dx=None, dy=None):\n return healpix_to_lonlat(healpix_index, self.nside, dx=dx, dy=dy, order\n =self.order)\n", "role": "user" }, { "content": "healpix_to_lonlat", "role": "assistant" } ]
def x(self, lon, lat, return_offsets=False): return lonlat_to_healpix(lon, lat, self.nside, return_offsets= return_offsets, order=self.order)
lonlat_to_healpix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lon, lat, return_offsets=False):\n return lonlat_to_healpix(lon, lat, self.nside, return_offsets=\n return_offsets, order=self.order)\n", "role": "user" }, { "content": "lonlat_to_healpix", "role": "assistant" } ]
def x(self, lon, lat): return bilinear_interpolation_weights(lon, lat, self.nside, order=self. order)
bilinear_interpolation_weights
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lon, lat):\n return bilinear_interpolation_weights(lon, lat, self.nside, order=self.\n order)\n", "role": "user" }, { "content": "bilinear_interpolation_weights", "role": "assistant" } ]
def x(self, lon, lat, values): if len(values) != self.npix: raise ValueError('values must be an array of length {0} (got {1})'. format(self.npix, len(values))) return interpolate_bilinear_lonlat(lon, lat, values, order=self.order)
interpolate_bilinear_lonlat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lon, lat, values):\n if len(values) != self.npix:\n raise ValueError('values must be an array of length {0} (got {1})'.\n format(self.npix, len(values)))\n return interpolate_bilinear_lonlat(lon, lat, values, order=self.order)\n", "role": "user" }, { "content": "interpolate_bilinear_lonlat", "role": "assistant" } ]
def x(self, lon, lat, radius): if not lon.isscalar or not lat.isscalar or not radius.isscalar: raise ValueError( 'The longitude, latitude and radius must be scalar Quantity objects' ) return healpix_cone_search(lon, lat, radius, self.nside, order=self.order)
cone_search_lonlat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lon, lat, radius):\n if not lon.isscalar or not lat.isscalar or not radius.isscalar:\n raise ValueError(\n 'The longitude, latitude and radius must be scalar Quantity objects'\n )\n return healpix_cone_search(lon, lat, radius, self.nside, order=self.order)\n", "role": "user" }, { "content": "cone_search_lonlat", "role": "assistant" } ]
def x(self, healpix_index, step): return boundaries_lonlat(healpix_index, step, self.nside, order=self.order)
boundaries_lonlat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, healpix_index, step):\n return boundaries_lonlat(healpix_index, step, self.nside, order=self.order)\n", "role": "user" }, { "content": "boundaries_lonlat", "role": "assistant" } ]
def x(self, healpix_index): return neighbours(healpix_index, self.nside, order=self.order)
neighbours
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, healpix_index):\n return neighbours(healpix_index, self.nside, order=self.order)\n", "role": "user" }, { "content": "neighbours", "role": "assistant" } ]
def x(self, healpix_index, dx=None, dy=None): if self.frame is None: raise NoFrameError('healpix_to_skycoord') lon, lat = self.healpix_to_lonlat(healpix_index, dx=dx, dy=dy) representation = UnitSphericalRepresentation(lon, lat, copy=False) return SkyCoord(self.frame.realize_frame(representation))
healpix_to_skycoord
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, healpix_index, dx=None, dy=None):\n if self.frame is None:\n raise NoFrameError('healpix_to_skycoord')\n lon, lat = self.healpix_to_lonlat(healpix_index, dx=dx, dy=dy)\n representation = UnitSphericalRepresentation(lon, lat, copy=False)\n return SkyCoord(self.frame.realize_frame(representation))\n", "role": "user" }, { "content": "healpix_to_skycoord", "role": "assistant" } ]
def x(self, skycoord, return_offsets=False): if self.frame is None: raise NoFrameError('skycoord_to_healpix') skycoord = skycoord.transform_to(self.frame) representation = skycoord.represent_as(UnitSphericalRepresentation) lon, lat = representation.lon, representation.lat return self.lonlat_to_healpix(lon, lat, return_offsets=return_offsets)
skycoord_to_healpix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, skycoord, return_offsets=False):\n if self.frame is None:\n raise NoFrameError('skycoord_to_healpix')\n skycoord = skycoord.transform_to(self.frame)\n representation = skycoord.represent_as(UnitSphericalRepresentation)\n lon, lat = representation.lon, representation.lat\n return self.lonlat_to_healpix(lon, lat, return_offsets=return_offsets)\n", "role": "user" }, { "content": "skycoord_to_healpix", "role": "assistant" } ]
def x(self, skycoord, values): if self.frame is None: raise NoFrameError('interpolate_bilinear_skycoord') skycoord = skycoord.transform_to(self.frame) representation = skycoord.represent_as(UnitSphericalRepresentation) lon, lat = representation.lon, representation.lat return self.interpolate_bilinear_lonlat(lon, lat, values)
interpolate_bilinear_skycoord
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, skycoord, values):\n if self.frame is None:\n raise NoFrameError('interpolate_bilinear_skycoord')\n skycoord = skycoord.transform_to(self.frame)\n representation = skycoord.represent_as(UnitSphericalRepresentation)\n lon, lat = representation.lon, representation.lat\n return self.interpolate_bilinear_lonlat(lon, lat, values)\n", "role": "user" }, { "content": "interpolate_bilinear_skycoord", "role": "assistant" } ]
def x(self, skycoord, radius): if self.frame is None: raise NoFrameError('cone_search_skycoord') skycoord = skycoord.transform_to(self.frame) representation = skycoord.represent_as(UnitSphericalRepresentation) lon, lat = representation.lon, representation.lat return self.cone_search_lonlat(lon, lat, radius)
cone_search_skycoord
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, skycoord, radius):\n if self.frame is None:\n raise NoFrameError('cone_search_skycoord')\n skycoord = skycoord.transform_to(self.frame)\n representation = skycoord.represent_as(UnitSphericalRepresentation)\n lon, lat = representation.lon, representation.lat\n return self.cone_search_lonlat(lon, lat, radius)\n", "role": "user" }, { "content": "cone_search_skycoord", "role": "assistant" } ]
def x(self, healpix_index, step): if self.frame is None: raise NoFrameError('boundaries_skycoord') lon, lat = self.boundaries_lonlat(healpix_index, step) representation = UnitSphericalRepresentation(lon, lat, copy=False) return SkyCoord(self.frame.realize_frame(representation))
boundaries_skycoord
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, healpix_index, step):\n if self.frame is None:\n raise NoFrameError('boundaries_skycoord')\n lon, lat = self.boundaries_lonlat(healpix_index, step)\n representation = UnitSphericalRepresentation(lon, lat, copy=False)\n return SkyCoord(self.frame.realize_frame(representation))\n", "role": "user" }, { "content": "boundaries_skycoord", "role": "assistant" } ]
def x(level): level = np.asarray(level, dtype=np.int64) _validate_level(level) return 2 ** level
level_to_nside
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(level):\n level = np.asarray(level, dtype=np.int64)\n _validate_level(level)\n return 2 ** level\n", "role": "user" }, { "content": "level_to_nside", "role": "assistant" } ]
def x(nside): nside = np.asarray(nside, dtype=np.int64) _validate_nside(nside) return np.log2(nside).astype(np.int64)
nside_to_level
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nside):\n nside = np.asarray(nside, dtype=np.int64)\n _validate_nside(nside)\n return np.log2(nside).astype(np.int64)\n", "role": "user" }, { "content": "nside_to_level", "role": "assistant" } ]
def x(uniq): uniq = np.asarray(uniq, dtype=np.int64) level = np.log2(uniq // 4) // 2 level = level.astype(np.int64) _validate_level(level) ipix = uniq - (1 << 2 * (level + 1)) _validate_npix(level, ipix) return level, ipix
uniq_to_level_ipix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(uniq):\n uniq = np.asarray(uniq, dtype=np.int64)\n level = np.log2(uniq // 4) // 2\n level = level.astype(np.int64)\n _validate_level(level)\n ipix = uniq - (1 << 2 * (level + 1))\n _validate_npix(level, ipix)\n return level, ipix\n", "role": "user" }, { "content": "uniq_to_level_ipix", "role": "assistant" } ]
def x(level, ipix): level = np.asarray(level, dtype=np.int64) ipix = np.asarray(ipix, dtype=np.int64) _validate_level(level) _validate_npix(level, ipix) return ipix + (1 << 2 * (level + 1))
level_ipix_to_uniq
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(level, ipix):\n level = np.asarray(level, dtype=np.int64)\n ipix = np.asarray(ipix, dtype=np.int64)\n _validate_level(level)\n _validate_npix(level, ipix)\n return ipix + (1 << 2 * (level + 1))\n", "role": "user" }, { "content": "level_ipix_to_uniq", "role": "assistant" } ]
def x(nside): nside = np.asanyarray(nside, dtype=np.int64) _validate_nside(nside) npix = 12 * nside * nside pixel_area = 4 * math.pi / npix * u.sr return pixel_area
nside_to_pixel_area
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nside):\n nside = np.asanyarray(nside, dtype=np.int64)\n _validate_nside(nside)\n npix = 12 * nside * nside\n pixel_area = 4 * math.pi / npix * u.sr\n return pixel_area\n", "role": "user" }, { "content": "nside_to_pixel_area", "role": "assistant" } ]
def x(nside): nside = np.asanyarray(nside, dtype=np.int64) _validate_nside(nside) return (nside_to_pixel_area(nside) ** 0.5).to(u.arcmin)
nside_to_pixel_resolution
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nside):\n nside = np.asanyarray(nside, dtype=np.int64)\n _validate_nside(nside)\n return (nside_to_pixel_area(nside) ** 0.5).to(u.arcmin)\n", "role": "user" }, { "content": "nside_to_pixel_resolution", "role": "assistant" } ]
def x(resolution, round='nearest'): resolution = resolution.to(u.rad).value pixel_area = resolution * resolution npix = 4 * math.pi / pixel_area nside = np.sqrt(npix / 12) level = np.log2(nside) if round == 'up': level = np.ceil(level) elif round == 'nearest': level = np.round(level) elif round == 'down': level = np.floor(level) else: raise ValueError('Invalid value for round: {!r}'.format(round)) level = np.clip(level.astype(int), 0, None) return level_to_nside(level)
pixel_resolution_to_nside
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(resolution, round='nearest'):\n resolution = resolution.to(u.rad).value\n pixel_area = resolution * resolution\n npix = 4 * math.pi / pixel_area\n nside = np.sqrt(npix / 12)\n level = np.log2(nside)\n if round == 'up':\n level = np.ceil(level)\n elif round == 'nearest':\n level = np.round(level)\n elif round == 'down':\n level = np.floor(level)\n else:\n raise ValueError('Invalid value for round: {!r}'.format(round))\n level = np.clip(level.astype(int), 0, None)\n return level_to_nside(level)\n", "role": "user" }, { "content": "pixel_resolution_to_nside", "role": "assistant" } ]
def x(nside): nside = np.asanyarray(nside, dtype=np.int64) _validate_nside(nside) return 12 * nside ** 2
nside_to_npix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nside):\n nside = np.asanyarray(nside, dtype=np.int64)\n _validate_nside(nside)\n return 12 * nside ** 2\n", "role": "user" }, { "content": "nside_to_npix", "role": "assistant" } ]
def x(npix): npix = np.asanyarray(npix, dtype=np.int64) if not np.all(npix % 12 == 0): raise ValueError('Number of pixels must be divisible by 12') square_root = np.sqrt(npix / 12) if not np.all(square_root ** 2 == npix / 12): raise ValueError('Number of pixels is not of the form 12 * nside ** 2') return np.round(square_root).astype(int)
npix_to_nside
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(npix):\n npix = np.asanyarray(npix, dtype=np.int64)\n if not np.all(npix % 12 == 0):\n raise ValueError('Number of pixels must be divisible by 12')\n square_root = np.sqrt(npix / 12)\n if not np.all(square_root ** 2 == npix / 12):\n raise ValueError('Number of pixels is not of the form 12 * nside ** 2')\n return np.round(square_root).astype(int)\n", "role": "user" }, { "content": "npix_to_nside", "role": "assistant" } ]
def x(healpix_index, nside, dx=None, dy=None, order='ring'): _validate_nside(nside) if _validate_order(order) == 'ring': func = _core.healpix_ring_to_lonlat else: func = _core.healpix_nested_to_lonlat if dx is None: dx = 0.5 else: _validate_offset('x', dx) if dy is None: dy = 0.5 else: _validate_offset('y', dy) nside = np.asarray(nside, dtype=np.intc) lon, lat = func(healpix_index, nside, dx, dy) lon = Longitude(lon, unit=u.rad, copy=False) lat = Latitude(lat, unit=u.rad, copy=False) return lon, lat
healpix_to_lonlat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(healpix_index, nside, dx=None, dy=None, order='ring'):\n _validate_nside(nside)\n if _validate_order(order) == 'ring':\n func = _core.healpix_ring_to_lonlat\n else:\n func = _core.healpix_nested_to_lonlat\n if dx is None:\n dx = 0.5\n else:\n _validate_offset('x', dx)\n if dy is None:\n dy = 0.5\n else:\n _validate_offset('y', dy)\n nside = np.asarray(nside, dtype=np.intc)\n lon, lat = func(healpix_index, nside, dx, dy)\n lon = Longitude(lon, unit=u.rad, copy=False)\n lat = Latitude(lat, unit=u.rad, copy=False)\n return lon, lat\n", "role": "user" }, { "content": "healpix_to_lonlat", "role": "assistant" } ]
def x(lon, lat, nside, return_offsets=False, order='ring'): if _validate_order(order) == 'ring': func = _core.lonlat_to_healpix_ring else: func = _core.lonlat_to_healpix_nested nside = np.asarray(nside, dtype=np.intc) lon = lon.to_value(u.rad) lat = lat.to_value(u.rad) healpix_index, dx, dy = func(lon, lat, nside) if return_offsets: return healpix_index, dx, dy else: return healpix_index
lonlat_to_healpix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lon, lat, nside, return_offsets=False, order='ring'):\n if _validate_order(order) == 'ring':\n func = _core.lonlat_to_healpix_ring\n else:\n func = _core.lonlat_to_healpix_nested\n nside = np.asarray(nside, dtype=np.intc)\n lon = lon.to_value(u.rad)\n lat = lat.to_value(u.rad)\n healpix_index, dx, dy = func(lon, lat, nside)\n if return_offsets:\n return healpix_index, dx, dy\n else:\n return healpix_index\n", "role": "user" }, { "content": "lonlat_to_healpix", "role": "assistant" } ]
def x(nested_index, nside): nside = np.asarray(nside, dtype=np.intc) return _core.nested_to_ring(nested_index, nside)
nested_to_ring
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nested_index, nside):\n nside = np.asarray(nside, dtype=np.intc)\n return _core.nested_to_ring(nested_index, nside)\n", "role": "user" }, { "content": "nested_to_ring", "role": "assistant" } ]
def x(ring_index, nside): nside = np.asarray(nside, dtype=np.intc) return _core.ring_to_nested(ring_index, nside)
ring_to_nested
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ring_index, nside):\n nside = np.asarray(nside, dtype=np.intc)\n return _core.ring_to_nested(ring_index, nside)\n", "role": "user" }, { "content": "ring_to_nested", "role": "assistant" } ]
def x(lon, lat, nside, order='ring'): lon = lon.to_value(u.rad) lat = lat.to_value(u.rad) _validate_nside(nside) nside = np.asarray(nside, dtype=np.intc) result = _core.bilinear_interpolation_weights(lon, lat, nside) indices = np.stack(result[:4]) weights = np.stack(result[4:]) if _validate_order(order) == 'nested': indices = ring_to_nested(indices, nside) return indices, weights
bilinear_interpolation_weights
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lon, lat, nside, order='ring'):\n lon = lon.to_value(u.rad)\n lat = lat.to_value(u.rad)\n _validate_nside(nside)\n nside = np.asarray(nside, dtype=np.intc)\n result = _core.bilinear_interpolation_weights(lon, lat, nside)\n indices = np.stack(result[:4])\n weights = np.stack(result[4:])\n if _validate_order(order) == 'nested':\n indices = ring_to_nested(indices, nside)\n return indices, weights\n", "role": "user" }, { "content": "bilinear_interpolation_weights", "role": "assistant" } ]
def x(lon, lat, values, order='ring'): nside = npix_to_nside(values.shape[0]) indices, weights = bilinear_interpolation_weights(lon, lat, nside, order=order) values = values[indices] result = (values.T * weights.T).T return result.sum(axis=0)
interpolate_bilinear_lonlat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lon, lat, values, order='ring'):\n nside = npix_to_nside(values.shape[0])\n indices, weights = bilinear_interpolation_weights(lon, lat, nside,\n order=order)\n values = values[indices]\n result = (values.T * weights.T).T\n return result.sum(axis=0)\n", "role": "user" }, { "content": "interpolate_bilinear_lonlat", "role": "assistant" } ]
def x(healpix_index, nside, order='ring'): _validate_nside(nside) nside = np.asarray(nside, dtype=np.intc) if _validate_order(order) == 'ring': func = _core.neighbours_ring else: func = _core.neighbours_nested return np.stack(func(healpix_index, nside))
neighbours
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(healpix_index, nside, order='ring'):\n _validate_nside(nside)\n nside = np.asarray(nside, dtype=np.intc)\n if _validate_order(order) == 'ring':\n func = _core.neighbours_ring\n else:\n func = _core.neighbours_nested\n return np.stack(func(healpix_index, nside))\n", "role": "user" }, { "content": "neighbours", "role": "assistant" } ]
def x(lon, lat, radius, nside, order='ring'): lon = lon.to_value(u.deg) lat = lat.to_value(u.deg) radius = radius.to_value(u.deg) _validate_nside(nside) order = _validate_order(order) return _core.healpix_cone_search(lon, lat, radius, nside, order)
healpix_cone_search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lon, lat, radius, nside, order='ring'):\n lon = lon.to_value(u.deg)\n lat = lat.to_value(u.deg)\n radius = radius.to_value(u.deg)\n _validate_nside(nside)\n order = _validate_order(order)\n return _core.healpix_cone_search(lon, lat, radius, nside, order)\n", "role": "user" }, { "content": "healpix_cone_search", "role": "assistant" } ]
def x(healpix_index, step, nside, order='ring'): healpix_index = np.asarray(healpix_index, dtype=np.int64) step = int(step) if step < 1: raise ValueError('step must be at least 1') frac = np.linspace(0.0, 1.0, step + 1)[:-1] dx = np.hstack([1 - frac, np.repeat(0, step), frac, np.repeat(1, step)]) dy = np.hstack([np.repeat(1, step), 1 - frac, np.repeat(0, step), frac]) healpix_index, dx, dy = np.broadcast_arrays(healpix_index.reshape(-1, 1 ), dx, dy) lon, lat = healpix_to_lonlat(healpix_index.ravel(), nside, dx.ravel(), dy.ravel(), order=order) lon = lon.reshape(-1, 4 * step) lat = lat.reshape(-1, 4 * step) return lon, lat
boundaries_lonlat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(healpix_index, step, nside, order='ring'):\n healpix_index = np.asarray(healpix_index, dtype=np.int64)\n step = int(step)\n if step < 1:\n raise ValueError('step must be at least 1')\n frac = np.linspace(0.0, 1.0, step + 1)[:-1]\n dx = np.hstack([1 - frac, np.repeat(0, step), frac, np.repeat(1, step)])\n dy = np.hstack([np.repeat(1, step), 1 - frac, np.repeat(0, step), frac])\n healpix_index, dx, dy = np.broadcast_arrays(healpix_index.reshape(-1, 1\n ), dx, dy)\n lon, lat = healpix_to_lonlat(healpix_index.ravel(), nside, dx.ravel(),\n dy.ravel(), order=order)\n lon = lon.reshape(-1, 4 * step)\n lat = lat.reshape(-1, 4 * step)\n return lon, lat\n", "role": "user" }, { "content": "boundaries_lonlat", "role": "assistant" } ]
def x(nside, arcmin=False): resolution = nside_to_pixel_resolution(nside) if arcmin: return resolution.to(u.arcmin).value else: return resolution.to(u.rad).value
nside2resol
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nside, arcmin=False):\n resolution = nside_to_pixel_resolution(nside)\n if arcmin:\n return resolution.to(u.arcmin).value\n else:\n return resolution.to(u.rad).value\n", "role": "user" }, { "content": "nside2resol", "role": "assistant" } ]
def x(nside, degrees=False): area = nside_to_pixel_area(nside) if degrees: return area.to(u.deg ** 2).value else: return area.to(u.sr).value
nside2pixarea
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nside, degrees=False):\n area = nside_to_pixel_area(nside)\n if degrees:\n return area.to(u.deg ** 2).value\n else:\n return area.to(u.sr).value\n", "role": "user" }, { "content": "nside2pixarea", "role": "assistant" } ]
def x(nside, ipix, nest=False, lonlat=False): lon, lat = healpix_to_lonlat(ipix, nside, order='nested' if nest else 'ring') return _lonlat_to_healpy(lon, lat, lonlat=lonlat)
pix2ang
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nside, ipix, nest=False, lonlat=False):\n lon, lat = healpix_to_lonlat(ipix, nside, order='nested' if nest else\n 'ring')\n return _lonlat_to_healpy(lon, lat, lonlat=lonlat)\n", "role": "user" }, { "content": "pix2ang", "role": "assistant" } ]
def x(nside, theta, phi, nest=False, lonlat=False): lon, lat = _healpy_to_lonlat(theta, phi, lonlat=lonlat) return lonlat_to_healpix(lon, lat, nside, order='nested' if nest else 'ring')
ang2pix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nside, theta, phi, nest=False, lonlat=False):\n lon, lat = _healpy_to_lonlat(theta, phi, lonlat=lonlat)\n return lonlat_to_healpix(lon, lat, nside, order='nested' if nest else\n 'ring')\n", "role": "user" }, { "content": "ang2pix", "role": "assistant" } ]
def x(nside, ipix, nest=False): lon, lat = healpix_to_lonlat(ipix, nside, order='nested' if nest else 'ring') return ang2vec(*_lonlat_to_healpy(lon, lat))
pix2vec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nside, ipix, nest=False):\n lon, lat = healpix_to_lonlat(ipix, nside, order='nested' if nest else\n 'ring')\n return ang2vec(*_lonlat_to_healpy(lon, lat))\n", "role": "user" }, { "content": "pix2vec", "role": "assistant" } ]
def x(nside, x, y, z, nest=False): theta, phi = vec2ang(np.transpose([x, y, z])) if np.isscalar(x): theta = theta.item() phi = phi.item() else: shape = np.shape(x) theta = theta.reshape(shape) phi = phi.reshape(shape) lon, lat = _healpy_to_lonlat(theta, phi) return lonlat_to_healpix(lon, lat, nside, order='nested' if nest else 'ring')
vec2pix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nside, x, y, z, nest=False):\n theta, phi = vec2ang(np.transpose([x, y, z]))\n if np.isscalar(x):\n theta = theta.item()\n phi = phi.item()\n else:\n shape = np.shape(x)\n theta = theta.reshape(shape)\n phi = phi.reshape(shape)\n lon, lat = _healpy_to_lonlat(theta, phi)\n return lonlat_to_healpix(lon, lat, nside, order='nested' if nest else\n 'ring')\n", "role": "user" }, { "content": "vec2pix", "role": "assistant" } ]
def x(nside, ipix): ipix = np.atleast_1d(ipix).astype(np.int64, copy=False) return nested_to_ring(ipix, nside)
nest2ring
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nside, ipix):\n ipix = np.atleast_1d(ipix).astype(np.int64, copy=False)\n return nested_to_ring(ipix, nside)\n", "role": "user" }, { "content": "nest2ring", "role": "assistant" } ]
def x(nside, ipix): ipix = np.atleast_1d(ipix).astype(np.int64, copy=False) return ring_to_nested(ipix, nside)
ring2nest
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nside, ipix):\n ipix = np.atleast_1d(ipix).astype(np.int64, copy=False)\n return ring_to_nested(ipix, nside)\n", "role": "user" }, { "content": "ring2nest", "role": "assistant" } ]
def x(nside, pix, step=1, nest=False): pix = np.asarray(pix) if pix.ndim > 1: raise ValueError('Array has to be one dimensional') lon, lat = boundaries_lonlat(pix, step, nside, order='nested' if nest else 'ring') rep_sph = UnitSphericalRepresentation(lon, lat) rep_car = rep_sph.to_cartesian().xyz.value.swapaxes(0, 1) if rep_car.shape[0] == 1: return rep_car[0] else: return rep_car
boundaries
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nside, pix, step=1, nest=False):\n pix = np.asarray(pix)\n if pix.ndim > 1:\n raise ValueError('Array has to be one dimensional')\n lon, lat = boundaries_lonlat(pix, step, nside, order='nested' if nest else\n 'ring')\n rep_sph = UnitSphericalRepresentation(lon, lat)\n rep_car = rep_sph.to_cartesian().xyz.value.swapaxes(0, 1)\n if rep_car.shape[0] == 1:\n return rep_car[0]\n else:\n return rep_car\n", "role": "user" }, { "content": "boundaries", "role": "assistant" } ]
def x(vectors, lonlat=False): x, y, z = vectors.transpose() rep_car = CartesianRepresentation(x, y, z) rep_sph = rep_car.represent_as(UnitSphericalRepresentation) return _lonlat_to_healpy(rep_sph.lon.ravel(), rep_sph.lat.ravel(), lonlat=lonlat)
vec2ang
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(vectors, lonlat=False):\n x, y, z = vectors.transpose()\n rep_car = CartesianRepresentation(x, y, z)\n rep_sph = rep_car.represent_as(UnitSphericalRepresentation)\n return _lonlat_to_healpy(rep_sph.lon.ravel(), rep_sph.lat.ravel(),\n lonlat=lonlat)\n", "role": "user" }, { "content": "vec2ang", "role": "assistant" } ]
def x(theta, phi, lonlat=False): lon, lat = _healpy_to_lonlat(theta, phi, lonlat=lonlat) rep_sph = UnitSphericalRepresentation(lon, lat) rep_car = rep_sph.represent_as(CartesianRepresentation) return rep_car.xyz.value
ang2vec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(theta, phi, lonlat=False):\n lon, lat = _healpy_to_lonlat(theta, phi, lonlat=lonlat)\n rep_sph = UnitSphericalRepresentation(lon, lat)\n rep_car = rep_sph.represent_as(CartesianRepresentation)\n return rep_car.xyz.value\n", "role": "user" }, { "content": "ang2vec", "role": "assistant" } ]
def x(nside, theta, phi=None, nest=False, lonlat=False): if phi is None: theta, phi = pix2ang(nside, ipix=theta, nest=nest) lon, lat = _healpy_to_lonlat(theta, phi, lonlat=lonlat) return bilinear_interpolation_weights(lon, lat, nside, order='nested' if nest else 'ring')
get_interp_weights
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nside, theta, phi=None, nest=False, lonlat=False):\n if phi is None:\n theta, phi = pix2ang(nside, ipix=theta, nest=nest)\n lon, lat = _healpy_to_lonlat(theta, phi, lonlat=lonlat)\n return bilinear_interpolation_weights(lon, lat, nside, order='nested' if\n nest else 'ring')\n", "role": "user" }, { "content": "get_interp_weights", "role": "assistant" } ]
def x(m, theta, phi, nest=False, lonlat=False): lon, lat = _healpy_to_lonlat(theta, phi, lonlat=lonlat) return interpolate_bilinear_lonlat(lon, lat, m, order='nested' if nest else 'ring')
get_interp_val
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(m, theta, phi, nest=False, lonlat=False):\n lon, lat = _healpy_to_lonlat(theta, phi, lonlat=lonlat)\n return interpolate_bilinear_lonlat(lon, lat, m, order='nested' if nest else\n 'ring')\n", "role": "user" }, { "content": "get_interp_val", "role": "assistant" } ]
def x(fast=False): results = [] if fast: SIZES = [10, 1000.0, 100000.0] else: SIZES = [10, 1000.0, 1000000.0] for nest in [True, False]: for size in SIZES: for nside in [1, 128]: results.append(run_single('pix2ang', bench_pix2ang, fast= fast, size=int(size), nside=nside, nest=nest)) for nest in [True, False]: for size in SIZES: for nside in [1, 128]: results.append(run_single('ang2pix', bench_ang2pix, fast= fast, size=int(size), nside=nside, nest=nest)) for size in SIZES: for nside in [1, 128]: results.append(run_single('nest2ring', bench_nest2ring, fast= fast, size=int(size), nside=nside)) for size in SIZES: for nside in [1, 128]: results.append(run_single('ring2nest', bench_ring2nest, fast= fast, size=int(size), nside=nside)) for nest in [True, False]: for size in SIZES: for nside in [1, 128]: results.append(run_single('get_interp_weights', bench_get_interp_weights, fast=fast, size=int(size), nside=nside, nest=nest)) return results
bench_run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fast=False):\n results = []\n if fast:\n SIZES = [10, 1000.0, 100000.0]\n else:\n SIZES = [10, 1000.0, 1000000.0]\n for nest in [True, False]:\n for size in SIZES:\n for nside in [1, 128]:\n results.append(run_single('pix2ang', bench_pix2ang, fast=\n fast, size=int(size), nside=nside, nest=nest))\n for nest in [True, False]:\n for size in SIZES:\n for nside in [1, 128]:\n results.append(run_single('ang2pix', bench_ang2pix, fast=\n fast, size=int(size), nside=nside, nest=nest))\n for size in SIZES:\n for nside in [1, 128]:\n results.append(run_single('nest2ring', bench_nest2ring, fast=\n fast, size=int(size), nside=nside))\n for size in SIZES:\n for nside in [1, 128]:\n results.append(run_single('ring2nest', bench_ring2nest, fast=\n fast, size=int(size), nside=nside))\n for nest in [True, False]:\n for size in SIZES:\n for nside in [1, 128]:\n results.append(run_single('get_interp_weights',\n bench_get_interp_weights, fast=fast, size=int(size),\n nside=nside, nest=nest))\n return results\n", "role": "user" }, { "content": "bench_run", "role": "assistant" } ]
def x(results): table = Table(names=['function', 'nest', 'nside', 'size', 'time_healpy', 'time_self', 'ratio'], dtype=['S20', bool, int, int, float, float, float], masked=True) for row in results: table.add_row(row) table['time_self'].format = '10.7f' if HEALPY_INSTALLED: table['ratio'] = table['time_self'] / table['time_healpy'] table['time_healpy'].format = '10.7f' table['ratio'].format = '7.2f' table.pprint(max_lines=-1)
bench_report
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(results):\n table = Table(names=['function', 'nest', 'nside', 'size', 'time_healpy',\n 'time_self', 'ratio'], dtype=['S20', bool, int, int, float, float,\n float], masked=True)\n for row in results:\n table.add_row(row)\n table['time_self'].format = '10.7f'\n if HEALPY_INSTALLED:\n table['ratio'] = table['time_self'] / table['time_healpy']\n table['time_healpy'].format = '10.7f'\n table['ratio'].format = '7.2f'\n table.pprint(max_lines=-1)\n", "role": "user" }, { "content": "bench_report", "role": "assistant" } ]
def x(fast=False): print('Running benchmarks...\n') results = bench_run(fast=fast) bench_report(results)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fast=False):\n print('Running benchmarks...\\n')\n results = bench_run(fast=fast)\n bench_report(results)\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(self, app): app.scoped_session = self @app.teardown_appcontext def x(*args, **kwargs): app.scoped_session.remove()
init_app
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, app):\n app.scoped_session = self\n\n @app.teardown_appcontext\n def x(*args, **kwargs):\n app.scoped_session.remove()\n", "role": "user" }, { "content": "init_app", "role": "assistant" } ]
def x(f): cache = f.cache = {} @functools.wraps(f) def x(*args, **kwargs): key = str(args) + str(kwargs) if key not in cache: cache[key] = f(*args, **kwargs) return cache[key] return decorator
cached
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f):\n cache = f.cache = {}\n\n @functools.wraps(f)\n def x(*args, **kwargs):\n key = str(args) + str(kwargs)\n if key not in cache:\n cache[key] = f(*args, **kwargs)\n return cache[key]\n return decorator\n", "role": "user" }, { "content": "cached", "role": "assistant" } ]
def x(app, swagger_uri, api_url, page_title='Swagger UI', favicon_url=None, config=None, uri_prefix=''): templates_folder = 'templates' static_folder = 'dist' default_config = {'client_realm': 'null', 'client_id': 'null', 'client_secret': 'null', 'app_name': 'null', 'docExpansion': 'none', 'jsonEditor': False, 'defaultModelRendering': 'schema', 'showRequestHeaders': False, 'supportedSubmitMethods': ['get', 'post', 'put', 'delete', 'patch']} if config: default_config.update(config) default_context = {'page_title': page_title, 'favicon_url': favicon_url, 'base_url': uri_prefix + swagger_uri, 'api_url': api_url, 'app_name': default_config.pop('app_name'), 'client_realm': default_config.pop('client_realm'), 'client_id': default_config.pop ('client_id'), 'client_secret': default_config.pop('client_secret'), 'config_json': json.dumps(default_config)} app.add_sink(StaticSinkAdapter(static_folder), '%s/(?P<filepath>.*)\\Z' % swagger_uri) app.add_route(swagger_uri, SwaggerUiResource(templates_folder, default_context))
register_swaggerui_app
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app, swagger_uri, api_url, page_title='Swagger UI', favicon_url=None,\n config=None, uri_prefix=''):\n templates_folder = 'templates'\n static_folder = 'dist'\n default_config = {'client_realm': 'null', 'client_id': 'null',\n 'client_secret': 'null', 'app_name': 'null', 'docExpansion': 'none',\n 'jsonEditor': False, 'defaultModelRendering': 'schema',\n 'showRequestHeaders': False, 'supportedSubmitMethods': ['get',\n 'post', 'put', 'delete', 'patch']}\n if config:\n default_config.update(config)\n default_context = {'page_title': page_title, 'favicon_url': favicon_url,\n 'base_url': uri_prefix + swagger_uri, 'api_url': api_url,\n 'app_name': default_config.pop('app_name'), 'client_realm':\n default_config.pop('client_realm'), 'client_id': default_config.pop\n ('client_id'), 'client_secret': default_config.pop('client_secret'),\n 'config_json': json.dumps(default_config)}\n app.add_sink(StaticSinkAdapter(static_folder), '%s/(?P<filepath>.*)\\\\Z' %\n swagger_uri)\n app.add_route(swagger_uri, SwaggerUiResource(templates_folder,\n default_context))\n", "role": "user" }, { "content": "register_swaggerui_app", "role": "assistant" } ]
def x(self, app): self.app = app self.dynamic_url = self.app.config.get('APIDOC_DYNAMIC_URL', self. dynamic_url) self.allow_absolute_url = self.app.config.get('APIDOC_ALLOW_ABSOLUTE_URL', self.allow_absolute_url) url = self.url_path if not self.url_path.endswith('/'): url += '/' app.add_url_rule(url, 'docs', self.__send_static_file, strict_slashes=True) app.add_url_rule(url + '<path:path>', 'docs', self.__send_static_file, strict_slashes=True)
init_app
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, app):\n self.app = app\n self.dynamic_url = self.app.config.get('APIDOC_DYNAMIC_URL', self.\n dynamic_url)\n self.allow_absolute_url = self.app.config.get('APIDOC_ALLOW_ABSOLUTE_URL',\n self.allow_absolute_url)\n url = self.url_path\n if not self.url_path.endswith('/'):\n url += '/'\n app.add_url_rule(url, 'docs', self.__send_static_file, strict_slashes=True)\n app.add_url_rule(url + '<path:path>', 'docs', self.__send_static_file,\n strict_slashes=True)\n", "role": "user" }, { "content": "init_app", "role": "assistant" } ]
def x(self, path=None): if not path: path = 'index.html' file_name = join(self.folder_path, path) if self.dynamic_url and path == 'api_project.js': return self.__send_api_file(file_name) if self.allow_absolute_url and path == 'main.js': return self.__send_main_file(file_name) return self.app.send_static_file(file_name)
send_static_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path=None):\n if not path:\n path = 'index.html'\n file_name = join(self.folder_path, path)\n if self.dynamic_url and path == 'api_project.js':\n return self.__send_api_file(file_name)\n if self.allow_absolute_url and path == 'main.js':\n return self.__send_main_file(file_name)\n return self.app.send_static_file(file_name)\n", "role": "user" }, { "content": "send_static_file", "role": "assistant" } ]
def x(self, file_name): file_name = join(self.app.static_folder, file_name) with codecs.open(file_name, 'r', 'utf-8') as file: data = file.read() api_project = self.__read_api_project() old_url = api_project.get('url') if old_url: new_url = request.url_root.strip('/') data = data.replace(old_url, new_url) headers = Headers() headers['Content-Length'] = getsize(file_name) response = self.app.response_class(data, mimetype=mimetypes.guess_type( file_name)[0], headers=headers, direct_passthrough=True) response.last_modified = int(getmtime(file_name)) return response
send_api_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, file_name):\n file_name = join(self.app.static_folder, file_name)\n with codecs.open(file_name, 'r', 'utf-8') as file:\n data = file.read()\n api_project = self.__read_api_project()\n old_url = api_project.get('url')\n if old_url:\n new_url = request.url_root.strip('/')\n data = data.replace(old_url, new_url)\n headers = Headers()\n headers['Content-Length'] = getsize(file_name)\n response = self.app.response_class(data, mimetype=mimetypes.guess_type(\n file_name)[0], headers=headers, direct_passthrough=True)\n response.last_modified = int(getmtime(file_name))\n return response\n", "role": "user" }, { "content": "send_api_file", "role": "assistant" } ]
def x(self, file_name): file_name = join(self.app.static_folder, file_name) with codecs.open(file_name, 'r', 'utf-8') as file: data = file.read() data = data.replace( 'fields.article.url = apiProject.url + fields.article.url;', """if (fields.article.url.substr(0, 4).toLowerCase() !== 'http') fields.article.url = apiProject.url + fields.article.url;""" ) headers = Headers() headers['Content-Length'] = getsize(file_name) response = self.app.response_class(data, mimetype=mimetypes.guess_type( file_name)[0], headers=headers, direct_passthrough=True) response.last_modified = int(getmtime(file_name)) return response
send_main_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, file_name):\n file_name = join(self.app.static_folder, file_name)\n with codecs.open(file_name, 'r', 'utf-8') as file:\n data = file.read()\n data = data.replace(\n 'fields.article.url = apiProject.url + fields.article.url;',\n \"\"\"if (fields.article.url.substr(0, 4).toLowerCase() !== 'http')\n fields.article.url = apiProject.url + fields.article.url;\"\"\"\n )\n headers = Headers()\n headers['Content-Length'] = getsize(file_name)\n response = self.app.response_class(data, mimetype=mimetypes.guess_type(\n file_name)[0], headers=headers, direct_passthrough=True)\n response.last_modified = int(getmtime(file_name))\n return response\n", "role": "user" }, { "content": "send_main_file", "role": "assistant" } ]
def x(self): file_name = join(self.app.static_folder, self.folder_path, 'api_project.json') with open(file_name, 'rt') as file: data = file.read() return json.loads(data)
read_api_project
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n file_name = join(self.app.static_folder, self.folder_path,\n 'api_project.json')\n with open(file_name, 'rt') as file:\n data = file.read()\n return json.loads(data)\n", "role": "user" }, { "content": "read_api_project", "role": "assistant" } ]
def x(cls, reason, data=None): text_dict = {'error': reason} if data is not None: text_dict['errors'] = data raise cls(text=json.dumps(text_dict), content_type='application/json')
raise_exception
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, reason, data=None):\n text_dict = {'error': reason}\n if data is not None:\n text_dict['errors'] = data\n raise cls(text=json.dumps(text_dict), content_type='application/json')\n", "role": "user" }, { "content": "raise_exception", "role": "assistant" } ]
def x(data, schema, validator_cls): validator = validator_cls(schema) _errors = defaultdict(list) for err in validator.iter_errors(data): path = err.schema_path if 'properties' in path: path.remove('properties') key = path.popleft() if key == 'required': key = err.message.split("'")[1] _errors[key].append(str(err)) if _errors: _raise_exception(web.HTTPBadRequest, 'Request is invalid; There are validation errors.', _errors)
validate_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, schema, validator_cls):\n validator = validator_cls(schema)\n _errors = defaultdict(list)\n for err in validator.iter_errors(data):\n path = err.schema_path\n if 'properties' in path:\n path.remove('properties')\n key = path.popleft()\n if key == 'required':\n key = err.message.split(\"'\")[1]\n _errors[key].append(str(err))\n if _errors:\n _raise_exception(web.HTTPBadRequest,\n 'Request is invalid; There are validation errors.', _errors)\n", "role": "user" }, { "content": "validate_data", "role": "assistant" } ]
def x(request_schema=None, response_schema=None): def x(func): if request_schema is not None: _request_schema_validator = validator_for(request_schema) _request_schema_validator.check_schema(request_schema) if response_schema is not None: _response_schema_validator = validator_for(response_schema) _response_schema_validator.check_schema(response_schema) @asyncio.coroutine @functools.wraps(func) def x(*args): if asyncio.iscoroutinefunction(func): coro = func else: coro = asyncio.coroutine(func) if isinstance(args[0], AbstractView): class_based = True request = args[0].request else: class_based = False request = args[-1] try: req_body = yield from request.json() except (json.decoder.JSONDecodeError, TypeError): _raise_exception(web.HTTPBadRequest, 'Request is malformed; could not decode JSON object.') if request_schema is not None: _validate_data(req_body, request_schema, _request_schema_validator) coro_args = req_body, request if class_based: coro_args = (args[0],) + coro_args context = yield from coro(*coro_args) if isinstance(context, web.StreamResponse): return context if response_schema is not None: _validate_data(context, response_schema, _response_schema_validator) try: return web.json_response(context) except (TypeError,): _raise_exception(web.HTTPInternalServerError, 'Response is malformed; could not encode JSON object.') setattr(wrapped, '_request_schema', request_schema) setattr(wrapped, '_response_schema', response_schema) return wrapped return wrapper
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request_schema=None, response_schema=None):\n\n def x(func):\n if request_schema is not None:\n _request_schema_validator = validator_for(request_schema)\n _request_schema_validator.check_schema(request_schema)\n if response_schema is not None:\n _response_schema_validator = validator_for(response_schema)\n _response_schema_validator.check_schema(response_schema)\n\n @asyncio.coroutine\n @functools.wraps(func)\n def x(*args):\n if asyncio.iscoroutinefunction(func):\n coro = func\n else:\n coro = asyncio.coroutine(func)\n if isinstance(args[0], AbstractView):\n class_based = True\n request = args[0].request\n else:\n class_based = False\n request = args[-1]\n try:\n req_body = yield from request.json()\n except (json.decoder.JSONDecodeError, TypeError):\n _raise_exception(web.HTTPBadRequest,\n 'Request is malformed; could not decode JSON object.')\n if request_schema is not None:\n _validate_data(req_body, request_schema,\n _request_schema_validator)\n coro_args = req_body, request\n if class_based:\n coro_args = (args[0],) + coro_args\n context = yield from coro(*coro_args)\n if isinstance(context, web.StreamResponse):\n return context\n if response_schema is not None:\n _validate_data(context, response_schema,\n _response_schema_validator)\n try:\n return web.json_response(context)\n except (TypeError,):\n _raise_exception(web.HTTPInternalServerError,\n 'Response is malformed; could not encode JSON object.')\n setattr(wrapped, '_request_schema', request_schema)\n setattr(wrapped, '_response_schema', response_schema)\n return wrapped\n return wrapper\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(yamlfile, inline, format): print(JsonSchemaGenerator(yamlfile, format).serialize(inline=inline))
cli
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(yamlfile, inline, format):\n print(JsonSchemaGenerator(yamlfile, format).serialize(inline=inline))\n", "role": "user" }, { "content": "cli", "role": "assistant" } ]
def x(dumper: yaml.Dumper, data: YAMLRoot): rval = dict() for k, v in data.__dict__.items(): if not k.startswith('_') and v is not None and (not isinstance(v, ( dict, list)) or v): rval[k] = v return dumper.represent_data(rval)
root_representer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dumper: yaml.Dumper, data: YAMLRoot):\n rval = dict()\n for k, v in data.__dict__.items():\n if not k.startswith('_') and v is not None and (not isinstance(v, (\n dict, list)) or v):\n rval[k] = v\n return dumper.represent_data(rval)\n", "role": "user" }, { "content": "root_representer", "role": "assistant" } ]
def x(yamlfile, format, dir, classes, img, noimages): MarkdownGenerator(yamlfile, format).serialize(classes=classes, directory=dir, image_dir=img, noimages=noimages)
cli
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(yamlfile, format, dir, classes, img, noimages):\n MarkdownGenerator(yamlfile, format).serialize(classes=classes,\n directory=dir, image_dir=img, noimages=noimages)\n", "role": "user" }, { "content": "cli", "role": "assistant" } ]
def x(self, en: str) ->bool: if not self.gen_classes: return True elif en in self.schema.classes: return en in self.gen_classes_neighborhood.classrefs elif en in self.schema.slots: return en in self.gen_classes_neighborhood.slotrefs elif en in self.schema.types: return en in self.gen_classes_neighborhood.typerefs else: return True
is_secondary_ref
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, en: str) ->bool:\n if not self.gen_classes:\n return True\n elif en in self.schema.classes:\n return en in self.gen_classes_neighborhood.classrefs\n elif en in self.schema.slots:\n return en in self.gen_classes_neighborhood.slotrefs\n elif en in self.schema.types:\n return en in self.gen_classes_neighborhood.typerefs\n else:\n return True\n", "role": "user" }, { "content": "is_secondary_ref", "role": "assistant" } ]
def x(obj: Union[str, Element]) ->str: return obj.name if isinstance(obj, Element ) else f'**{obj}**' if obj in builtin_names else obj
bbin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj: Union[str, Element]) ->str:\n return obj.name if isinstance(obj, Element\n ) else f'**{obj}**' if obj in builtin_names else obj\n", "role": "user" }, { "content": "bbin", "role": "assistant" } ]
def x(self, obj: Element, doing_descs: bool) ->str: if obj.description and doing_descs: if isinstance(obj, SlotDefinition) and obj.is_a: parent = self.schema.slots[obj.is_a] elif isinstance(obj, ClassDefinition) and obj.is_a: parent = self.schema.classes[obj.is_a] else: parent = None return ('' if parent and obj.description == parent.description else obj.description) return ''
desc_for
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj: Element, doing_descs: bool) ->str:\n if obj.description and doing_descs:\n if isinstance(obj, SlotDefinition) and obj.is_a:\n parent = self.schema.slots[obj.is_a]\n elif isinstance(obj, ClassDefinition) and obj.is_a:\n parent = self.schema.classes[obj.is_a]\n else:\n parent = None\n return ('' if parent and obj.description == parent.description else\n obj.description)\n return ''\n", "role": "user" }, { "content": "desc_for", "role": "assistant" } ]
def x(self, ref: Optional[Union[str, Element]], *, after_link: str=None, use_desc: bool=False, add_subset: bool=True) ->str: obj = self.obj_for(ref) if isinstance(ref, str) else ref nl = '\n' if isinstance(obj, str) or obj is None or not self.is_secondary_ref(obj .name): return self.bbin(ref) if isinstance(obj, SlotDefinition): link_name = (be(obj.domain) + '.' if obj.alias else '' ) + self.aliased_slot_name(obj) link_ref = underscore(obj.name) else: link_name = self.obj_name(obj) link_ref = link_name desc = self.desc_for(obj, use_desc) return f'[{link_name}]({link_ref}.{self.format})' + ( f" *subsets*: ({'| '.join(obj.in_subset)})" if add_subset and obj. in_subset else '') + (f' {after_link} ' if after_link else '') + ( f' - {desc.split(nl)[0]}' if desc else '')
link
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ref: Optional[Union[str, Element]], *, after_link: str=None,\n use_desc: bool=False, add_subset: bool=True) ->str:\n obj = self.obj_for(ref) if isinstance(ref, str) else ref\n nl = '\\n'\n if isinstance(obj, str) or obj is None or not self.is_secondary_ref(obj\n .name):\n return self.bbin(ref)\n if isinstance(obj, SlotDefinition):\n link_name = (be(obj.domain) + '.' if obj.alias else ''\n ) + self.aliased_slot_name(obj)\n link_ref = underscore(obj.name)\n else:\n link_name = self.obj_name(obj)\n link_ref = link_name\n desc = self.desc_for(obj, use_desc)\n return f'[{link_name}]({link_ref}.{self.format})' + (\n f\" *subsets*: ({'| '.join(obj.in_subset)})\" if add_subset and obj.\n in_subset else '') + (f' {after_link} ' if after_link else '') + (\n f' - {desc.split(nl)[0]}' if desc else '')\n", "role": "user" }, { "content": "link", "role": "assistant" } ]
def x(yamlfile, format, output): print(OwlSchemaGenerator(yamlfile, format).serialize(output=output))
cli
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(yamlfile, format, output):\n print(OwlSchemaGenerator(yamlfile, format).serialize(output=output))\n", "role": "user" }, { "content": "cli", "role": "assistant" } ]
def x(self, slot_name: str, slot: SlotDefinition) ->None: slot_uri = self.prop_uri(slot.name) if slot.is_a: self.graph.add((slot_uri, RDFS.subPropertyOf, self.prop_uri(slot.is_a)) ) for mixin in slot.mixins: self.graph.add((slot_uri, RDFS.subPropertyOf, self.prop_uri(mixin))) if not slot.range or slot.range in builtin_names: self.graph.add((slot_uri, RDF.type, OWL.DatatypeProperty if slot. object_property else OWL.AnnotationProperty)) self.graph.add((slot_uri, RDFS.range, URIRef(builtin_uri(slot.range, expand=True)))) elif slot.range in self.schema.types: self.graph.add((slot_uri, RDF.type, OWL.DatatypeProperty if slot. object_property else OWL.AnnotationProperty)) self.graph.add((slot_uri, RDFS.range, self.type_uri(slot.range))) else: self.graph.add((slot_uri, RDF.type, OWL.ObjectProperty if slot. object_property else OWL.AnnotationProperty)) self.graph.add((slot_uri, RDFS.range, self.class_uri(slot.range))) if slot.domain: self.graph.add((slot_uri, RDFS.domain, self.class_uri(slot.domain))) self.graph.add((slot_uri, RDFS.label, Literal(slot.name))) if slot.description: self.graph.add((slot_uri, OBO.IAO_0000115, Literal(slot.description)))
visit_slot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, slot_name: str, slot: SlotDefinition) ->None:\n slot_uri = self.prop_uri(slot.name)\n if slot.is_a:\n self.graph.add((slot_uri, RDFS.subPropertyOf, self.prop_uri(slot.is_a))\n )\n for mixin in slot.mixins:\n self.graph.add((slot_uri, RDFS.subPropertyOf, self.prop_uri(mixin)))\n if not slot.range or slot.range in builtin_names:\n self.graph.add((slot_uri, RDF.type, OWL.DatatypeProperty if slot.\n object_property else OWL.AnnotationProperty))\n self.graph.add((slot_uri, RDFS.range, URIRef(builtin_uri(slot.range,\n expand=True))))\n elif slot.range in self.schema.types:\n self.graph.add((slot_uri, RDF.type, OWL.DatatypeProperty if slot.\n object_property else OWL.AnnotationProperty))\n self.graph.add((slot_uri, RDFS.range, self.type_uri(slot.range)))\n else:\n self.graph.add((slot_uri, RDF.type, OWL.ObjectProperty if slot.\n object_property else OWL.AnnotationProperty))\n self.graph.add((slot_uri, RDFS.range, self.class_uri(slot.range)))\n if slot.domain:\n self.graph.add((slot_uri, RDFS.domain, self.class_uri(slot.domain)))\n self.graph.add((slot_uri, RDFS.label, Literal(slot.name)))\n if slot.description:\n self.graph.add((slot_uri, OBO.IAO_0000115, Literal(slot.description)))\n", "role": "user" }, { "content": "visit_slot", "role": "assistant" } ]
def x(data: Union[str, TextIO], source_file: str=None, source_file_date: str=None, source_file_size: int=None, base_dir: Optional[str]=None ) ->SchemaDefinition: if isinstance(data, str): if '\n' in data: return load_raw_schema(cast(TextIO, StringIO(data))) elif '://' in data: req = Request(data) req.add_header('Accept', 'application/yaml, text/yaml;q=0.9') with urlopen(req) as response: return load_raw_schema(response) else: fname = os.path.join(base_dir if base_dir else '', data) with open(fname) as f: return load_raw_schema(f, data, time.ctime(os.path.getmtime (fname)), os.path.getsize(fname)) else: schemadefs = yaml.load(data, DupCheckYamlLoader) if 'name' in schemadefs: schemadefs = {schemadefs.pop('name'): schemadefs} elif 'id' in schemadefs: schemadefs = {schemadefs['id']: schemadefs} elif len(schemadefs) > 1 or not isinstance(list(schemadefs.values() )[0], dict): schemadefs = {'Unnamed Schema': schemadefs} schema: SchemaDefinition = None for sname, sdef in {k: SchemaDefinition(name=k, **v) for k, v in schemadefs.items()}.items(): if schema is None: schema = sdef schema.source_file = os.path.basename(source_file ) if source_file else None schema.source_file_date = source_file_date schema.source_file_size = source_file_size schema.generation_date = datetime.now().strftime( '%Y-%m-%d %H:%M') schema.metamodel_version = metamodel_version else: merge_schemas(schema, sdef) return schema
load_raw_schema
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data: Union[str, TextIO], source_file: str=None, source_file_date:\n str=None, source_file_size: int=None, base_dir: Optional[str]=None\n ) ->SchemaDefinition:\n if isinstance(data, str):\n if '\\n' in data:\n return load_raw_schema(cast(TextIO, StringIO(data)))\n elif '://' in data:\n req = Request(data)\n req.add_header('Accept', 'application/yaml, text/yaml;q=0.9')\n with urlopen(req) as response:\n return load_raw_schema(response)\n else:\n fname = os.path.join(base_dir if base_dir else '', data)\n with open(fname) as f:\n return load_raw_schema(f, data, time.ctime(os.path.getmtime\n (fname)), os.path.getsize(fname))\n else:\n schemadefs = yaml.load(data, DupCheckYamlLoader)\n if 'name' in schemadefs:\n schemadefs = {schemadefs.pop('name'): schemadefs}\n elif 'id' in schemadefs:\n schemadefs = {schemadefs['id']: schemadefs}\n elif len(schemadefs) > 1 or not isinstance(list(schemadefs.values()\n )[0], dict):\n schemadefs = {'Unnamed Schema': schemadefs}\n schema: SchemaDefinition = None\n for sname, sdef in {k: SchemaDefinition(name=k, **v) for k, v in\n schemadefs.items()}.items():\n if schema is None:\n schema = sdef\n schema.source_file = os.path.basename(source_file\n ) if source_file else None\n schema.source_file_date = source_file_date\n schema.source_file_size = source_file_size\n schema.generation_date = datetime.now().strftime(\n '%Y-%m-%d %H:%M')\n schema.metamodel_version = metamodel_version\n else:\n merge_schemas(schema, sdef)\n return schema\n", "role": "user" }, { "content": "load_raw_schema", "role": "assistant" } ]
def x(self, loader, node, deep=False): mapping = {} for key_node, value_node in node.value: key = loader.construct_object(key_node, deep=deep) value = loader.construct_object(value_node, deep=deep) if key in mapping: raise ValueError(f'Duplicate key: "{key}"') mapping[key] = value return mapping
map_constructor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, loader, node, deep=False):\n mapping = {}\n for key_node, value_node in node.value:\n key = loader.construct_object(key_node, deep=deep)\n value = loader.construct_object(value_node, deep=deep)\n if key in mapping:\n raise ValueError(f'Duplicate key: \"{key}\"')\n mapping[key] = value\n return mapping\n", "role": "user" }, { "content": "map_constructor", "role": "assistant" } ]
def x(file1, file2, comments) ->int: sys.exit(compare_files(file1, file2, comments))
cli
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file1, file2, comments) ->int:\n sys.exit(compare_files(file1, file2, comments))\n", "role": "user" }, { "content": "cli", "role": "assistant" } ]
def x(file, dir, format): print(GolrSchemaGenerator(file, format).serialize(dirname=dir))
cli
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file, dir, format):\n print(GolrSchemaGenerator(file, format).serialize(dirname=dir))\n", "role": "user" }, { "content": "cli", "role": "assistant" } ]
def x(yamlfile, directory, out, classname, format): DotGenerator(yamlfile, format).serialize(classname=classname, dirname= directory, filename=out)
cli
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(yamlfile, directory, out, classname, format):\n DotGenerator(yamlfile, format).serialize(classname=classname, dirname=\n directory, filename=out)\n", "role": "user" }, { "content": "cli", "role": "assistant" } ]
def x(yamlfile, format, context): print(JSONLDGenerator(yamlfile, format).serialize(context=context))
cli
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(yamlfile, format, context):\n print(JSONLDGenerator(yamlfile, format).serialize(context=context))\n", "role": "user" }, { "content": "cli", "role": "assistant" } ]
def x(yamlfile, format, output, context): print(RDFGenerator(yamlfile, format).serialize(output=output, context= context))
cli
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(yamlfile, format, output, context):\n print(RDFGenerator(yamlfile, format).serialize(output=output, context=\n context))\n", "role": "user" }, { "content": "cli", "role": "assistant" } ]
def x(self, cls: CLASS_OR_CLASSNAME) ->List[SlotDefinition]: if not isinstance(cls, ClassDefinition): cls = self.schema.classes[cls] return [self.schema.slots[s] for s in cls.slots]
cls_slots
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cls: CLASS_OR_CLASSNAME) ->List[SlotDefinition]:\n if not isinstance(cls, ClassDefinition):\n cls = self.schema.classes[cls]\n return [self.schema.slots[s] for s in cls.slots]\n", "role": "user" }, { "content": "cls_slots", "role": "assistant" } ]
def x(self, cls: CLASS_OR_CLASSNAME, *, cls_slots_first: bool=False) ->List[ SlotDefinition]: def x(cls_name: Optional[ClassDefinitionName]) ->None: if cls_name: for slot in self.all_slots(cls_name): aliased_name = self.aliased_slot_name(slot) if aliased_name not in known_slots: known_slots.add(aliased_name) rval.append(slot) if not isinstance(cls, ClassDefinition): cls = self.schema.classes[cls] known_slots: Set[str] = self.aliased_slot_names(cls.slots) rval: List[SlotDefinition] = [] if cls_slots_first: rval += self.cls_slots(cls) for mixin in cls.mixins: merge_definitions(mixin) merge_definitions(cls.is_a) else: merge_definitions(cls.is_a) for mixin in cls.mixins: merge_definitions(mixin) rval += self.cls_slots(cls) return rval
all_slots
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cls: CLASS_OR_CLASSNAME, *, cls_slots_first: bool=False) ->List[\n SlotDefinition]:\n\n def x(cls_name: Optional[ClassDefinitionName]) ->None:\n if cls_name:\n for slot in self.all_slots(cls_name):\n aliased_name = self.aliased_slot_name(slot)\n if aliased_name not in known_slots:\n known_slots.add(aliased_name)\n rval.append(slot)\n if not isinstance(cls, ClassDefinition):\n cls = self.schema.classes[cls]\n known_slots: Set[str] = self.aliased_slot_names(cls.slots)\n rval: List[SlotDefinition] = []\n if cls_slots_first:\n rval += self.cls_slots(cls)\n for mixin in cls.mixins:\n merge_definitions(mixin)\n merge_definitions(cls.is_a)\n else:\n merge_definitions(cls.is_a)\n for mixin in cls.mixins:\n merge_definitions(mixin)\n rval += self.cls_slots(cls)\n return rval\n", "role": "user" }, { "content": "all_slots", "role": "assistant" } ]
def x(self, definition: Union[SLOT_OR_SLOTNAME, CLASS_OR_CLASSNAME]) ->List[ Union[SlotDefinitionName, ClassDefinitionName]]: definition = self.obj_for(definition) if definition is not None: return [definition.name] + self.ancestors(definition.is_a) else: return []
ancestors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, definition: Union[SLOT_OR_SLOTNAME, CLASS_OR_CLASSNAME]) ->List[\n Union[SlotDefinitionName, ClassDefinitionName]]:\n definition = self.obj_for(definition)\n if definition is not None:\n return [definition.name] + self.ancestors(definition.is_a)\n else:\n return []\n", "role": "user" }, { "content": "ancestors", "role": "assistant" } ]
def x(self, elements: List[ELEMENT_NAME]) ->References: touches = References() for element in elements: if element in self.schema.classes: touches.classrefs.add(element) if None in touches.classrefs: raise ValueError('1') cls = self.schema.classes[element] if cls.is_a: touches.classrefs.add(cls.is_a) if None in touches.classrefs: raise ValueError('1') touches.classrefs.update(set(cls.mixins)) for slotname in cls.slots: slot = self.schema.slots[slotname] if slot.range in self.schema.classes: touches.classrefs.add(slot.range) elif slot.range in self.schema.types: touches.typerefs.add(slot.range) if None in touches.classrefs: raise ValueError('1') if element in self.synopsis.rangerefs: for slotname in self.synopsis.rangerefs[element]: touches.slotrefs.add(slotname) if self.schema.slots[slotname].domain: touches.classrefs.add(self.schema.slots[slotname]. domain) elif element in self.schema.slots: touches.slotrefs.add(element) slot = self.schema.slots[element] touches.slotrefs.update(set(slot.mixins)) if slot.is_a: touches.slotrefs.add(slot.is_a) if element in self.synopsis.inverses: touches.slotrefs.update(self.synopsis.inverses[element]) if slot.domain: touches.classrefs.add(slot.domain) if slot.range in self.schema.classes: touches.classrefs.add(slot.range) elif slot.range in self.schema.types: touches.typerefs.add(slot.range) elif element in self.schema.types: if element in self.synopsis.rangerefs: touches.slotrefs.update(self.synopsis.rangerefs[element]) return touches
neighborhood
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, elements: List[ELEMENT_NAME]) ->References:\n touches = References()\n for element in elements:\n if element in self.schema.classes:\n touches.classrefs.add(element)\n if None in touches.classrefs:\n raise ValueError('1')\n cls = self.schema.classes[element]\n if cls.is_a:\n touches.classrefs.add(cls.is_a)\n if None in touches.classrefs:\n raise ValueError('1')\n touches.classrefs.update(set(cls.mixins))\n for slotname in cls.slots:\n slot = self.schema.slots[slotname]\n if slot.range in self.schema.classes:\n touches.classrefs.add(slot.range)\n elif slot.range in self.schema.types:\n touches.typerefs.add(slot.range)\n if None in touches.classrefs:\n raise ValueError('1')\n if element in self.synopsis.rangerefs:\n for slotname in self.synopsis.rangerefs[element]:\n touches.slotrefs.add(slotname)\n if self.schema.slots[slotname].domain:\n touches.classrefs.add(self.schema.slots[slotname].\n domain)\n elif element in self.schema.slots:\n touches.slotrefs.add(element)\n slot = self.schema.slots[element]\n touches.slotrefs.update(set(slot.mixins))\n if slot.is_a:\n touches.slotrefs.add(slot.is_a)\n if element in self.synopsis.inverses:\n touches.slotrefs.update(self.synopsis.inverses[element])\n if slot.domain:\n touches.classrefs.add(slot.domain)\n if slot.range in self.schema.classes:\n touches.classrefs.add(slot.range)\n elif slot.range in self.schema.types:\n touches.typerefs.add(slot.range)\n elif element in self.schema.types:\n if element in self.synopsis.rangerefs:\n touches.slotrefs.update(self.synopsis.rangerefs[element])\n return touches\n", "role": "user" }, { "content": "neighborhood", "role": "assistant" } ]
def x(self, slot: Optional[Union[SlotDefinition, Optional[str]]]) ->str: if slot is not None and not isinstance(slot, str): slot = slot.range if slot is None: return DEFAULT_BUILTIN_TYPE_NAME elif slot in builtin_names: return slot elif slot in self.schema.types: return self.grounded_slot_range(self.schema.types[slot].typeof) else: return slot
grounded_slot_range
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, slot: Optional[Union[SlotDefinition, Optional[str]]]) ->str:\n if slot is not None and not isinstance(slot, str):\n slot = slot.range\n if slot is None:\n return DEFAULT_BUILTIN_TYPE_NAME\n elif slot in builtin_names:\n return slot\n elif slot in self.schema.types:\n return self.grounded_slot_range(self.schema.types[slot].typeof)\n else:\n return slot\n", "role": "user" }, { "content": "grounded_slot_range", "role": "assistant" } ]
def x(self, slot: SLOT_OR_SLOTNAME) ->str: if isinstance(slot, str): slot = self.schema.slots[slot] return slot.alias if slot.alias else slot.name
aliased_slot_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, slot: SLOT_OR_SLOTNAME) ->str:\n if isinstance(slot, str):\n slot = self.schema.slots[slot]\n return slot.alias if slot.alias else slot.name\n", "role": "user" }, { "content": "aliased_slot_name", "role": "assistant" } ]
def x(self, slot_names: List[SlotDefinitionName]) ->Set[str]: return {self.aliased_slot_name(sn) for sn in slot_names}
aliased_slot_names
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, slot_names: List[SlotDefinitionName]) ->Set[str]:\n return {self.aliased_slot_name(sn) for sn in slot_names}\n", "role": "user" }, { "content": "aliased_slot_names", "role": "assistant" } ]
def x(self, obj_or_name: Union[str, Element]) ->Optional[Union[str, Element]]: name = obj_or_name.name if isinstance(obj_or_name, Element ) else obj_or_name return self.schema.classes[name ] if name in self.schema.classes else self.schema.slots[name ] if name in self.schema.slots else self.schema.types[name ] if name in self.schema.types else name if name in builtin_names else None
obj_for
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj_or_name: Union[str, Element]) ->Optional[Union[str, Element]]:\n name = obj_or_name.name if isinstance(obj_or_name, Element\n ) else obj_or_name\n return self.schema.classes[name\n ] if name in self.schema.classes else self.schema.slots[name\n ] if name in self.schema.slots else self.schema.types[name\n ] if name in self.schema.types else name if name in builtin_names else None\n", "role": "user" }, { "content": "obj_for", "role": "assistant" } ]
def x(self, obj: Union[str, Element]) ->str: if isinstance(obj, str): obj = self.obj_for(obj) if isinstance(obj, SlotDefinition): return underscore(self.aliased_slot_name(obj)) else: return camelcase(obj if isinstance(obj, str) else obj.name)
obj_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj: Union[str, Element]) ->str:\n if isinstance(obj, str):\n obj = self.obj_for(obj)\n if isinstance(obj, SlotDefinition):\n return underscore(self.aliased_slot_name(obj))\n else:\n return camelcase(obj if isinstance(obj, str) else obj.name)\n", "role": "user" }, { "content": "obj_name", "role": "assistant" } ]
def x(yamlfile, root, format): print(CsvGenerator(yamlfile, format).serialize(classes=root))
cli
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(yamlfile, root, format):\n print(CsvGenerator(yamlfile, format).serialize(classes=root))\n", "role": "user" }, { "content": "cli", "role": "assistant" } ]
def x(self) ->str: inherited_head = 'inherited_slots: List[str] = [' inherited_slots = ', '.join([f'"{underscore(slot.name)}"' for slot in self.schema.slots.values() if slot.inherited]) is_rows = split_line(inherited_slots, 120 - len(inherited_head)) return inherited_head + ('\n' + len(inherited_head) * ' ').join([r. strip() for r in is_rows]) + ']'
gen_inherited
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->str:\n inherited_head = 'inherited_slots: List[str] = ['\n inherited_slots = ', '.join([f'\"{underscore(slot.name)}\"' for slot in\n self.schema.slots.values() if slot.inherited])\n is_rows = split_line(inherited_slots, 120 - len(inherited_head))\n return inherited_head + ('\\n' + len(inherited_head) * ' ').join([r.\n strip() for r in is_rows]) + ']'\n", "role": "user" }, { "content": "gen_inherited", "role": "assistant" } ]
def x(self) ->str: rval = [] for cls in self.schema.classes.values(): pkeys = self.primary_keys_for(cls) for pk in pkeys: pk_slot = self.schema.slots[pk] classname = camelcase(cls.name) + camelcase(pk) if cls.is_a and getattr(self.schema.classes[cls.is_a], pk, None): parent = self.range_type_name(pk_slot, cls.is_a) else: parent = self.python_name_for(pk_slot.range) rval.append(f'class {classname}({parent}):\n\tpass') return '\n\n\n'.join(rval)
gen_references
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->str:\n rval = []\n for cls in self.schema.classes.values():\n pkeys = self.primary_keys_for(cls)\n for pk in pkeys:\n pk_slot = self.schema.slots[pk]\n classname = camelcase(cls.name) + camelcase(pk)\n if cls.is_a and getattr(self.schema.classes[cls.is_a], pk, None):\n parent = self.range_type_name(pk_slot, cls.is_a)\n else:\n parent = self.python_name_for(pk_slot.range)\n rval.append(f'class {classname}({parent}):\\n\\tpass')\n return '\\n\\n\\n'.join(rval)\n", "role": "user" }, { "content": "gen_references", "role": "assistant" } ]
def x(self) ->str: rval = [] for typ in self.schema.types.values(): typname = self.python_name_for(typ.name) parent = self.python_name_for(typ.typeof) rval.append(f'class {typname}({parent}):\n\tpass') return '\n\n\n'.join(rval) + ('\n' if rval else '')
gen_typedefs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->str:\n rval = []\n for typ in self.schema.types.values():\n typname = self.python_name_for(typ.name)\n parent = self.python_name_for(typ.typeof)\n rval.append(f'class {typname}({parent}):\\n\\tpass')\n return '\\n\\n\\n'.join(rval) + ('\\n' if rval else '')\n", "role": "user" }, { "content": "gen_typedefs", "role": "assistant" } ]