source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(xml_tree, path, default=''):
value = ''
try:
xpath_applied = xml_tree.xpath(path)
if len(xpath_applied) and xpath_applied[0] is not None:
xpath_result = xpath_applied[0]
if isinstance(xpath_result, type(xml_tree)):
value = xpath_result.text.strip()
else:
value = xpath_result
except Exception:
value = default
return py23_compat.text_type(value)
| find_txt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xml_tree, path, default=''):\n value = ''\n try:\n xpath_applied = xml_tree.xpath(path)\n if len(xpath_applied) and xpath_applied[0] is not... |
def x(to, who, default=u''):
if who is None:
return default
try:
return to(who)
except:
return default
| convert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(to, who, default=u''):\n if who is None:\n return default\n try:\n return to(who)\n except:\n return default\n",
"role": "use... |
def x(raw):
if raw.endswith(':'):
flat_raw = raw.replace(':', '')
raw = '{flat_raw}{zeros_stuffed}'.format(flat_raw=flat_raw,
zeros_stuffed='0' * (12 - len(flat_raw)))
return py23_compat.text_type(EUI(raw, dialect=_MACFormat))
| mac | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raw):\n if raw.endswith(':'):\n flat_raw = raw.replace(':', '')\n raw = '{flat_raw}{zeros_stuffed}'.format(flat_raw=flat_raw,\n zer... |
def x(src_num, dst_num):
dst_num = float(dst_num)
match = numeric_compare_regex.match(src_num)
if not match:
error = ('Failed numeric comparison. Collected: {}. Expected: {}'.
format(dst_num, src_num))
raise ValueError(error)
operand = {'<': '__lt__', '>': '__gt__', '>=': '__ge__', '<=': '__le__',
'==': '__eq__', '!=': '__ne__'}
return getattr(dst_num, operand[match.group(1)])(float(match.group(2)))
| compare_numeric | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(src_num, dst_num):\n dst_num = float(dst_num)\n match = numeric_compare_regex.match(src_num)\n if not match:\n error = ('Failed numeric compari... |
def x(string, separator=':'):
dictionary = dict()
for line in string.splitlines():
line_data = line.split(separator)
if len(line_data) > 1:
dictionary[line_data[0].strip()] = ''.join(line_data[1:]).strip()
elif len(line_data) == 1:
dictionary[line_data[0].strip()] = None
else:
raise Exception(
'Something went wrong parsing the colo separated string {}'
.format(line))
return dictionary
| colon_separated_string_to_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string, separator=':'):\n dictionary = dict()\n for line in string.splitlines():\n line_data = line.split(separator)\n if len(line_data) > ... |
def x(string):
list_numbers = list()
temporary_list = string.split(',')
for element in temporary_list:
sub_element = element.split('-')
if len(sub_element) == 1:
list_numbers.append(int(sub_element[0]))
elif len(sub_element) == 2:
for x in range(int(sub_element[0]), int(sub_element[1]) + 1):
list_numbers.append(x)
else:
raise Exception('Something went wrong expanding the range'.
format(string))
return list_numbers
| hyphen_range | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string):\n list_numbers = list()\n temporary_list = string.split(',')\n for element in temporary_list:\n sub_element = element.split('-')\n ... |
def x(uptime):
regex_list = [
'((?P<years>\\d+) year(s)?,\\s+)?((?P<weeks>\\d+) week(s)?,\\s+)?((?P<days>\\d+) day(s)?,\\s+)?((?P<hours>\\d+) hour(s)?,\\s+)?((?P<minutes>\\d+) minute(s)?)'
,
'((?P<days>\\d+) day(s)?,\\s+)?((?P<hours>\\d+)):((?P<minutes>\\d+)):((?P<seconds>\\d+))'
,
'((?P<weeks>\\d+)w)?((?P<days>\\d+)d)?((?P<hours>\\d+)h)?((?P<minutes>\\d+)m)?((?P<seconds>\\d+)s)?'
]
regex_list = [re.compile(x) for x in regex_list]
uptime_dict = {}
for regex in regex_list:
match = regex.search(uptime)
if match:
uptime_dict = match.groupdict()
break
uptime_seconds = 0
for unit, value in uptime_dict.items():
if value is not None:
if unit == 'years':
uptime_seconds += int(value) * 31536000
elif unit == 'weeks':
uptime_seconds += int(value) * 604800
elif unit == 'days':
uptime_seconds += int(value) * 86400
elif unit == 'hours':
uptime_seconds += int(value) * 3600
elif unit == 'minutes':
uptime_seconds += int(value) * 60
elif unit == 'seconds':
uptime_seconds += int(value)
else:
raise Exception('Unrecognized unit "{}" in uptime:{}'.
format(unit, uptime))
if not uptime_dict:
raise Exception('Unrecognized uptime string:{}'.format(uptime))
return uptime_seconds
| convert_uptime_string_seconds | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(uptime):\n regex_list = [\n '((?P<years>\\\\d+) year(s)?,\\\\s+)?((?P<weeks>\\\\d+) week(s)?,\\\\s+)?((?P<days>\\\\d+) day(s)?,\\\\s+)?((?P<hours>\\\... |
def x(EndpointIdentifier=None, EndpointType=None, EngineName=None, Username
=None, Password=None, ServerName=None, Port=None, DatabaseName=None,
ExtraConnectionAttributes=None, KmsKeyId=None, Tags=None,
CertificateArn=None, SslMode=None, DynamoDbSettings=None, S3Settings=
None, MongoDbSettings=None):
pass
| create_endpoint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(EndpointIdentifier=None, EndpointType=None, EngineName=None, Username\n =None, Password=None, ServerName=None, Port=None, DatabaseName=None,\n ExtraConne... |
def x(ReplicationInstanceIdentifier=None, AllocatedStorage=None,
ReplicationInstanceClass=None, VpcSecurityGroupIds=None,
AvailabilityZone=None, ReplicationSubnetGroupIdentifier=None,
PreferredMaintenanceWindow=None, MultiAZ=None, EngineVersion=None,
AutoMinorVersionUpgrade=None, Tags=None, KmsKeyId=None,
PubliclyAccessible=None):
pass
| create_replication_instance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ReplicationInstanceIdentifier=None, AllocatedStorage=None,\n ReplicationInstanceClass=None, VpcSecurityGroupIds=None,\n AvailabilityZone=None, Replicatio... |
def x(ReplicationTaskIdentifier=None, SourceEndpointArn=None,
TargetEndpointArn=None, ReplicationInstanceArn=None, MigrationType=None,
TableMappings=None, ReplicationTaskSettings=None, CdcStartTime=None,
Tags=None):
pass
| create_replication_task | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ReplicationTaskIdentifier=None, SourceEndpointArn=None,\n TargetEndpointArn=None, ReplicationInstanceArn=None, MigrationType=None,\n TableMappings=None, ... |
def x(SourceIdentifier=None, SourceType=None, StartTime=None, EndTime=None,
Duration=None, EventCategories=None, Filters=None, MaxRecords=None,
Marker=None):
pass
| describe_events | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(SourceIdentifier=None, SourceType=None, StartTime=None, EndTime=None,\n Duration=None, EventCategories=None, Filters=None, MaxRecords=None,\n Marker=None... |
def x(EndpointArn=None, EndpointIdentifier=None, EndpointType=None,
EngineName=None, Username=None, Password=None, ServerName=None, Port=
None, DatabaseName=None, ExtraConnectionAttributes=None, CertificateArn
=None, SslMode=None, DynamoDbSettings=None, S3Settings=None,
MongoDbSettings=None):
pass
| modify_endpoint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(EndpointArn=None, EndpointIdentifier=None, EndpointType=None,\n EngineName=None, Username=None, Password=None, ServerName=None, Port=\n None, DatabaseNam... |
def x(ReplicationInstanceArn=None, AllocatedStorage=None, ApplyImmediately=
None, ReplicationInstanceClass=None, VpcSecurityGroupIds=None,
PreferredMaintenanceWindow=None, MultiAZ=None, EngineVersion=None,
AllowMajorVersionUpgrade=None, AutoMinorVersionUpgrade=None,
ReplicationInstanceIdentifier=None):
pass
| modify_replication_instance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ReplicationInstanceArn=None, AllocatedStorage=None, ApplyImmediately=\n None, ReplicationInstanceClass=None, VpcSecurityGroupIds=None,\n PreferredMainten... |
def x(Name=None, ImageName=None, InstanceType=None, ComputeCapacity=None,
VpcConfig=None, MaxUserDurationInSeconds=None,
DisconnectTimeoutInSeconds=None, Description=None, DisplayName=None,
EnableDefaultInternetAccess=None):
pass
| create_fleet | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Name=None, ImageName=None, InstanceType=None, ComputeCapacity=None,\n VpcConfig=None, MaxUserDurationInSeconds=None,\n DisconnectTimeoutInSeconds=None, D... |
def x(ImageName=None, Name=None, InstanceType=None, ComputeCapacity=None,
VpcConfig=None, MaxUserDurationInSeconds=None,
DisconnectTimeoutInSeconds=None, DeleteVpcConfig=None, Description=None,
DisplayName=None, EnableDefaultInternetAccess=None):
pass
| update_fleet | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ImageName=None, Name=None, InstanceType=None, ComputeCapacity=None,\n VpcConfig=None, MaxUserDurationInSeconds=None,\n DisconnectTimeoutInSeconds=None, D... |
def x(applicationName=None, deploymentGroupName=None, revision=None,
deploymentConfigName=None, description=None,
ignoreApplicationStopFailures=None, targetInstances=None,
autoRollbackConfiguration=None, updateOutdatedInstancesOnly=None,
fileExistsBehavior=None):
pass
| create_deployment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(applicationName=None, deploymentGroupName=None, revision=None,\n deploymentConfigName=None, description=None,\n ignoreApplicationStopFailures=None, targe... |
def x(applicationName=None, deploymentGroupName=None, deploymentConfigName=
None, ec2TagFilters=None, onPremisesInstanceTagFilters=None,
autoScalingGroups=None, serviceRoleArn=None, triggerConfigurations=None,
alarmConfiguration=None, autoRollbackConfiguration=None,
deploymentStyle=None, blueGreenDeploymentConfiguration=None,
loadBalancerInfo=None):
pass
| create_deployment_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(applicationName=None, deploymentGroupName=None, deploymentConfigName=\n None, ec2TagFilters=None, onPremisesInstanceTagFilters=None,\n autoScalingGroups=... |
def x(applicationName=None, currentDeploymentGroupName=None,
newDeploymentGroupName=None, deploymentConfigName=None, ec2TagFilters=
None, onPremisesInstanceTagFilters=None, autoScalingGroups=None,
serviceRoleArn=None, triggerConfigurations=None, alarmConfiguration=
None, autoRollbackConfiguration=None, deploymentStyle=None,
blueGreenDeploymentConfiguration=None, loadBalancerInfo=None):
pass
| update_deployment_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(applicationName=None, currentDeploymentGroupName=None,\n newDeploymentGroupName=None, deploymentConfigName=None, ec2TagFilters=\n None, onPremisesInstanc... |
def x(ClientToken=None, NFSFileShareDefaults=None, GatewayARN=None,
KMSEncrypted=None, KMSKey=None, Role=None, LocationARN=None,
DefaultStorageClass=None, ClientList=None, Squash=None, ReadOnly=None):
pass
| create_nfs_file_share | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ClientToken=None, NFSFileShareDefaults=None, GatewayARN=None,\n KMSEncrypted=None, KMSKey=None, Role=None, LocationARN=None,\n DefaultStorageClass=None, ... |
def x(Name=None, Protocol=None, Port=None, VpcId=None, HealthCheckProtocol=
None, HealthCheckPort=None, HealthCheckPath=None,
HealthCheckIntervalSeconds=None, HealthCheckTimeoutSeconds=None,
HealthyThresholdCount=None, UnhealthyThresholdCount=None, Matcher=None):
pass
| create_target_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Name=None, Protocol=None, Port=None, VpcId=None, HealthCheckProtocol=\n None, HealthCheckPort=None, HealthCheckPath=None,\n HealthCheckIntervalSeconds=No... |
def x(TargetGroupArn=None, HealthCheckProtocol=None, HealthCheckPort=None,
HealthCheckPath=None, HealthCheckIntervalSeconds=None,
HealthCheckTimeoutSeconds=None, HealthyThresholdCount=None,
UnhealthyThresholdCount=None, Matcher=None):
pass
| modify_target_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(TargetGroupArn=None, HealthCheckProtocol=None, HealthCheckPort=None,\n HealthCheckPath=None, HealthCheckIntervalSeconds=None,\n HealthCheckTimeoutSeconds... |
def x(Name=None, Description=None, BuildId=None, ServerLaunchPath=None,
ServerLaunchParameters=None, LogPaths=None, EC2InstanceType=None,
EC2InboundPermissions=None, NewGameSessionProtectionPolicy=None,
RuntimeConfiguration=None, ResourceCreationLimitPolicy=None,
MetricGroups=None):
pass
| create_fleet | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Name=None, Description=None, BuildId=None, ServerLaunchPath=None,\n ServerLaunchParameters=None, LogPaths=None, EC2InstanceType=None,\n EC2InboundPermiss... |
def x(Source=None, Destination=None, Message=None, ReplyToAddresses=None,
ReturnPath=None, SourceArn=None, ReturnPathArn=None, Tags=None,
ConfigurationSetName=None):
pass
| send_email | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Source=None, Destination=None, Message=None, ReplyToAddresses=None,\n ReturnPath=None, SourceArn=None, ReturnPathArn=None, Tags=None,\n ConfigurationSetN... |
def x(Namespace=None, MetricName=None, Dimensions=None, StartTime=None,
EndTime=None, Period=None, Statistics=None, ExtendedStatistics=None,
Unit=None):
pass
| get_metric_statistics | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Namespace=None, MetricName=None, Dimensions=None, StartTime=None,\n EndTime=None, Period=None, Statistics=None, ExtendedStatistics=None,\n Unit=None):\n ... |
def x(AlarmName=None, AlarmDescription=None, ActionsEnabled=None, OKActions
=None, AlarmActions=None, InsufficientDataActions=None, MetricName=None,
Namespace=None, Statistic=None, ExtendedStatistic=None, Dimensions=None,
Period=None, Unit=None, EvaluationPeriods=None, Threshold=None,
ComparisonOperator=None, TreatMissingData=None,
EvaluateLowSampleCountPercentile=None):
pass
| put_metric_alarm | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(AlarmName=None, AlarmDescription=None, ActionsEnabled=None, OKActions\n =None, AlarmActions=None, InsufficientDataActions=None, MetricName=None,\n Namesp... |
def x(AutoScalingGroupName=None, LaunchConfigurationName=None, InstanceId=
None, MinSize=None, MaxSize=None, DesiredCapacity=None, DefaultCooldown
=None, AvailabilityZones=None, LoadBalancerNames=None, TargetGroupARNs=
None, HealthCheckType=None, HealthCheckGracePeriod=None, PlacementGroup
=None, VPCZoneIdentifier=None, TerminationPolicies=None,
NewInstancesProtectedFromScaleIn=None, Tags=None):
pass
| create_auto_scaling_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(AutoScalingGroupName=None, LaunchConfigurationName=None, InstanceId=\n None, MinSize=None, MaxSize=None, DesiredCapacity=None, DefaultCooldown\n =None, A... |
def x(LaunchConfigurationName=None, ImageId=None, KeyName=None,
SecurityGroups=None, ClassicLinkVPCId=None,
ClassicLinkVPCSecurityGroups=None, UserData=None, InstanceId=None,
InstanceType=None, KernelId=None, RamdiskId=None, BlockDeviceMappings=
None, InstanceMonitoring=None, SpotPrice=None, IamInstanceProfile=None,
EbsOptimized=None, AssociatePublicIpAddress=None, PlacementTenancy=None):
pass
| create_launch_configuration | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(LaunchConfigurationName=None, ImageId=None, KeyName=None,\n SecurityGroups=None, ClassicLinkVPCId=None,\n ClassicLinkVPCSecurityGroups=None, UserData=Non... |
def x(AutoScalingGroupName=None, PolicyName=None, PolicyType=None,
AdjustmentType=None, MinAdjustmentStep=None, MinAdjustmentMagnitude=
None, ScalingAdjustment=None, Cooldown=None, MetricAggregationType=None,
StepAdjustments=None, EstimatedInstanceWarmup=None):
pass
| put_scaling_policy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(AutoScalingGroupName=None, PolicyName=None, PolicyType=None,\n AdjustmentType=None, MinAdjustmentStep=None, MinAdjustmentMagnitude=\n None, ScalingAdjust... |
def x(AutoScalingGroupName=None, ScheduledActionName=None, Time=None,
StartTime=None, EndTime=None, Recurrence=None, MinSize=None, MaxSize=
None, DesiredCapacity=None):
pass
| put_scheduled_update_group_action | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(AutoScalingGroupName=None, ScheduledActionName=None, Time=None,\n StartTime=None, EndTime=None, Recurrence=None, MinSize=None, MaxSize=\n None, DesiredCa... |
def x(AutoScalingGroupName=None, LaunchConfigurationName=None, MinSize=None,
MaxSize=None, DesiredCapacity=None, DefaultCooldown=None,
AvailabilityZones=None, HealthCheckType=None, HealthCheckGracePeriod=
None, PlacementGroup=None, VPCZoneIdentifier=None, TerminationPolicies=
None, NewInstancesProtectedFromScaleIn=None):
pass
| update_auto_scaling_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(AutoScalingGroupName=None, LaunchConfigurationName=None, MinSize=None,\n MaxSize=None, DesiredCapacity=None, DefaultCooldown=None,\n AvailabilityZones=No... |
def x(cursor=None, expr=None, facet=None, filterQuery=None, highlight=None,
partial=None, query=None, queryOptions=None, queryParser=None,
returnFields=None, size=None, sort=None, start=None, stats=None):
pass
| search | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cursor=None, expr=None, facet=None, filterQuery=None, highlight=None,\n partial=None, query=None, queryOptions=None, queryParser=None,\n returnFields=Non... |
def x(SourceStackId=None, Name=None, Region=None, VpcId=None, Attributes=
None, ServiceRoleArn=None, DefaultInstanceProfileArn=None, DefaultOs=
None, HostnameTheme=None, DefaultAvailabilityZone=None, DefaultSubnetId
=None, CustomJson=None, ConfigurationManager=None, ChefConfiguration=
None, UseCustomCookbooks=None, UseOpsworksSecurityGroups=None,
CustomCookbooksSource=None, DefaultSshKeyName=None, ClonePermissions=
None, CloneAppIds=None, DefaultRootDeviceType=None, AgentVersion=None):
pass
| clone_stack | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(SourceStackId=None, Name=None, Region=None, VpcId=None, Attributes=\n None, ServiceRoleArn=None, DefaultInstanceProfileArn=None, DefaultOs=\n None, Hostn... |
def x(StackId=None, Shortname=None, Name=None, Description=None,
DataSources=None, Type=None, AppSource=None, Domains=None, EnableSsl=
None, SslConfiguration=None, Attributes=None, Environment=None):
pass
| create_app | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(StackId=None, Shortname=None, Name=None, Description=None,\n DataSources=None, Type=None, AppSource=None, Domains=None, EnableSsl=\n None, SslConfigurati... |
def x(StackId=None, LayerIds=None, InstanceType=None, AutoScalingType=None,
Hostname=None, Os=None, AmiId=None, SshKeyName=None, AvailabilityZone=
None, VirtualizationType=None, SubnetId=None, Architecture=None,
RootDeviceType=None, BlockDeviceMappings=None, InstallUpdatesOnBoot=
None, EbsOptimized=None, AgentVersion=None, Tenancy=None):
pass
| create_instance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(StackId=None, LayerIds=None, InstanceType=None, AutoScalingType=None,\n Hostname=None, Os=None, AmiId=None, SshKeyName=None, AvailabilityZone=\n None, Vi... |
def x(StackId=None, Type=None, Name=None, Shortname=None, Attributes=None,
CloudWatchLogsConfiguration=None, CustomInstanceProfileArn=None,
CustomJson=None, CustomSecurityGroupIds=None, Packages=None,
VolumeConfigurations=None, EnableAutoHealing=None, AutoAssignElasticIps
=None, AutoAssignPublicIps=None, CustomRecipes=None,
InstallUpdatesOnBoot=None, UseEbsOptimizedInstances=None,
LifecycleEventConfiguration=None):
pass
| create_layer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(StackId=None, Type=None, Name=None, Shortname=None, Attributes=None,\n CloudWatchLogsConfiguration=None, CustomInstanceProfileArn=None,\n CustomJson=None... |
def x(Name=None, Region=None, VpcId=None, Attributes=None, ServiceRoleArn=
None, DefaultInstanceProfileArn=None, DefaultOs=None, HostnameTheme=
None, DefaultAvailabilityZone=None, DefaultSubnetId=None, CustomJson=
None, ConfigurationManager=None, ChefConfiguration=None,
UseCustomCookbooks=None, UseOpsworksSecurityGroups=None,
CustomCookbooksSource=None, DefaultSshKeyName=None,
DefaultRootDeviceType=None, AgentVersion=None):
pass
| create_stack | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Name=None, Region=None, VpcId=None, Attributes=None, ServiceRoleArn=\n None, DefaultInstanceProfileArn=None, DefaultOs=None, HostnameTheme=\n None, Defau... |
def x(AppId=None, Name=None, Description=None, DataSources=None, Type=None,
AppSource=None, Domains=None, EnableSsl=None, SslConfiguration=None,
Attributes=None, Environment=None):
pass
| update_app | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(AppId=None, Name=None, Description=None, DataSources=None, Type=None,\n AppSource=None, Domains=None, EnableSsl=None, SslConfiguration=None,\n Attributes... |
def x(InstanceId=None, LayerIds=None, InstanceType=None, AutoScalingType=
None, Hostname=None, Os=None, AmiId=None, SshKeyName=None, Architecture
=None, InstallUpdatesOnBoot=None, EbsOptimized=None, AgentVersion=None):
pass
| update_instance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(InstanceId=None, LayerIds=None, InstanceType=None, AutoScalingType=\n None, Hostname=None, Os=None, AmiId=None, SshKeyName=None, Architecture\n =None, In... |
def x(LayerId=None, Name=None, Shortname=None, Attributes=None,
CloudWatchLogsConfiguration=None, CustomInstanceProfileArn=None,
CustomJson=None, CustomSecurityGroupIds=None, Packages=None,
VolumeConfigurations=None, EnableAutoHealing=None, AutoAssignElasticIps
=None, AutoAssignPublicIps=None, CustomRecipes=None,
InstallUpdatesOnBoot=None, UseEbsOptimizedInstances=None,
LifecycleEventConfiguration=None):
pass
| update_layer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(LayerId=None, Name=None, Shortname=None, Attributes=None,\n CloudWatchLogsConfiguration=None, CustomInstanceProfileArn=None,\n CustomJson=None, CustomSec... |
def x(StackId=None, Name=None, Attributes=None, ServiceRoleArn=None,
DefaultInstanceProfileArn=None, DefaultOs=None, HostnameTheme=None,
DefaultAvailabilityZone=None, DefaultSubnetId=None, CustomJson=None,
ConfigurationManager=None, ChefConfiguration=None, UseCustomCookbooks=
None, CustomCookbooksSource=None, DefaultSshKeyName=None,
DefaultRootDeviceType=None, UseOpsworksSecurityGroups=None,
AgentVersion=None):
pass
| update_stack | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(StackId=None, Name=None, Attributes=None, ServiceRoleArn=None,\n DefaultInstanceProfileArn=None, DefaultOs=None, HostnameTheme=None,\n DefaultAvailabilit... |
def x(name=None, description=None, source=None, artifacts=None, environment
=None, serviceRole=None, timeoutInMinutes=None, encryptionKey=None,
tags=None):
pass
| create_project | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name=None, description=None, source=None, artifacts=None, environment\n =None, serviceRole=None, timeoutInMinutes=None, encryptionKey=None,\n tags=None):... |
def x(name=None, description=None, intents=None, clarificationPrompt=None,
abortStatement=None, idleSessionTTLInSeconds=None, voiceId=None,
checksum=None, processBehavior=None, locale=None, childDirected=None):
pass
| put_bot | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name=None, description=None, intents=None, clarificationPrompt=None,\n abortStatement=None, idleSessionTTLInSeconds=None, voiceId=None,\n checksum=None, ... |
def x(name=None, description=None, slots=None, sampleUtterances=None,
confirmationPrompt=None, rejectionStatement=None, followUpPrompt=None,
conclusionStatement=None, dialogCodeHook=None, fulfillmentActivity=None,
parentIntentSignature=None, checksum=None):
pass
| put_intent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name=None, description=None, slots=None, sampleUtterances=None,\n confirmationPrompt=None, rejectionStatement=None, followUpPrompt=None,\n conclusionStat... |
def x(CacheClusterId=None, ReplicationGroupId=None, AZMode=None,
PreferredAvailabilityZone=None, PreferredAvailabilityZones=None,
NumCacheNodes=None, CacheNodeType=None, Engine=None, EngineVersion=None,
CacheParameterGroupName=None, CacheSubnetGroupName=None,
CacheSecurityGroupNames=None, SecurityGroupIds=None, Tags=None,
SnapshotArns=None, SnapshotName=None, PreferredMaintenanceWindow=None,
Port=None, NotificationTopicArn=None, AutoMinorVersionUpgrade=None,
SnapshotRetentionLimit=None, SnapshotWindow=None, AuthToken=None):
pass
| create_cache_cluster | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(CacheClusterId=None, ReplicationGroupId=None, AZMode=None,\n PreferredAvailabilityZone=None, PreferredAvailabilityZones=None,\n NumCacheNodes=None, Cache... |
def x(ReplicationGroupId=None, ReplicationGroupDescription=None,
PrimaryClusterId=None, AutomaticFailoverEnabled=None, NumCacheClusters=
None, PreferredCacheClusterAZs=None, NumNodeGroups=None,
ReplicasPerNodeGroup=None, NodeGroupConfiguration=None, CacheNodeType=
None, Engine=None, EngineVersion=None, CacheParameterGroupName=None,
CacheSubnetGroupName=None, CacheSecurityGroupNames=None,
SecurityGroupIds=None, Tags=None, SnapshotArns=None, SnapshotName=None,
PreferredMaintenanceWindow=None, Port=None, NotificationTopicArn=None,
AutoMinorVersionUpgrade=None, SnapshotRetentionLimit=None,
SnapshotWindow=None, AuthToken=None):
pass
| create_replication_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ReplicationGroupId=None, ReplicationGroupDescription=None,\n PrimaryClusterId=None, AutomaticFailoverEnabled=None, NumCacheClusters=\n None, PreferredCac... |
def x(CacheClusterId=None, NumCacheNodes=None, CacheNodeIdsToRemove=None,
AZMode=None, NewAvailabilityZones=None, CacheSecurityGroupNames=None,
SecurityGroupIds=None, PreferredMaintenanceWindow=None,
NotificationTopicArn=None, CacheParameterGroupName=None,
NotificationTopicStatus=None, ApplyImmediately=None, EngineVersion=None,
AutoMinorVersionUpgrade=None, SnapshotRetentionLimit=None,
SnapshotWindow=None, CacheNodeType=None):
pass
| modify_cache_cluster | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(CacheClusterId=None, NumCacheNodes=None, CacheNodeIdsToRemove=None,\n AZMode=None, NewAvailabilityZones=None, CacheSecurityGroupNames=None,\n SecurityGro... |
def x(ReplicationGroupId=None, ReplicationGroupDescription=None,
PrimaryClusterId=None, SnapshottingClusterId=None,
AutomaticFailoverEnabled=None, CacheSecurityGroupNames=None,
SecurityGroupIds=None, PreferredMaintenanceWindow=None,
NotificationTopicArn=None, CacheParameterGroupName=None,
NotificationTopicStatus=None, ApplyImmediately=None, EngineVersion=None,
AutoMinorVersionUpgrade=None, SnapshotRetentionLimit=None,
SnapshotWindow=None, CacheNodeType=None, NodeGroupId=None):
pass
| modify_replication_group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ReplicationGroupId=None, ReplicationGroupDescription=None,\n PrimaryClusterId=None, SnapshottingClusterId=None,\n AutomaticFailoverEnabled=None, CacheSec... |
def x(Name=None, LogUri=None, AdditionalInfo=None, AmiVersion=None,
ReleaseLabel=None, Instances=None, Steps=None, BootstrapActions=None,
SupportedProducts=None, NewSupportedProducts=None, Applications=None,
Configurations=None, VisibleToAllUsers=None, JobFlowRole=None,
ServiceRole=None, Tags=None, SecurityConfiguration=None,
AutoScalingRole=None, ScaleDownBehavior=None):
pass
| run_job_flow | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Name=None, LogUri=None, AdditionalInfo=None, AmiVersion=None,\n ReleaseLabel=None, Instances=None, Steps=None, BootstrapActions=None,\n SupportedProducts... |
def x(FilterVariable=None, EQ=None, GT=None, LT=None, GE=None, LE=None, NE=
None, Prefix=None, SortOrder=None, NextToken=None, Limit=None):
pass
| describe_batch_predictions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(FilterVariable=None, EQ=None, GT=None, LT=None, GE=None, LE=None, NE=\n None, Prefix=None, SortOrder=None, NextToken=None, Limit=None):\n pass\n",
"r... |
def x(TableName=None, Key=None, Expected=None, ConditionalOperator=None,
ReturnValues=None, ReturnConsumedCapacity=None,
ReturnItemCollectionMetrics=None, ConditionExpression=None,
ExpressionAttributeNames=None, ExpressionAttributeValues=None):
pass
| delete_item | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(TableName=None, Key=None, Expected=None, ConditionalOperator=None,\n ReturnValues=None, ReturnConsumedCapacity=None,\n ReturnItemCollectionMetrics=None, ... |
def x(TableName=None, Item=None, Expected=None, ReturnValues=None,
ReturnConsumedCapacity=None, ReturnItemCollectionMetrics=None,
ConditionalOperator=None, ConditionExpression=None,
ExpressionAttributeNames=None, ExpressionAttributeValues=None):
pass
| put_item | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(TableName=None, Item=None, Expected=None, ReturnValues=None,\n ReturnConsumedCapacity=None, ReturnItemCollectionMetrics=None,\n ConditionalOperator=None,... |
def x(TableName=None, IndexName=None, Select=None, AttributesToGet=None,
Limit=None, ConsistentRead=None, KeyConditions=None, QueryFilter=None,
ConditionalOperator=None, ScanIndexForward=None, ExclusiveStartKey=None,
ReturnConsumedCapacity=None, ProjectionExpression=None,
FilterExpression=None, KeyConditionExpression=None,
ExpressionAttributeNames=None, ExpressionAttributeValues=None):
pass
| query | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(TableName=None, IndexName=None, Select=None, AttributesToGet=None,\n Limit=None, ConsistentRead=None, KeyConditions=None, QueryFilter=None,\n Conditional... |
def x(TableName=None, IndexName=None, AttributesToGet=None, Limit=None,
Select=None, ScanFilter=None, ConditionalOperator=None,
ExclusiveStartKey=None, ReturnConsumedCapacity=None, TotalSegments=None,
Segment=None, ProjectionExpression=None, FilterExpression=None,
ExpressionAttributeNames=None, ExpressionAttributeValues=None,
ConsistentRead=None):
pass
| scan | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(TableName=None, IndexName=None, AttributesToGet=None, Limit=None,\n Select=None, ScanFilter=None, ConditionalOperator=None,\n ExclusiveStartKey=None, Ret... |
def x(TableName=None, Key=None, AttributeUpdates=None, Expected=None,
ConditionalOperator=None, ReturnValues=None, ReturnConsumedCapacity=
None, ReturnItemCollectionMetrics=None, UpdateExpression=None,
ConditionExpression=None, ExpressionAttributeNames=None,
ExpressionAttributeValues=None):
pass
| update_item | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(TableName=None, Key=None, AttributeUpdates=None, Expected=None,\n ConditionalOperator=None, ReturnValues=None, ReturnConsumedCapacity=\n None, ReturnItem... |
def x(cluster=None, serviceName=None, taskDefinition=None, loadBalancers=
None, desiredCount=None, clientToken=None, role=None,
deploymentConfiguration=None, placementConstraints=None,
placementStrategy=None):
pass
| create_service | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cluster=None, serviceName=None, taskDefinition=None, loadBalancers=\n None, desiredCount=None, clientToken=None, role=None,\n deploymentConfiguration=Non... |
def x(DomainName=None, IdnLangCode=None, DurationInYears=None, AutoRenew=
None, AdminContact=None, RegistrantContact=None, TechContact=None,
PrivacyProtectAdminContact=None, PrivacyProtectRegistrantContact=None,
PrivacyProtectTechContact=None):
pass
| register_domain | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(DomainName=None, IdnLangCode=None, DurationInYears=None, AutoRenew=\n None, AdminContact=None, RegistrantContact=None, TechContact=None,\n PrivacyProtect... |
def x(DomainName=None, IdnLangCode=None, DurationInYears=None, Nameservers=
None, AuthCode=None, AutoRenew=None, AdminContact=None,
RegistrantContact=None, TechContact=None, PrivacyProtectAdminContact=
None, PrivacyProtectRegistrantContact=None, PrivacyProtectTechContact=None
):
pass
| transfer_domain | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(DomainName=None, IdnLangCode=None, DurationInYears=None, Nameservers=\n None, AuthCode=None, AutoRenew=None, AdminContact=None,\n RegistrantContact=None,... |
def x(PolicyInputList=None, ActionNames=None, ResourceArns=None,
ResourcePolicy=None, ResourceOwner=None, CallerArn=None, ContextEntries
=None, ResourceHandlingOption=None, MaxItems=None, Marker=None):
pass
| simulate_custom_policy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(PolicyInputList=None, ActionNames=None, ResourceArns=None,\n ResourcePolicy=None, ResourceOwner=None, CallerArn=None, ContextEntries\n =None, ResourceHan... |
def x(PolicySourceArn=None, PolicyInputList=None, ActionNames=None,
ResourceArns=None, ResourcePolicy=None, ResourceOwner=None, CallerArn=
None, ContextEntries=None, ResourceHandlingOption=None, MaxItems=None,
Marker=None):
pass
| simulate_principal_policy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(PolicySourceArn=None, PolicyInputList=None, ActionNames=None,\n ResourceArns=None, ResourcePolicy=None, ResourceOwner=None, CallerArn=\n None, ContextEnt... |
def x(MinimumPasswordLength=None, RequireSymbols=None, RequireNumbers=None,
RequireUppercaseCharacters=None, RequireLowercaseCharacters=None,
AllowUsersToChangePassword=None, MaxPasswordAge=None,
PasswordReusePrevention=None, HardExpiry=None):
pass
| update_account_password_policy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(MinimumPasswordLength=None, RequireSymbols=None, RequireNumbers=None,\n RequireUppercaseCharacters=None, RequireLowercaseCharacters=None,\n AllowUsersToC... |
def x(projectArn=None, name=None, description=None, type=None,
uplinkBandwidthBits=None, downlinkBandwidthBits=None, uplinkDelayMs=
None, downlinkDelayMs=None, uplinkJitterMs=None, downlinkJitterMs=None,
uplinkLossPercent=None, downlinkLossPercent=None):
pass
| create_network_profile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(projectArn=None, name=None, description=None, type=None,\n uplinkBandwidthBits=None, downlinkBandwidthBits=None, uplinkDelayMs=\n None, downlinkDelayMs=N... |
def x(arn=None, name=None, description=None, type=None, uplinkBandwidthBits
=None, downlinkBandwidthBits=None, uplinkDelayMs=None, downlinkDelayMs=
None, uplinkJitterMs=None, downlinkJitterMs=None, uplinkLossPercent=
None, downlinkLossPercent=None):
pass
| update_network_profile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(arn=None, name=None, description=None, type=None, uplinkBandwidthBits\n =None, downlinkBandwidthBits=None, uplinkDelayMs=None, downlinkDelayMs=\n None, u... |
def x(jobIds=None, name=None, company=None, phoneNumber=None, country=None,
stateOrProvince=None, city=None, postalCode=None, street1=None, street2
=None, street3=None, APIVersion=None):
pass
| get_shipping_label | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(jobIds=None, name=None, company=None, phoneNumber=None, country=None,\n stateOrProvince=None, city=None, postalCode=None, street1=None, street2\n =None, ... |
def x(restApiId=None, name=None, type=None, providerARNs=None, authType=
None, authorizerUri=None, authorizerCredentials=None, identitySource=
None, identityValidationExpression=None, authorizerResultTtlInSeconds=None
):
pass
| create_authorizer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(restApiId=None, name=None, type=None, providerARNs=None, authType=\n None, authorizerUri=None, authorizerCredentials=None, identitySource=\n None, identi... |
def x(restApiId=None, resourceId=None, httpMethod=None, type=None,
integrationHttpMethod=None, uri=None, credentials=None,
requestParameters=None, requestTemplates=None, passthroughBehavior=None,
cacheNamespace=None, cacheKeyParameters=None, contentHandling=None):
pass
| put_integration | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(restApiId=None, resourceId=None, httpMethod=None, type=None,\n integrationHttpMethod=None, uri=None, credentials=None,\n requestParameters=None, requestT... |
def x(restApiId=None, resourceId=None, httpMethod=None, authorizationType=
None, authorizerId=None, apiKeyRequired=None, operationName=None,
requestParameters=None, requestModels=None, requestValidatorId=None):
pass
| put_method | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(restApiId=None, resourceId=None, httpMethod=None, authorizationType=\n None, authorizerId=None, apiKeyRequired=None, operationName=None,\n requestParamet... |
def x(OrganizationId=None, UserIds=None, Query=None, Include=None, Order=
None, Sort=None, Marker=None, Limit=None, Fields=None):
pass
| describe_users | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(OrganizationId=None, UserIds=None, Query=None, Include=None, Order=\n None, Sort=None, Marker=None, Limit=None, Fields=None):\n pass\n",
"role": "use... |
def x(StackName=None, TemplateBody=None, TemplateURL=None,
UsePreviousTemplate=None, Parameters=None, Capabilities=None,
ResourceTypes=None, RoleARN=None, NotificationARNs=None, Tags=None,
ChangeSetName=None, ClientToken=None, Description=None, ChangeSetType=None
):
pass
| create_change_set | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(StackName=None, TemplateBody=None, TemplateURL=None,\n UsePreviousTemplate=None, Parameters=None, Capabilities=None,\n ResourceTypes=None, RoleARN=None, ... |
def x(StackName=None, TemplateBody=None, TemplateURL=None, Parameters=None,
DisableRollback=None, TimeoutInMinutes=None, NotificationARNs=None,
Capabilities=None, ResourceTypes=None, RoleARN=None, OnFailure=None,
StackPolicyBody=None, StackPolicyURL=None, Tags=None,
ClientRequestToken=None):
pass
| create_stack | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(StackName=None, TemplateBody=None, TemplateURL=None, Parameters=None,\n DisableRollback=None, TimeoutInMinutes=None, NotificationARNs=None,\n Capabilitie... |
def x(StackName=None, TemplateBody=None, TemplateURL=None,
UsePreviousTemplate=None, StackPolicyDuringUpdateBody=None,
StackPolicyDuringUpdateURL=None, Parameters=None, Capabilities=None,
ResourceTypes=None, RoleARN=None, StackPolicyBody=None, StackPolicyURL=
None, NotificationARNs=None, Tags=None, ClientRequestToken=None):
pass
| update_stack | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(StackName=None, TemplateBody=None, TemplateURL=None,\n UsePreviousTemplate=None, StackPolicyDuringUpdateBody=None,\n StackPolicyDuringUpdateURL=None, Par... |
def x(subject=None, serviceCode=None, severityCode=None, categoryCode=None,
communicationBody=None, ccEmailAddresses=None, language=None, issueType
=None, attachmentSetId=None):
pass
| create_case | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(subject=None, serviceCode=None, severityCode=None, categoryCode=None,\n communicationBody=None, ccEmailAddresses=None, language=None, issueType\n =None, ... |
def x(caseIdList=None, displayId=None, afterTime=None, beforeTime=None,
includeResolvedCases=None, nextToken=None, maxResults=None, language=
None, includeCommunications=None):
pass
| describe_cases | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(caseIdList=None, displayId=None, afterTime=None, beforeTime=None,\n includeResolvedCases=None, nextToken=None, maxResults=None, language=\n None, include... |
def x(PoolName=None, Policies=None, LambdaConfig=None,
AutoVerifiedAttributes=None, AliasAttributes=None,
SmsVerificationMessage=None, EmailVerificationMessage=None,
EmailVerificationSubject=None, SmsAuthenticationMessage=None,
MfaConfiguration=None, DeviceConfiguration=None, EmailConfiguration=
None, SmsConfiguration=None, UserPoolTags=None, AdminCreateUserConfig=
None, Schema=None):
pass
| create_user_pool | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(PoolName=None, Policies=None, LambdaConfig=None,\n AutoVerifiedAttributes=None, AliasAttributes=None,\n SmsVerificationMessage=None, EmailVerificationMes... |
def x(UserPoolId=None, ClientName=None, GenerateSecret=None,
RefreshTokenValidity=None, ReadAttributes=None, WriteAttributes=None,
ExplicitAuthFlows=None, SupportedIdentityProviders=None, CallbackURLs=
None, LogoutURLs=None, DefaultRedirectURI=None, AllowedOAuthFlows=None,
AllowedOAuthScopes=None, AllowedOAuthFlowsUserPoolClient=None):
pass
| create_user_pool_client | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(UserPoolId=None, ClientName=None, GenerateSecret=None,\n RefreshTokenValidity=None, ReadAttributes=None, WriteAttributes=None,\n ExplicitAuthFlows=None, ... |
def x(UserPoolId=None, Policies=None, LambdaConfig=None,
AutoVerifiedAttributes=None, SmsVerificationMessage=None,
EmailVerificationMessage=None, EmailVerificationSubject=None,
SmsAuthenticationMessage=None, MfaConfiguration=None,
DeviceConfiguration=None, EmailConfiguration=None, SmsConfiguration=
None, UserPoolTags=None, AdminCreateUserConfig=None):
pass
| update_user_pool | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(UserPoolId=None, Policies=None, LambdaConfig=None,\n AutoVerifiedAttributes=None, SmsVerificationMessage=None,\n EmailVerificationMessage=None, EmailVeri... |
def x(UserPoolId=None, ClientId=None, ClientName=None, RefreshTokenValidity
=None, ReadAttributes=None, WriteAttributes=None, ExplicitAuthFlows=
None, SupportedIdentityProviders=None, CallbackURLs=None, LogoutURLs=
None, DefaultRedirectURI=None, AllowedOAuthFlows=None,
AllowedOAuthScopes=None, AllowedOAuthFlowsUserPoolClient=None):
pass
| update_user_pool_client | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(UserPoolId=None, ClientId=None, ClientName=None, RefreshTokenValidity\n =None, ReadAttributes=None, WriteAttributes=None, ExplicitAuthFlows=\n None, Supp... |
def x(ACL=None, Bucket=None, CacheControl=None, ContentDisposition=None,
ContentEncoding=None, ContentLanguage=None, ContentType=None,
CopySource=None, CopySourceIfMatch=None, CopySourceIfModifiedSince=None,
CopySourceIfNoneMatch=None, CopySourceIfUnmodifiedSince=None, Expires=
None, GrantFullControl=None, GrantRead=None, GrantReadACP=None,
GrantWriteACP=None, Key=None, Metadata=None, MetadataDirective=None,
TaggingDirective=None, ServerSideEncryption=None, StorageClass=None,
WebsiteRedirectLocation=None, SSECustomerAlgorithm=None, SSECustomerKey
=None, SSECustomerKeyMD5=None, SSEKMSKeyId=None,
CopySourceSSECustomerAlgorithm=None, CopySourceSSECustomerKey=None,
CopySourceSSECustomerKeyMD5=None, RequestPayer=None, Tagging=None):
pass
| copy_object | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ACL=None, Bucket=None, CacheControl=None, ContentDisposition=None,\n ContentEncoding=None, ContentLanguage=None, ContentType=None,\n CopySource=None, Cop... |
def x(ACL=None, Bucket=None, CacheControl=None, ContentDisposition=None,
ContentEncoding=None, ContentLanguage=None, ContentType=None, Expires=
None, GrantFullControl=None, GrantRead=None, GrantReadACP=None,
GrantWriteACP=None, Key=None, Metadata=None, ServerSideEncryption=None,
StorageClass=None, WebsiteRedirectLocation=None, SSECustomerAlgorithm=
None, SSECustomerKey=None, SSECustomerKeyMD5=None, SSEKMSKeyId=None,
RequestPayer=None):
pass
| create_multipart_upload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ACL=None, Bucket=None, CacheControl=None, ContentDisposition=None,\n ContentEncoding=None, ContentLanguage=None, ContentType=None, Expires=\n None, Grant... |
def x(Bucket=None, IfMatch=None, IfModifiedSince=None, IfNoneMatch=None,
IfUnmodifiedSince=None, Key=None, Range=None, ResponseCacheControl=None,
ResponseContentDisposition=None, ResponseContentEncoding=None,
ResponseContentLanguage=None, ResponseContentType=None, ResponseExpires
=None, VersionId=None, SSECustomerAlgorithm=None, SSECustomerKey=None,
SSECustomerKeyMD5=None, RequestPayer=None, PartNumber=None):
pass
| get_object | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Bucket=None, IfMatch=None, IfModifiedSince=None, IfNoneMatch=None,\n IfUnmodifiedSince=None, Key=None, Range=None, ResponseCacheControl=None,\n ResponseC... |
def x(Bucket=None, IfMatch=None, IfModifiedSince=None, IfNoneMatch=None,
IfUnmodifiedSince=None, Key=None, Range=None, VersionId=None,
SSECustomerAlgorithm=None, SSECustomerKey=None, SSECustomerKeyMD5=None,
RequestPayer=None, PartNumber=None):
pass
| head_object | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Bucket=None, IfMatch=None, IfModifiedSince=None, IfNoneMatch=None,\n IfUnmodifiedSince=None, Key=None, Range=None, VersionId=None,\n SSECustomerAlgorithm... |
def x(Bucket=None, Delimiter=None, EncodingType=None, MaxKeys=None, Prefix=
None, ContinuationToken=None, FetchOwner=None, StartAfter=None,
RequestPayer=None):
pass
| list_objects_v2 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Bucket=None, Delimiter=None, EncodingType=None, MaxKeys=None, Prefix=\n None, ContinuationToken=None, FetchOwner=None, StartAfter=None,\n RequestPayer=No... |
def x(ACL=None, Body=None, Bucket=None, CacheControl=None,
ContentDisposition=None, ContentEncoding=None, ContentLanguage=None,
ContentLength=None, ContentMD5=None, ContentType=None, Expires=None,
GrantFullControl=None, GrantRead=None, GrantReadACP=None, GrantWriteACP
=None, Key=None, Metadata=None, ServerSideEncryption=None, StorageClass
=None, WebsiteRedirectLocation=None, SSECustomerAlgorithm=None,
SSECustomerKey=None, SSECustomerKeyMD5=None, SSEKMSKeyId=None,
RequestPayer=None, Tagging=None):
pass
| put_object | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ACL=None, Body=None, Bucket=None, CacheControl=None,\n ContentDisposition=None, ContentEncoding=None, ContentLanguage=None,\n ContentLength=None, Content... |
def x(ACL=None, AccessControlPolicy=None, Bucket=None, GrantFullControl=
None, GrantRead=None, GrantReadACP=None, GrantWrite=None, GrantWriteACP
=None, Key=None, RequestPayer=None, VersionId=None):
pass
| put_object_acl | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ACL=None, AccessControlPolicy=None, Bucket=None, GrantFullControl=\n None, GrantRead=None, GrantReadACP=None, GrantWrite=None, GrantWriteACP\n =None, Key... |
def x(Body=None, Bucket=None, ContentLength=None, ContentMD5=None, Key=None,
PartNumber=None, UploadId=None, SSECustomerAlgorithm=None,
SSECustomerKey=None, SSECustomerKeyMD5=None, RequestPayer=None):
pass
| upload_part | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Body=None, Bucket=None, ContentLength=None, ContentMD5=None, Key=None,\n PartNumber=None, UploadId=None, SSECustomerAlgorithm=None,\n SSECustomerKey=None... |
def x(Bucket=None, CopySource=None, CopySourceIfMatch=None,
CopySourceIfModifiedSince=None, CopySourceIfNoneMatch=None,
CopySourceIfUnmodifiedSince=None, CopySourceRange=None, Key=None,
PartNumber=None, UploadId=None, SSECustomerAlgorithm=None,
SSECustomerKey=None, SSECustomerKeyMD5=None,
CopySourceSSECustomerAlgorithm=None, CopySourceSSECustomerKey=None,
CopySourceSSECustomerKeyMD5=None, RequestPayer=None):
pass
| upload_part_copy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Bucket=None, CopySource=None, CopySourceIfMatch=None,\n CopySourceIfModifiedSince=None, CopySourceIfNoneMatch=None,\n CopySourceIfUnmodifiedSince=None, C... |
def x(DryRun=None, GroupId=None, SourceSecurityGroupName=None,
SourceSecurityGroupOwnerId=None, IpProtocol=None, FromPort=None, ToPort
=None, CidrIp=None, IpPermissions=None):
pass
| authorize_security_group_egress | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(DryRun=None, GroupId=None, SourceSecurityGroupName=None,\n SourceSecurityGroupOwnerId=None, IpProtocol=None, FromPort=None, ToPort\n =None, CidrIp=None, ... |
def x(DryRun=None, GroupName=None, GroupId=None, SourceSecurityGroupName=
None, SourceSecurityGroupOwnerId=None, IpProtocol=None, FromPort=None,
ToPort=None, CidrIp=None, IpPermissions=None):
pass
| authorize_security_group_ingress | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(DryRun=None, GroupName=None, GroupId=None, SourceSecurityGroupName=\n None, SourceSecurityGroupOwnerId=None, IpProtocol=None, FromPort=None,\n ToPort=Non... |
def x(SubnetId=None, Description=None, PrivateIpAddress=None, Groups=None,
PrivateIpAddresses=None, SecondaryPrivateIpAddressCount=None,
Ipv6Addresses=None, Ipv6AddressCount=None, DryRun=None):
pass
| create_network_interface | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(SubnetId=None, Description=None, PrivateIpAddress=None, Groups=None,\n PrivateIpAddresses=None, SecondaryPrivateIpAddressCount=None,\n Ipv6Addresses=None... |
def x(DryRun=None, Size=None, SnapshotId=None, AvailabilityZone=None,
VolumeType=None, Iops=None, Encrypted=None, KmsKeyId=None,
TagSpecifications=None):
pass
| create_volume | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(DryRun=None, Size=None, SnapshotId=None, AvailabilityZone=None,\n VolumeType=None, Iops=None, Encrypted=None, KmsKeyId=None,\n TagSpecifications=None):\n... |
def x(DryRun=None, ReservedInstancesOfferingIds=None, InstanceType=None,
AvailabilityZone=None, ProductDescription=None, Filters=None,
InstanceTenancy=None, OfferingType=None, NextToken=None, MaxResults=
None, IncludeMarketplace=None, MinDuration=None, MaxDuration=None,
MaxInstanceCount=None, OfferingClass=None):
pass
| describe_reserved_instances_offerings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(DryRun=None, ReservedInstancesOfferingIds=None, InstanceType=None,\n AvailabilityZone=None, ProductDescription=None, Filters=None,\n InstanceTenancy=None... |
def x(DryRun=None, StartTime=None, EndTime=None, InstanceTypes=None,
ProductDescriptions=None, Filters=None, AvailabilityZone=None,
MaxResults=None, NextToken=None):
pass
| describe_spot_price_history | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(DryRun=None, StartTime=None, EndTime=None, InstanceTypes=None,\n ProductDescriptions=None, Filters=None, AvailabilityZone=None,\n MaxResults=None, NextTo... |
def x(DryRun=None, Description=None, DiskContainers=None, LicenseType=None,
Hypervisor=None, Architecture=None, Platform=None, ClientData=None,
ClientToken=None, RoleName=None):
pass
| import_image | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(DryRun=None, Description=None, DiskContainers=None, LicenseType=None,\n Hypervisor=None, Architecture=None, Platform=None, ClientData=None,\n ClientToken... |
def x(DryRun=None, ImageId=None, Attribute=None, OperationType=None,
UserIds=None, UserGroups=None, ProductCodes=None, Value=None,
LaunchPermission=None, Description=None):
pass
| modify_image_attribute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(DryRun=None, ImageId=None, Attribute=None, OperationType=None,\n UserIds=None, UserGroups=None, ProductCodes=None, Value=None,\n LaunchPermission=None, D... |
def x(DryRun=None, InstanceId=None, Attribute=None, Value=None,
BlockDeviceMappings=None, SourceDestCheck=None, DisableApiTermination=
None, InstanceType=None, Kernel=None, Ramdisk=None, UserData=None,
InstanceInitiatedShutdownBehavior=None, Groups=None, EbsOptimized=None,
SriovNetSupport=None, EnaSupport=None):
pass
| modify_instance_attribute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(DryRun=None, InstanceId=None, Attribute=None, Value=None,\n BlockDeviceMappings=None, SourceDestCheck=None, DisableApiTermination=\n None, InstanceType=N... |
def x(DryRun=None, ImageLocation=None, Name=None, Description=None,
Architecture=None, KernelId=None, RamdiskId=None, BillingProducts=None,
RootDeviceName=None, BlockDeviceMappings=None, VirtualizationType=None,
SriovNetSupport=None, EnaSupport=None):
pass
| register_image | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(DryRun=None, ImageLocation=None, Name=None, Description=None,\n Architecture=None, KernelId=None, RamdiskId=None, BillingProducts=None,\n RootDeviceName=... |
def x(DryRun=None, NetworkAclId=None, RuleNumber=None, Protocol=None,
RuleAction=None, Egress=None, CidrBlock=None, Ipv6CidrBlock=None,
IcmpTypeCode=None, PortRange=None):
pass
| replace_network_acl_entry | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(DryRun=None, NetworkAclId=None, RuleNumber=None, Protocol=None,\n RuleAction=None, Egress=None, CidrBlock=None, Ipv6CidrBlock=None,\n IcmpTypeCode=None, ... |
def x(DryRun=None, RouteTableId=None, DestinationCidrBlock=None, GatewayId=
None, DestinationIpv6CidrBlock=None, EgressOnlyInternetGatewayId=None,
InstanceId=None, NetworkInterfaceId=None, VpcPeeringConnectionId=None,
NatGatewayId=None):
pass
| replace_route | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(DryRun=None, RouteTableId=None, DestinationCidrBlock=None, GatewayId=\n None, DestinationIpv6CidrBlock=None, EgressOnlyInternetGatewayId=None,\n Instance... |
def x(DryRun=None, SpotPrice=None, ClientToken=None, InstanceCount=None,
Type=None, ValidFrom=None, ValidUntil=None, LaunchGroup=None,
AvailabilityZoneGroup=None, BlockDurationMinutes=None,
LaunchSpecification=None):
pass
| request_spot_instances | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(DryRun=None, SpotPrice=None, ClientToken=None, InstanceCount=None,\n Type=None, ValidFrom=None, ValidUntil=None, LaunchGroup=None,\n AvailabilityZoneGrou... |
def x(DryRun=None, ImageId=None, MinCount=None, MaxCount=None, KeyName=None,
SecurityGroups=None, SecurityGroupIds=None, UserData=None, InstanceType
=None, Placement=None, KernelId=None, RamdiskId=None,
BlockDeviceMappings=None, Monitoring=None, SubnetId=None,
DisableApiTermination=None, InstanceInitiatedShutdownBehavior=None,
PrivateIpAddress=None, Ipv6Addresses=None, Ipv6AddressCount=None,
ClientToken=None, AdditionalInfo=None, NetworkInterfaces=None,
IamInstanceProfile=None, EbsOptimized=None, TagSpecifications=None):
pass
| run_instances | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(DryRun=None, ImageId=None, MinCount=None, MaxCount=None, KeyName=None,\n SecurityGroups=None, SecurityGroupIds=None, UserData=None, InstanceType\n =None,... |
def x(ApplicationName=None, EnvironmentName=None, GroupName=None,
Description=None, CNAMEPrefix=None, Tier=None, Tags=None, VersionLabel=
None, TemplateName=None, SolutionStackName=None, PlatformArn=None,
OptionSettings=None, OptionsToRemove=None):
pass
| create_environment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ApplicationName=None, EnvironmentName=None, GroupName=None,\n Description=None, CNAMEPrefix=None, Tier=None, Tags=None, VersionLabel=\n None, TemplateNam... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.