source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self, image):
pic = mutagen.flac.Picture()
pic.data = image.data
pic.type = image.type_index
pic.mime = image.mime_type
pic.desc = image.desc or u''
return pic
|
serialize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, image):\n pic = mutagen.flac.Picture()\n pic.data = image.data\n pic.type = image.type_index\n pic.mime = image.mime_type\n pic.desc = image.desc or u''\n return pic\n",
"role": "user"
},
{
"content": "serialize",
"role": "assistant"
}
] |
def x(self, mutagen_file):
for cover_tag in self.TAG_NAMES.values():
try:
del mutagen_file[cover_tag]
except KeyError:
pass
|
delete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mutagen_file):\n for cover_tag in self.TAG_NAMES.values():\n try:\n del mutagen_file[cover_tag]\n except KeyError:\n pass\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self, mutagen_file):
for style in self._styles:
if mutagen_file.__class__.__name__ in style.formats:
yield style
|
styles
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mutagen_file):\n for style in self._styles:\n if mutagen_file.__class__.__name__ in style.formats:\n yield style\n",
"role": "user"
},
{
"content": "styles",
"role": "assistant"
}
] |
def x(self):
if self.out_type == int:
return 0
elif self.out_type == float:
return 0.0
elif self.out_type == bool:
return False
elif self.out_type == six.text_type:
return u''
|
none_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.out_type == int:\n return 0\n elif self.out_type == float:\n return 0.0\n elif self.out_type == bool:\n return False\n elif self.out_type == six.text_type:\n return u''\n",
"role": "user"
},
{
"content": "none_value",
"role": "assistant"
}
] |
def x(self, mediafile):
datestring = super(DateField, self).__get__(mediafile, None)
if isinstance(datestring, six.string_types):
datestring = re.sub('[Tt ].*$', '', six.text_type(datestring))
items = re.split('[-/]', six.text_type(datestring))
else:
items = []
items = items[:3]
if len(items) < 3:
items += [None] * (3 - len(items))
if not items[0] and hasattr(self, '_year_field'):
items[0] = self._year_field.__get__(mediafile)
items_ = []
for item in items:
try:
items_.append(int(item))
except (TypeError, ValueError):
items_.append(None)
return items_
|
get_date_tuple
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mediafile):\n datestring = super(DateField, self).__get__(mediafile, None)\n if isinstance(datestring, six.string_types):\n datestring = re.sub('[Tt ].*$', '', six.text_type(datestring))\n items = re.split('[-/]', six.text_type(datestring))\n else:\n items = []\n items = items[:3]\n if len(items) < 3:\n items += [None] * (3 - len(items))\n if not items[0] and hasattr(self, '_year_field'):\n items[0] = self._year_field.__get__(mediafile)\n items_ = []\n for item in items:\n try:\n items_.append(int(item))\n except (TypeError, ValueError):\n items_.append(None)\n return items_\n",
"role": "user"
},
{
"content": "get_date_tuple",
"role": "assistant"
}
] |
def x(self, mediafile, year, month=None, day=None):
if year is None:
self.__delete__(mediafile)
return
date = [u'{0:04d}'.format(int(year))]
if month:
date.append(u'{0:02d}'.format(int(month)))
if month and day:
date.append(u'{0:02d}'.format(int(day)))
date = map(six.text_type, date)
super(DateField, self).__set__(mediafile, u'-'.join(date))
if hasattr(self, '_year_field'):
self._year_field.__set__(mediafile, year)
|
set_date_tuple
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mediafile, year, month=None, day=None):\n if year is None:\n self.__delete__(mediafile)\n return\n date = [u'{0:04d}'.format(int(year))]\n if month:\n date.append(u'{0:02d}'.format(int(month)))\n if month and day:\n date.append(u'{0:02d}'.format(int(day)))\n date = map(six.text_type, date)\n super(DateField, self).__set__(mediafile, u'-'.join(date))\n if hasattr(self, '_year_field'):\n self._year_field.__set__(mediafile, year)\n",
"role": "user"
},
{
"content": "set_date_tuple",
"role": "assistant"
}
] |
def x(self):
kwargs = {}
if self.id3v23:
id3 = self.mgfile
if hasattr(id3, 'tags'):
id3 = id3.tags
id3.update_to_v23()
kwargs['v2_version'] = 3
mutagen_call('save', self.path, self.mgfile.save, **kwargs)
|
save
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n kwargs = {}\n if self.id3v23:\n id3 = self.mgfile\n if hasattr(id3, 'tags'):\n id3 = id3.tags\n id3.update_to_v23()\n kwargs['v2_version'] = 3\n mutagen_call('save', self.path, self.mgfile.save, **kwargs)\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(cls):
for property, descriptor in cls.__dict__.items():
if isinstance(descriptor, MediaField):
if isinstance(property, bytes):
yield property.decode('utf8', 'ignore')
else:
yield property
|
fields
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n for property, descriptor in cls.__dict__.items():\n if isinstance(descriptor, MediaField):\n if isinstance(property, bytes):\n yield property.decode('utf8', 'ignore')\n else:\n yield property\n",
"role": "user"
},
{
"content": "fields",
"role": "assistant"
}
] |
def x(cls, name):
if isinstance(cls.__dict__[name], DateItemField):
name = re.sub('year', 'date0', name)
name = re.sub('month', 'date1', name)
name = re.sub('day', 'date2', name)
return name
|
field_sort_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, name):\n if isinstance(cls.__dict__[name], DateItemField):\n name = re.sub('year', 'date0', name)\n name = re.sub('month', 'date1', name)\n name = re.sub('day', 'date2', name)\n return name\n",
"role": "user"
},
{
"content": "field_sort_name",
"role": "assistant"
}
] |
def x(cls):
for property in sorted(cls.fields(), key=cls._field_sort_name):
yield property
|
sorted_fields
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n for property in sorted(cls.fields(), key=cls._field_sort_name):\n yield property\n",
"role": "user"
},
{
"content": "sorted_fields",
"role": "assistant"
}
] |
def x(cls, name, descriptor):
if not isinstance(descriptor, MediaField):
raise ValueError(u'{0} must be an instance of MediaField'.format(
descriptor))
if name in cls.__dict__:
raise ValueError(u'property "{0}" already exists on MediaField'.
format(name))
setattr(cls, name, descriptor)
|
add_field
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, name, descriptor):\n if not isinstance(descriptor, MediaField):\n raise ValueError(u'{0} must be an instance of MediaField'.format(\n descriptor))\n if name in cls.__dict__:\n raise ValueError(u'property \"{0}\" already exists on MediaField'.\n format(name))\n setattr(cls, name, descriptor)\n",
"role": "user"
},
{
"content": "add_field",
"role": "assistant"
}
] |
def x(self, dict):
for field in self.sorted_fields():
if field in dict:
if dict[field] is None:
delattr(self, field)
else:
setattr(self, field, dict[field])
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dict):\n for field in self.sorted_fields():\n if field in dict:\n if dict[field] is None:\n delattr(self, field)\n else:\n setattr(self, field, dict[field])\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self):
if hasattr(self.mgfile.info, 'sample_rate'):
return self.mgfile.info.sample_rate
elif self.type == 'opus':
return 48000
return 0
|
samplerate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if hasattr(self.mgfile.info, 'sample_rate'):\n return self.mgfile.info.sample_rate\n elif self.type == 'opus':\n return 48000\n return 0\n",
"role": "user"
},
{
"content": "samplerate",
"role": "assistant"
}
] |
def x(self):
if hasattr(self.mgfile.info, 'bits_per_sample'):
return self.mgfile.info.bits_per_sample
return 0
|
bitdepth
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if hasattr(self.mgfile.info, 'bits_per_sample'):\n return self.mgfile.info.bits_per_sample\n return 0\n",
"role": "user"
},
{
"content": "bitdepth",
"role": "assistant"
}
] |
def x(self):
if hasattr(self.mgfile.info, 'channels'):
return self.mgfile.info.channels
return 0
|
channels
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if hasattr(self.mgfile.info, 'channels'):\n return self.mgfile.info.channels\n return 0\n",
"role": "user"
},
{
"content": "channels",
"role": "assistant"
}
] |
def x(self):
if hasattr(self.mgfile.info, 'bitrate') and self.mgfile.info.bitrate:
return self.mgfile.info.bitrate
else:
if not self.length:
return 0
size = os.path.getsize(self.path)
return int(size * 8 / self.length)
|
bitrate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if hasattr(self.mgfile.info, 'bitrate') and self.mgfile.info.bitrate:\n return self.mgfile.info.bitrate\n else:\n if not self.length:\n return 0\n size = os.path.getsize(self.path)\n return int(size * 8 / self.length)\n",
"role": "user"
},
{
"content": "bitrate",
"role": "assistant"
}
] |
def x(a):
"""
# Ouuwww this is slow ...
outarray = np.zeros((a.shape[0]*2, a.shape[1]*2), dtype=np.float64)
for i in range(a.shape[0]):
for j in range(a.shape[1]):
outarray[2*i,2*j] = a[i,j]
outarray[2*i+1,2*j] = a[i,j]
outarray[2*i,2*j+1] = a[i,j]
outarray[2*i+1,2*j+1] = a[i,j]
return outarray
"""
newshape = 2 * a.shape[0], 2 * a.shape[1]
slices = [slice(0, old, float(old) / new) for old, new in zip(a.shape,
newshape)]
coordinates = np.mgrid[slices]
indices = coordinates.astype('i')
return a[tuple(indices)]
|
subsample
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a):\n \"\"\"\n # Ouuwww this is slow ...\n outarray = np.zeros((a.shape[0]*2, a.shape[1]*2), dtype=np.float64)\n for i in range(a.shape[0]):\n for j in range(a.shape[1]): \n outarray[2*i,2*j] = a[i,j]\n outarray[2*i+1,2*j] = a[i,j]\n outarray[2*i,2*j+1] = a[i,j]\n outarray[2*i+1,2*j+1] = a[i,j]\n return outarray\n \"\"\"\n newshape = 2 * a.shape[0], 2 * a.shape[1]\n slices = [slice(0, old, float(old) / new) for old, new in zip(a.shape,\n newshape)]\n coordinates = np.mgrid[slices]\n indices = coordinates.astype('i')\n return a[tuple(indices)]\n",
"role": "user"
},
{
"content": "subsample",
"role": "assistant"
}
] |
def x(self, size=3):
if size == 3:
dilmask = ndimage.morphology.binary_dilation(self.mask, structure=
growkernel, iterations=1, mask=None, output=None, border_value=
0, origin=0, brute_force=False)
elif size == 5:
dilmask = ndimage.morphology.binary_dilation(self.mask, structure=
dilstruct, iterations=1, mask=None, output=None, border_value=0,
origin=0, brute_force=False)
else:
dismask = self.mask.copy()
return dilmask
|
getdilatedmask
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, size=3):\n if size == 3:\n dilmask = ndimage.morphology.binary_dilation(self.mask, structure=\n growkernel, iterations=1, mask=None, output=None, border_value=\n 0, origin=0, brute_force=False)\n elif size == 5:\n dilmask = ndimage.morphology.binary_dilation(self.mask, structure=\n dilstruct, iterations=1, mask=None, output=None, border_value=0,\n origin=0, brute_force=False)\n else:\n dismask = self.mask.copy()\n return dilmask\n",
"role": "user"
},
{
"content": "getdilatedmask",
"role": "assistant"
}
] |
def x(self):
if self.backgroundlevel == None:
self.backgroundlevel = np.median(self.rawarray.ravel())
return self.backgroundlevel
|
guessbackgroundlevel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.backgroundlevel == None:\n self.backgroundlevel = np.median(self.rawarray.ravel())\n return self.backgroundlevel\n",
"role": "user"
},
{
"content": "guessbackgroundlevel",
"role": "assistant"
}
] |
def x():
while True:
current = os.getcwd()
if pathlib.Path('Miragefile.py').is_file() or pathlib.Path('Miragefile'
).is_file():
return current
elif os.getcwd() == '/':
raise FileNotFoundError
else:
os.chdir('../')
|
search_project_root
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n while True:\n current = os.getcwd()\n if pathlib.Path('Miragefile.py').is_file() or pathlib.Path('Miragefile'\n ).is_file():\n return current\n elif os.getcwd() == '/':\n raise FileNotFoundError\n else:\n os.chdir('../')\n",
"role": "user"
},
{
"content": "search_project_root",
"role": "assistant"
}
] |
def x():
while True:
current = os.getcwd()
if pathlib.Path('apps.py').is_file():
return current
elif pathlib.Path.cwd() == '/':
raise FileNotFoundError
else:
os.chdir('../')
|
search_app_root
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n while True:\n current = os.getcwd()\n if pathlib.Path('apps.py').is_file():\n return current\n elif pathlib.Path.cwd() == '/':\n raise FileNotFoundError\n else:\n os.chdir('../')\n",
"role": "user"
},
{
"content": "search_app_root",
"role": "assistant"
}
] |
def x() ->bool:
try:
MirageEnvironment.set_import_root()
import apps
if os.path.isfile('apps.py'):
return True
else:
return False
except ImportError:
return False
except:
return False
|
in_app
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x() ->bool:\n try:\n MirageEnvironment.set_import_root()\n import apps\n if os.path.isfile('apps.py'):\n return True\n else:\n return False\n except ImportError:\n return False\n except:\n return False\n",
"role": "user"
},
{
"content": "in_app",
"role": "assistant"
}
] |
def x(*args):
for a in args:
if a is not None:
if hasattr(a, '__iter__'):
for e in a:
e.update_cached_fields()
else:
a.update_cached_fields()
|
update_cached_fields
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args):\n for a in args:\n if a is not None:\n if hasattr(a, '__iter__'):\n for e in a:\n e.update_cached_fields()\n else:\n a.update_cached_fields()\n",
"role": "user"
},
{
"content": "update_cached_fields",
"role": "assistant"
}
] |
def x(self, update_fields: list):
if self.id and update_fields is None:
self.update_cached_fields(commit=False, exceptions=False)
|
update_cached_fields_pre_save
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, update_fields: list):\n if self.id and update_fields is None:\n self.update_cached_fields(commit=False, exceptions=False)\n",
"role": "user"
},
{
"content": "update_cached_fields_pre_save",
"role": "assistant"
}
] |
def x(name):
hotfix_branch = 'hotfix/' + common.to_branch_name(name)
master = conf.get('git.master_branch', 'master')
common.assert_on_branch(master)
common.git_checkout(hotfix_branch, create=True)
|
start
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n hotfix_branch = 'hotfix/' + common.to_branch_name(name)\n master = conf.get('git.master_branch', 'master')\n common.assert_on_branch(master)\n common.git_checkout(hotfix_branch, create=True)\n",
"role": "user"
},
{
"content": "start",
"role": "assistant"
}
] |
def x():
pretend = context.get('pretend', False)
if not pretend and (git.staged() or git.unstaged()):
log.err(
"""You have uncommitted changes in your repo!
You need to stash them before you merge the hotfix branch"""
)
sys.exit(1)
develop = conf.get('git.devel_branch', 'develop')
master = conf.get('git.master_branch', 'master')
branch = git.current_branch(refresh=True)
common.assert_branch_type('hotfix')
common.git_checkout(master)
common.git_pull(master)
common.git_merge(master, branch.name)
common.git_checkout(develop)
common.git_pull(develop)
common.git_merge(develop, branch.name)
common.git_branch_delete(branch.name)
common.git_prune()
common.git_checkout(master)
|
finish
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n pretend = context.get('pretend', False)\n if not pretend and (git.staged() or git.unstaged()):\n log.err(\n \"\"\"You have uncommitted changes in your repo!\nYou need to stash them before you merge the hotfix branch\"\"\"\n )\n sys.exit(1)\n develop = conf.get('git.devel_branch', 'develop')\n master = conf.get('git.master_branch', 'master')\n branch = git.current_branch(refresh=True)\n common.assert_branch_type('hotfix')\n common.git_checkout(master)\n common.git_pull(master)\n common.git_merge(master, branch.name)\n common.git_checkout(develop)\n common.git_pull(develop)\n common.git_merge(develop, branch.name)\n common.git_branch_delete(branch.name)\n common.git_prune()\n common.git_checkout(master)\n",
"role": "user"
},
{
"content": "finish",
"role": "assistant"
}
] |
def x():
develop = conf.get('git.devel_branch', 'develop')
master = conf.get('git.master_branch', 'master')
branch = git.current_branch(refresh=True)
common.assert_branch_type('hotfix')
common.git_checkout(master)
common.git_pull(master)
common.git_checkout(develop)
common.git_pull(develop)
common.git_merge(develop, branch.name)
common.git_branch_delete(branch.name)
common.git_prune()
common.git_checkout(master)
|
merged
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n develop = conf.get('git.devel_branch', 'develop')\n master = conf.get('git.master_branch', 'master')\n branch = git.current_branch(refresh=True)\n common.assert_branch_type('hotfix')\n common.git_checkout(master)\n common.git_pull(master)\n common.git_checkout(develop)\n common.git_pull(develop)\n common.git_merge(develop, branch.name)\n common.git_branch_delete(branch.name)\n common.git_prune()\n common.git_checkout(master)\n",
"role": "user"
},
{
"content": "merged",
"role": "assistant"
}
] |
def x(self):
if not self.block:
self.output = []
self.error = []
self.thread = threading.Thread(target=self.run_non_blocking)
self.thread.start()
else:
self.__create_process()
self.process.wait()
if self._stdout is not None:
self.output = self.process.stdout.read().decode('utf-8')
if self._stderr is not None:
self.error = self.process.stderr.read().decode('utf-8')
self.return_code = self.process.returncode
return self
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.block:\n self.output = []\n self.error = []\n self.thread = threading.Thread(target=self.run_non_blocking)\n self.thread.start()\n else:\n self.__create_process()\n self.process.wait()\n if self._stdout is not None:\n self.output = self.process.stdout.read().decode('utf-8')\n if self._stderr is not None:\n self.error = self.process.stderr.read().decode('utf-8')\n self.return_code = self.process.returncode\n return self\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(self, value):
if not self.block and self._stdin is not None:
self.writer.write('{}\n'.format(value))
return self
else:
raise TypeError(NON_BLOCKING_ERROR_MESSAGE)
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n if not self.block and self._stdin is not None:\n self.writer.write('{}\\n'.format(value))\n return self\n else:\n raise TypeError(NON_BLOCKING_ERROR_MESSAGE)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(self):
if self.block:
return self.output
new_list = self.output[self.old_output_size:]
self.old_output_size += len(new_list)
return new_list
|
poll_output
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.block:\n return self.output\n new_list = self.output[self.old_output_size:]\n self.old_output_size += len(new_list)\n return new_list\n",
"role": "user"
},
{
"content": "poll_output",
"role": "assistant"
}
] |
def x(self):
if self.block:
return self.error
new_list = self.error[self.old_error_size:]
self.old_error_size += len(new_list)
return new_list
|
poll_error
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.block:\n return self.error\n new_list = self.error[self.old_error_size:]\n self.old_error_size += len(new_list)\n return new_list\n",
"role": "user"
},
{
"content": "poll_error",
"role": "assistant"
}
] |
def x(self):
if self.block:
raise TypeError(NON_BLOCKING_ERROR_MESSAGE)
try:
self.process.kill()
except ProcessLookupError as exc:
self.logger.debug(exc)
|
kill
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.block:\n raise TypeError(NON_BLOCKING_ERROR_MESSAGE)\n try:\n self.process.kill()\n except ProcessLookupError as exc:\n self.logger.debug(exc)\n",
"role": "user"
},
{
"content": "kill",
"role": "assistant"
}
] |
def x(self, pattern, timeout=None):
should_continue = True
if self.block:
raise TypeError(NON_BLOCKING_ERROR_MESSAGE)
def x(signum, frame):
nonlocal should_continue
if should_continue:
raise TimeoutError()
if timeout:
signal.signal(signal.SIGALRM, stop)
signal.alarm(timeout)
while should_continue:
output = self.poll_output() + self.poll_error()
filtered = [line for line in output if re.match(pattern, line)]
if filtered:
should_continue = False
|
wait_for
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pattern, timeout=None):\n should_continue = True\n if self.block:\n raise TypeError(NON_BLOCKING_ERROR_MESSAGE)\n\n def x(signum, frame):\n nonlocal should_continue\n if should_continue:\n raise TimeoutError()\n if timeout:\n signal.signal(signal.SIGALRM, stop)\n signal.alarm(timeout)\n while should_continue:\n output = self.poll_output() + self.poll_error()\n filtered = [line for line in output if re.match(pattern, line)]\n if filtered:\n should_continue = False\n",
"role": "user"
},
{
"content": "wait_for",
"role": "assistant"
}
] |
def x(self):
if self.block:
return False
return self.thread.is_alive() or self.process.poll() is None
|
is_running
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.block:\n return False\n return self.thread.is_alive() or self.process.poll() is None\n",
"role": "user"
},
{
"content": "is_running",
"role": "assistant"
}
] |
def x(self):
if self.block:
raise TypeError(NON_BLOCKING_ERROR_MESSAGE)
else:
while self.thread.is_alive() or self.old_output_size < len(self.output
) or self.old_error_size < len(self.error):
if self._stdout is not None and len(self.output
) > self.old_output_size:
while self.old_output_size < len(self.output):
self.logger.info(self.output[self.old_output_size])
self.old_output_size += 1
if self._stderr is not None and len(self.error
) > self.old_error_size:
while self.old_error_size < len(self.error):
self.logger.error(self.error[self.old_error_size])
self.old_error_size += 1
|
print_live_output
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.block:\n raise TypeError(NON_BLOCKING_ERROR_MESSAGE)\n else:\n while self.thread.is_alive() or self.old_output_size < len(self.output\n ) or self.old_error_size < len(self.error):\n if self._stdout is not None and len(self.output\n ) > self.old_output_size:\n while self.old_output_size < len(self.output):\n self.logger.info(self.output[self.old_output_size])\n self.old_output_size += 1\n if self._stderr is not None and len(self.error\n ) > self.old_error_size:\n while self.old_error_size < len(self.error):\n self.logger.error(self.error[self.old_error_size])\n self.old_error_size += 1\n",
"role": "user"
},
{
"content": "print_live_output",
"role": "assistant"
}
] |
def x(self, command, block=True, cwd=None, stdin=subprocess.PIPE, stdout=
subprocess.PIPE, stderr=subprocess.PIPE):
if cwd is None:
cwd = self.cwd
return ShellCommand(command=command, logger=self.logger, block=block,
cwd=cwd, stdin=stdin, stdout=stdout, stderr=stderr).run()
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command, block=True, cwd=None, stdin=subprocess.PIPE, stdout=\n subprocess.PIPE, stderr=subprocess.PIPE):\n if cwd is None:\n cwd = self.cwd\n return ShellCommand(command=command, logger=self.logger, block=block,\n cwd=cwd, stdin=stdin, stdout=stdout, stderr=stderr).run()\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(x1, x2, x1err=[], x2err=[], cerr=[], logify=True, miniter=5000,
maxiter=100000.0, metro=True, silent=True):
import pidly
n = len(x1)
if len(x2) != n:
raise ValueError('x1 and x2 must have same length')
if len(x1err) == 0:
x1err = numpy.zeros(n)
if len(x2err) == 0:
x2err = numpy.zeros(n)
if logify:
x1, x2, x1err, x2err = to_log(x1, x2, x1err, x2err)
idl = pidly.IDL()
idl('x1 = %s' % list(x1))
idl('x2 = %s' % list(x2))
cmd = 'linmix_err, x1, x2, fit'
if len(x1err) == n:
idl('x1err = %s' % list(x1err))
cmd += ', xsig=x1err'
if len(x2err) == n:
idl('x2err = %s' % list(x2err))
cmd += ', ysig=x2err'
if len(cerr) == n:
idl('cerr = %s' % list(cerr))
cmd += ', xycov=cerr'
cmd += ', miniter=%d, maxiter=%d' % (miniter, maxiter)
if metro:
cmd += ', /metro'
if silent:
cmd += ', /silent'
idl(cmd)
alpha = idl.ev('fit.alpha')
beta = idl.ev('fit.beta')
sigma = numpy.sqrt(idl.ev('fit.sigsqr'))
return alpha, beta, sigma
|
kelly
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x1, x2, x1err=[], x2err=[], cerr=[], logify=True, miniter=5000,\n maxiter=100000.0, metro=True, silent=True):\n import pidly\n n = len(x1)\n if len(x2) != n:\n raise ValueError('x1 and x2 must have same length')\n if len(x1err) == 0:\n x1err = numpy.zeros(n)\n if len(x2err) == 0:\n x2err = numpy.zeros(n)\n if logify:\n x1, x2, x1err, x2err = to_log(x1, x2, x1err, x2err)\n idl = pidly.IDL()\n idl('x1 = %s' % list(x1))\n idl('x2 = %s' % list(x2))\n cmd = 'linmix_err, x1, x2, fit'\n if len(x1err) == n:\n idl('x1err = %s' % list(x1err))\n cmd += ', xsig=x1err'\n if len(x2err) == n:\n idl('x2err = %s' % list(x2err))\n cmd += ', ysig=x2err'\n if len(cerr) == n:\n idl('cerr = %s' % list(cerr))\n cmd += ', xycov=cerr'\n cmd += ', miniter=%d, maxiter=%d' % (miniter, maxiter)\n if metro:\n cmd += ', /metro'\n if silent:\n cmd += ', /silent'\n idl(cmd)\n alpha = idl.ev('fit.alpha')\n beta = idl.ev('fit.beta')\n sigma = numpy.sqrt(idl.ev('fit.sigsqr'))\n return alpha, beta, sigma\n",
"role": "user"
},
{
"content": "kelly",
"role": "assistant"
}
] |
def x(x1, x2, x1err=[], x2err=[], cerr=[], s_int=True, po=(1, 0, 0.1),
verbose=False, logify=True, full_output=False):
from scipy import optimize
n = len(x1)
if len(x2) != n:
raise ValueError('x1 and x2 must have same length')
if len(x1err) == 0:
x1err = numpy.ones(n)
if len(x2err) == 0:
x2err = numpy.ones(n)
if logify:
x1, x2, x1err, x2err = to_log(x1, x2, x1err, x2err)
f = lambda a, b: a + b * x1
if s_int:
w = lambda b, s: numpy.sqrt(b ** 2 * x1err ** 2 + x2err ** 2 + s ** 2)
loglike = lambda p: 2 * sum(numpy.log(w(p[1], p[2]))) + sum(((x2 -
f(p[0], p[1])) / w(p[1], p[2])) ** 2) + numpy.log(n * numpy.
sqrt(2 * numpy.pi)) / 2
else:
w = lambda b: numpy.sqrt(b ** 2 * x1err ** 2 + x2err ** 2)
loglike = lambda p: sum(numpy.log(w(p[1]))) + sum(((x2 - f(p[0], p[
1])) / w(p[1])) ** 2) / 2 + numpy.log(n * numpy.sqrt(2 * numpy.pi)
) / 2
po = po[:2]
out = optimize.fmin(loglike, po, disp=verbose, full_output=full_output)
return out
|
mle
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x1, x2, x1err=[], x2err=[], cerr=[], s_int=True, po=(1, 0, 0.1),\n verbose=False, logify=True, full_output=False):\n from scipy import optimize\n n = len(x1)\n if len(x2) != n:\n raise ValueError('x1 and x2 must have same length')\n if len(x1err) == 0:\n x1err = numpy.ones(n)\n if len(x2err) == 0:\n x2err = numpy.ones(n)\n if logify:\n x1, x2, x1err, x2err = to_log(x1, x2, x1err, x2err)\n f = lambda a, b: a + b * x1\n if s_int:\n w = lambda b, s: numpy.sqrt(b ** 2 * x1err ** 2 + x2err ** 2 + s ** 2)\n loglike = lambda p: 2 * sum(numpy.log(w(p[1], p[2]))) + sum(((x2 -\n f(p[0], p[1])) / w(p[1], p[2])) ** 2) + numpy.log(n * numpy.\n sqrt(2 * numpy.pi)) / 2\n else:\n w = lambda b: numpy.sqrt(b ** 2 * x1err ** 2 + x2err ** 2)\n loglike = lambda p: sum(numpy.log(w(p[1]))) + sum(((x2 - f(p[0], p[\n 1])) / w(p[1])) ** 2) / 2 + numpy.log(n * numpy.sqrt(2 * numpy.pi)\n ) / 2\n po = po[:2]\n out = optimize.fmin(loglike, po, disp=verbose, full_output=full_output)\n return out\n",
"role": "user"
},
{
"content": "mle",
"role": "assistant"
}
] |
def x(x1, x2, x1err, x2err):
logx1 = numpy.log10(numpy.array(x1))
logx2 = numpy.log10(numpy.array(x2))
x1err = numpy.log10(numpy.array(x1) + numpy.array(x1err)) - logx1
x2err = numpy.log10(numpy.array(x2) + numpy.array(x2err)) - logx2
return logx1, logx2, x1err, x2err
|
to_log
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x1, x2, x1err, x2err):\n logx1 = numpy.log10(numpy.array(x1))\n logx2 = numpy.log10(numpy.array(x2))\n x1err = numpy.log10(numpy.array(x1) + numpy.array(x1err)) - logx1\n x2err = numpy.log10(numpy.array(x2) + numpy.array(x2err)) - logx2\n return logx1, logx2, x1err, x2err\n",
"role": "user"
},
{
"content": "to_log",
"role": "assistant"
}
] |
def x(paths):
if isinstance(paths, string_types):
raise ValueError(
'paths cannot be a string. Use array with one element instead.')
return ' '.join('"' + path + '"' for path in paths)
|
wrap_paths
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(paths):\n if isinstance(paths, string_types):\n raise ValueError(\n 'paths cannot be a string. Use array with one element instead.')\n return ' '.join('\"' + path + '\"' for path in paths)\n",
"role": "user"
},
{
"content": "wrap_paths",
"role": "assistant"
}
] |
def x(path, include=None, exclude=None):
exclude = exclude or []
if not isdir(path):
raise ValueError('Cannot walk files, only directories')
files = os.listdir(path)
for name in files:
filename = normpath(join(path, name))
if search_globs(filename, exclude):
continue
if include is None or match_globs(filename, include):
yield filename
if isdir(filename):
for p in filtered_walk(filename, include, exclude):
yield p
|
filtered_walk
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, include=None, exclude=None):\n exclude = exclude or []\n if not isdir(path):\n raise ValueError('Cannot walk files, only directories')\n files = os.listdir(path)\n for name in files:\n filename = normpath(join(path, name))\n if search_globs(filename, exclude):\n continue\n if include is None or match_globs(filename, include):\n yield filename\n if isdir(filename):\n for p in filtered_walk(filename, include, exclude):\n yield p\n",
"role": "user"
},
{
"content": "filtered_walk",
"role": "assistant"
}
] |
def x(path, patterns):
for pattern in (p for p in patterns if p):
if pattern.startswith('/'):
regex = fnmatch.translate(pattern[1:])
temp_path = path[1:] if path.startswith('/') else path
m = re.search(regex, temp_path)
if m and m.start() == 0:
return True
elif fnmatch.fnmatch(path, pattern):
return True
return False
|
match_globs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, patterns):\n for pattern in (p for p in patterns if p):\n if pattern.startswith('/'):\n regex = fnmatch.translate(pattern[1:])\n temp_path = path[1:] if path.startswith('/') else path\n m = re.search(regex, temp_path)\n if m and m.start() == 0:\n return True\n elif fnmatch.fnmatch(path, pattern):\n return True\n return False\n",
"role": "user"
},
{
"content": "match_globs",
"role": "assistant"
}
] |
def x(path, patterns):
for pattern in (p for p in patterns if p):
if pattern.startswith('/'):
regex = fnmatch.translate(pattern[1:])
regex = regex.replace('\\Z', '')
temp_path = path[1:] if path.startswith('/') else path
m = re.search(regex, temp_path)
if m and m.start() == 0:
return True
else:
regex = fnmatch.translate(pattern)
regex = regex.replace('\\Z', '')
if re.search(regex, path):
return True
return False
|
search_globs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, patterns):\n for pattern in (p for p in patterns if p):\n if pattern.startswith('/'):\n regex = fnmatch.translate(pattern[1:])\n regex = regex.replace('\\\\Z', '')\n temp_path = path[1:] if path.startswith('/') else path\n m = re.search(regex, temp_path)\n if m and m.start() == 0:\n return True\n else:\n regex = fnmatch.translate(pattern)\n regex = regex.replace('\\\\Z', '')\n if re.search(regex, path):\n return True\n return False\n",
"role": "user"
},
{
"content": "search_globs",
"role": "assistant"
}
] |
def x(path, content, mode='w'):
from peltak.core import context
from peltak.core import log
if context.get('pretend', False):
log.info('Would overwrite <34>{path}<32> with:\n<90>{content}',
path=path, content=content)
else:
with open(path, mode) as fp:
fp.write(content)
|
write_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, content, mode='w'):\n from peltak.core import context\n from peltak.core import log\n if context.get('pretend', False):\n log.info('Would overwrite <34>{path}<32> with:\\n<90>{content}',\n path=path, content=content)\n else:\n with open(path, mode) as fp:\n fp.write(content)\n",
"role": "user"
},
{
"content": "write_file",
"role": "assistant"
}
] |
def x(ctx, exclude, skip_untracked, commit_only):
if ctx.invoked_subcommand:
return
from peltak.logic import lint
lint.lint(exclude, skip_untracked, commit_only)
|
lint_cli
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ctx, exclude, skip_untracked, commit_only):\n if ctx.invoked_subcommand:\n return\n from peltak.logic import lint\n lint.lint(exclude, skip_untracked, commit_only)\n",
"role": "user"
},
{
"content": "lint_cli",
"role": "assistant"
}
] |
def x():
log = logging.getLogger(mod_logger + '.get_ip_addresses')
command = ['/sbin/ifconfig']
try:
result = run_command(command)
except CommandError:
raise
ifconfig = result['output'].strip()
devices = {}
parts = ifconfig.split()
device = None
for part in parts:
if device is None:
if 'eth' in part or 'eno' in part:
device = part
else:
test = part.split(':', 1)
if len(test) == 2:
if test[0] == 'addr':
ip_address = test[1]
log.info('Found IP address %s on device %s', ip_address,
device)
devices[device] = ip_address
device = None
return devices
|
get_ip_addresses
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n log = logging.getLogger(mod_logger + '.get_ip_addresses')\n command = ['/sbin/ifconfig']\n try:\n result = run_command(command)\n except CommandError:\n raise\n ifconfig = result['output'].strip()\n devices = {}\n parts = ifconfig.split()\n device = None\n for part in parts:\n if device is None:\n if 'eth' in part or 'eno' in part:\n device = part\n else:\n test = part.split(':', 1)\n if len(test) == 2:\n if test[0] == 'addr':\n ip_address = test[1]\n log.info('Found IP address %s on device %s', ip_address,\n device)\n devices[device] = ip_address\n device = None\n return devices\n",
"role": "user"
},
{
"content": "get_ip_addresses",
"role": "assistant"
}
] |
def x(device_index=0):
log = logging.getLogger(mod_logger + '.get_mac_address')
command = ['ip', 'addr', 'show', 'eth{d}'.format(d=device_index)]
log.info('Attempting to find a mac address at device index: {d}'.format
(d=device_index))
try:
result = run_command(command)
except CommandError:
_, ex, trace = sys.exc_info()
log.error(
'There was a problem running command, unable to determine mac address: {c}\n{e}'
.format(c=command, e=str(ex)))
return
ipaddr = result['output'].split()
get_next = False
mac_address = None
for part in ipaddr:
if get_next:
mac_address = part
log.info('Found mac address: {m}'.format(m=mac_address))
break
if 'link' in part:
get_next = True
if not mac_address:
log.info('mac address not found for device: {d}'.format(d=device_index)
)
return mac_address
|
get_mac_address
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(device_index=0):\n log = logging.getLogger(mod_logger + '.get_mac_address')\n command = ['ip', 'addr', 'show', 'eth{d}'.format(d=device_index)]\n log.info('Attempting to find a mac address at device index: {d}'.format\n (d=device_index))\n try:\n result = run_command(command)\n except CommandError:\n _, ex, trace = sys.exc_info()\n log.error(\n 'There was a problem running command, unable to determine mac address: {c}\\n{e}'\n .format(c=command, e=str(ex)))\n return\n ipaddr = result['output'].split()\n get_next = False\n mac_address = None\n for part in ipaddr:\n if get_next:\n mac_address = part\n log.info('Found mac address: {m}'.format(m=mac_address))\n break\n if 'link' in part:\n get_next = True\n if not mac_address:\n log.info('mac address not found for device: {d}'.format(d=device_index)\n )\n return mac_address\n",
"role": "user"
},
{
"content": "get_mac_address",
"role": "assistant"
}
] |
def x(path, mode, recursive=False):
log = logging.getLogger(mod_logger + '.chmod')
if not isinstance(path, basestring):
msg = 'path argument is not a string'
log.error(msg)
raise CommandError(msg)
if not isinstance(mode, basestring):
msg = 'mode argument is not a string'
log.error(msg)
raise CommandError(msg)
if not os.path.exists(path):
msg = 'Item not found: {p}'.format(p=path)
log.error(msg)
raise CommandError(msg)
command = ['chmod']
if recursive:
command.append('-R')
command.append(mode)
command.append(path)
try:
result = run_command(command)
except CommandError:
raise
log.info('chmod command exited with code: {c}'.format(c=result['code']))
return result['code']
|
chmod
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, mode, recursive=False):\n log = logging.getLogger(mod_logger + '.chmod')\n if not isinstance(path, basestring):\n msg = 'path argument is not a string'\n log.error(msg)\n raise CommandError(msg)\n if not isinstance(mode, basestring):\n msg = 'mode argument is not a string'\n log.error(msg)\n raise CommandError(msg)\n if not os.path.exists(path):\n msg = 'Item not found: {p}'.format(p=path)\n log.error(msg)\n raise CommandError(msg)\n command = ['chmod']\n if recursive:\n command.append('-R')\n command.append(mode)\n command.append(path)\n try:\n result = run_command(command)\n except CommandError:\n raise\n log.info('chmod command exited with code: {c}'.format(c=result['code']))\n return result['code']\n",
"role": "user"
},
{
"content": "chmod",
"role": "assistant"
}
] |
def x(path):
log = logging.getLogger(mod_logger + '.mkdir_p')
if not isinstance(path, basestring):
msg = 'path argument is not a string'
log.error(msg)
raise CommandError(msg)
log.info('Attempting to create directory: %s', path)
try:
os.makedirs(path)
except OSError as e:
if e.errno == errno.EEXIST and os.path.isdir(path):
pass
else:
msg = 'Unable to create directory: {p}'.format(p=path)
log.error(msg)
raise CommandError(msg)
|
mkdir_p
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n log = logging.getLogger(mod_logger + '.mkdir_p')\n if not isinstance(path, basestring):\n msg = 'path argument is not a string'\n log.error(msg)\n raise CommandError(msg)\n log.info('Attempting to create directory: %s', path)\n try:\n os.makedirs(path)\n except OSError as e:\n if e.errno == errno.EEXIST and os.path.isdir(path):\n pass\n else:\n msg = 'Unable to create directory: {p}'.format(p=path)\n log.error(msg)\n raise CommandError(msg)\n",
"role": "user"
},
{
"content": "mkdir_p",
"role": "assistant"
}
] |
def x(install_dir):
log = logging.getLogger(mod_logger + '.rpm_install')
if not isinstance(install_dir, basestring):
msg = 'install_dir argument must be a string'
log.error(msg)
raise CommandError(msg)
if not os.path.isdir(install_dir):
msg = 'Directory not found: {f}'.format(f=install_dir)
log.error(msg)
raise CommandError(msg)
command = ['rpm', '-iv', '--force', '{d}/*.rpm'.format(d=install_dir)]
try:
result = run_command(command)
except CommandError:
raise
log.info('RPM completed and exit with code: {c}'.format(c=result['code']))
return result['code']
|
rpm_install
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(install_dir):\n log = logging.getLogger(mod_logger + '.rpm_install')\n if not isinstance(install_dir, basestring):\n msg = 'install_dir argument must be a string'\n log.error(msg)\n raise CommandError(msg)\n if not os.path.isdir(install_dir):\n msg = 'Directory not found: {f}'.format(f=install_dir)\n log.error(msg)\n raise CommandError(msg)\n command = ['rpm', '-iv', '--force', '{d}/*.rpm'.format(d=install_dir)]\n try:\n result = run_command(command)\n except CommandError:\n raise\n log.info('RPM completed and exit with code: {c}'.format(c=result['code']))\n return result['code']\n",
"role": "user"
},
{
"content": "rpm_install",
"role": "assistant"
}
] |
def x(file_path, pattern, replace_str, g=0):
log = logging.getLogger(mod_logger + '.sed')
if not isinstance(file_path, basestring):
msg = 'file_path argument must be a string'
log.error(msg)
raise CommandError(msg)
if not isinstance(pattern, basestring):
msg = 'pattern argument must be a string'
log.error(msg)
raise CommandError(msg)
if not isinstance(replace_str, basestring):
msg = 'replace_str argument must be a string'
log.error(msg)
raise CommandError(msg)
if not os.path.isfile(file_path):
msg = 'File not found: {f}'.format(f=file_path)
log.error(msg)
raise CommandError(msg)
log.info('Updating file: %s...', file_path)
for line in fileinput.input(file_path, inplace=True):
if re.search(pattern, line):
log.info('Updating line: %s', line)
new_line = re.sub(pattern, replace_str, line, count=g)
log.info('Replacing with line: %s', new_line)
sys.stdout.write(new_line)
else:
sys.stdout.write(line)
|
sed
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file_path, pattern, replace_str, g=0):\n log = logging.getLogger(mod_logger + '.sed')\n if not isinstance(file_path, basestring):\n msg = 'file_path argument must be a string'\n log.error(msg)\n raise CommandError(msg)\n if not isinstance(pattern, basestring):\n msg = 'pattern argument must be a string'\n log.error(msg)\n raise CommandError(msg)\n if not isinstance(replace_str, basestring):\n msg = 'replace_str argument must be a string'\n log.error(msg)\n raise CommandError(msg)\n if not os.path.isfile(file_path):\n msg = 'File not found: {f}'.format(f=file_path)\n log.error(msg)\n raise CommandError(msg)\n log.info('Updating file: %s...', file_path)\n for line in fileinput.input(file_path, inplace=True):\n if re.search(pattern, line):\n log.info('Updating line: %s', line)\n new_line = re.sub(pattern, replace_str, line, count=g)\n log.info('Replacing with line: %s', new_line)\n sys.stdout.write(new_line)\n else:\n sys.stdout.write(line)\n",
"role": "user"
},
{
"content": "sed",
"role": "assistant"
}
] |
def x(ip, entry):
log = logging.getLogger(mod_logger + '.update_hosts_file')
if not isinstance(ip, basestring):
msg = 'ip argument must be a string'
log.error(msg)
raise CommandError(msg)
if not isinstance(entry, basestring):
msg = 'entry argument must be a string'
log.error(msg)
raise CommandError(msg)
hosts_file = '/etc/hosts'
if not os.path.isfile(hosts_file):
msg = 'File not found: {f}'.format(f=hosts_file)
log.error(msg)
raise CommandError(msg)
log.info('Updating hosts file: {f} with IP {i} and entry: {e}'.format(f
=hosts_file, i=ip, e=entry))
full_entry = ip + ' ' + entry.strip() + '\n'
updated = False
for line in fileinput.input(hosts_file, inplace=True):
if re.search(ip, line):
if line.split()[0] == ip:
log.info('Found IP {i} in line: {li}, updating...'.format(i
=ip, li=line))
log.info('Replacing with new line: {n}'.format(n=full_entry))
sys.stdout.write(full_entry)
updated = True
else:
log.debug(
'Found ip {i} in line {li} but not an exact match, adding line back to hosts file {f}...'
.format(i=ip, li=line, f=hosts_file))
sys.stdout.write(line)
else:
log.debug(
'IP address {i} not found in line, adding line back to hosts file {f}: {li}'
.format(i=ip, li=line, f=hosts_file))
sys.stdout.write(line)
if updated is False:
with open(hosts_file, 'a') as f:
log.info('Appending hosts file entry to {f}: {e}'.format(f=
hosts_file, e=full_entry))
f.write(full_entry)
|
update_hosts_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ip, entry):\n log = logging.getLogger(mod_logger + '.update_hosts_file')\n if not isinstance(ip, basestring):\n msg = 'ip argument must be a string'\n log.error(msg)\n raise CommandError(msg)\n if not isinstance(entry, basestring):\n msg = 'entry argument must be a string'\n log.error(msg)\n raise CommandError(msg)\n hosts_file = '/etc/hosts'\n if not os.path.isfile(hosts_file):\n msg = 'File not found: {f}'.format(f=hosts_file)\n log.error(msg)\n raise CommandError(msg)\n log.info('Updating hosts file: {f} with IP {i} and entry: {e}'.format(f\n =hosts_file, i=ip, e=entry))\n full_entry = ip + ' ' + entry.strip() + '\\n'\n updated = False\n for line in fileinput.input(hosts_file, inplace=True):\n if re.search(ip, line):\n if line.split()[0] == ip:\n log.info('Found IP {i} in line: {li}, updating...'.format(i\n =ip, li=line))\n log.info('Replacing with new line: {n}'.format(n=full_entry))\n sys.stdout.write(full_entry)\n updated = True\n else:\n log.debug(\n 'Found ip {i} in line {li} but not an exact match, adding line back to hosts file {f}...'\n .format(i=ip, li=line, f=hosts_file))\n sys.stdout.write(line)\n else:\n log.debug(\n 'IP address {i} not found in line, adding line back to hosts file {f}: {li}'\n .format(i=ip, li=line, f=hosts_file))\n sys.stdout.write(line)\n if updated is False:\n with open(hosts_file, 'a') as f:\n log.info('Appending hosts file entry to {f}: {e}'.format(f=\n hosts_file, e=full_entry))\n f.write(full_entry)\n",
"role": "user"
},
{
"content": "update_hosts_file",
"role": "assistant"
}
] |
def x():
log = logging.getLogger(mod_logger + '.service_network_restart')
command = ['service', 'network', 'restart']
time.sleep(5)
try:
result = run_command(command)
time.sleep(5)
code = result['code']
except CommandError:
raise
log.info('Network restart produced output:\n{o}'.format(o=result['output'])
)
if code != 0:
msg = (
'Network services did not restart cleanly, exited with code: {c}'
.format(c=code))
log.error(msg)
raise CommandError(msg)
else:
log.info('Successfully restarted networking!')
|
service_network_restart
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n log = logging.getLogger(mod_logger + '.service_network_restart')\n command = ['service', 'network', 'restart']\n time.sleep(5)\n try:\n result = run_command(command)\n time.sleep(5)\n code = result['code']\n except CommandError:\n raise\n log.info('Network restart produced output:\\n{o}'.format(o=result['output'])\n )\n if code != 0:\n msg = (\n 'Network services did not restart cleanly, exited with code: {c}'\n .format(c=code))\n log.error(msg)\n raise CommandError(msg)\n else:\n log.info('Successfully restarted networking!')\n",
"role": "user"
},
{
"content": "service_network_restart",
"role": "assistant"
}
] |
def x(host, environment_variable):
log = logging.getLogger(mod_logger +
'.get_remote_host_environment_variable')
if not isinstance(host, basestring):
msg = 'host argument must be a string'
log.error(msg)
raise TypeError(msg)
if not isinstance(environment_variable, basestring):
msg = 'environment_variable argument must be a string'
log.error(msg)
raise TypeError(msg)
log.info('Checking host {h} for environment variable: {v}...'.format(h=
host, v=environment_variable))
command = ['ssh', '{h}'.format(h=host), 'echo ${v}'.format(v=
environment_variable)]
try:
result = run_command(command, timeout_sec=5.0)
code = result['code']
except CommandError:
raise
if code != 0:
msg = (
'There was a problem checking the remote host {h} over SSH, return code: {c}'
.format(h=host, c=code))
log.error(msg)
raise CommandError(msg)
else:
value = result['output'].strip()
log.info('Environment variable {e} on host {h} value is: {v}'.
format(e=environment_variable, h=host, v=value))
return value
|
get_remote_host_environment_variable
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(host, environment_variable):\n log = logging.getLogger(mod_logger +\n '.get_remote_host_environment_variable')\n if not isinstance(host, basestring):\n msg = 'host argument must be a string'\n log.error(msg)\n raise TypeError(msg)\n if not isinstance(environment_variable, basestring):\n msg = 'environment_variable argument must be a string'\n log.error(msg)\n raise TypeError(msg)\n log.info('Checking host {h} for environment variable: {v}...'.format(h=\n host, v=environment_variable))\n command = ['ssh', '{h}'.format(h=host), 'echo ${v}'.format(v=\n environment_variable)]\n try:\n result = run_command(command, timeout_sec=5.0)\n code = result['code']\n except CommandError:\n raise\n if code != 0:\n msg = (\n 'There was a problem checking the remote host {h} over SSH, return code: {c}'\n .format(h=host, c=code))\n log.error(msg)\n raise CommandError(msg)\n else:\n value = result['output'].strip()\n log.info('Environment variable {e} on host {h} value is: {v}'.\n format(e=environment_variable, h=host, v=value))\n return value\n",
"role": "user"
},
{
"content": "get_remote_host_environment_variable",
"role": "assistant"
}
] |
def x(host, variable_name, variable_value, env_file='/etc/bashrc'):
log = logging.getLogger(mod_logger +
'.set_remote_host_environment_variable')
if not isinstance(host, basestring):
msg = 'host argument must be a string'
log.error(msg)
raise TypeError(msg)
if not isinstance(variable_name, basestring):
msg = 'variable_name argument must be a string'
log.error(msg)
raise TypeError(msg)
if not isinstance(variable_value, basestring):
msg = 'variable_value argument must be a string'
log.error(msg)
raise TypeError(msg)
if not isinstance(env_file, basestring):
msg = 'env_file argument must be a string'
log.error(msg)
raise TypeError(msg)
log.info('Creating the environment file if it does not exist...')
command = ['ssh', host, 'touch {f}'.format(f=env_file)]
try:
result = run_command(command, timeout_sec=5.0)
code = result['code']
output = result['output']
except CommandError:
raise
if code != 0:
msg = (
"""There was a problem creating environment file {f} on remote host {h} over SSH, exit code {c} and output:
{o}"""
.format(h=host, c=code, f=env_file, o=output))
log.error(msg)
raise CommandError(msg)
log.info('Creating ensuring the environment file is executable...')
command = ['ssh', host, 'chmod +x {f}'.format(f=env_file)]
try:
result = run_command(command, timeout_sec=5.0)
code = result['code']
output = result['output']
except CommandError:
raise
if code != 0:
msg = (
"""There was a problem setting permissions on environment file {f} on remote host {h} over SSH, exit code {c} and output:
{o}"""
.format(h=host, c=code, f=env_file, o=output))
log.error(msg)
raise CommandError(msg)
log.info('Adding environment variable {v} with value {n} to file {f}...'
.format(v=variable_name, n=variable_value, f=env_file))
command = ['ssh', host, 'echo "export {v}=\\"{n}\\"" >> {f}'.format(f=
env_file, v=variable_name, n=variable_value)]
try:
result = run_command(command, timeout_sec=5.0)
code = result['code']
output = result['output']
except CommandError:
raise
if code != 0:
msg = (
"""There was a problem adding variable {v} to environment file {f} on remote host {h} over SSH, exit code {c} and output:
{o}"""
.format(h=host, c=code, f=env_file, o=output, v=variable_name))
log.error(msg)
raise CommandError(msg)
else:
log.info('Environment variable {v} set to {n} on host {h}'.format(v
=variable_name, n=variable_value, h=host))
|
set_remote_host_environment_variable
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(host, variable_name, variable_value, env_file='/etc/bashrc'):\n log = logging.getLogger(mod_logger +\n '.set_remote_host_environment_variable')\n if not isinstance(host, basestring):\n msg = 'host argument must be a string'\n log.error(msg)\n raise TypeError(msg)\n if not isinstance(variable_name, basestring):\n msg = 'variable_name argument must be a string'\n log.error(msg)\n raise TypeError(msg)\n if not isinstance(variable_value, basestring):\n msg = 'variable_value argument must be a string'\n log.error(msg)\n raise TypeError(msg)\n if not isinstance(env_file, basestring):\n msg = 'env_file argument must be a string'\n log.error(msg)\n raise TypeError(msg)\n log.info('Creating the environment file if it does not exist...')\n command = ['ssh', host, 'touch {f}'.format(f=env_file)]\n try:\n result = run_command(command, timeout_sec=5.0)\n code = result['code']\n output = result['output']\n except CommandError:\n raise\n if code != 0:\n msg = (\n \"\"\"There was a problem creating environment file {f} on remote host {h} over SSH, exit code {c} and output:\n{o}\"\"\"\n .format(h=host, c=code, f=env_file, o=output))\n log.error(msg)\n raise CommandError(msg)\n log.info('Creating ensuring the environment file is executable...')\n command = ['ssh', host, 'chmod +x {f}'.format(f=env_file)]\n try:\n result = run_command(command, timeout_sec=5.0)\n code = result['code']\n output = result['output']\n except CommandError:\n raise\n if code != 0:\n msg = (\n \"\"\"There was a problem setting permissions on environment file {f} on remote host {h} over SSH, exit code {c} and output:\n{o}\"\"\"\n .format(h=host, c=code, f=env_file, o=output))\n log.error(msg)\n raise CommandError(msg)\n log.info('Adding environment variable {v} with value {n} to file {f}...'\n .format(v=variable_name, n=variable_value, f=env_file))\n command = ['ssh', host, 'echo \"export {v}=\\\\\"{n}\\\\\"\" >> {f}'.format(f=\n env_file, v=variable_name, n=variable_value)]\n try:\n result = run_command(command, timeout_sec=5.0)\n code = result['code']\n output = result['output']\n except CommandError:\n raise\n if code != 0:\n msg = (\n \"\"\"There was a problem adding variable {v} to environment file {f} on remote host {h} over SSH, exit code {c} and output:\n{o}\"\"\"\n .format(h=host, c=code, f=env_file, o=output, v=variable_name))\n log.error(msg)\n raise CommandError(msg)\n else:\n log.info('Environment variable {v} set to {n} on host {h}'.format(v\n =variable_name, n=variable_value, h=host))\n",
"role": "user"
},
{
"content": "set_remote_host_environment_variable",
"role": "assistant"
}
] |
def x(host, command, timeout_sec=5.0):
log = logging.getLogger(mod_logger + '.run_remote_command')
if not isinstance(host, basestring):
msg = 'host argument must be a string'
raise TypeError(msg)
if not isinstance(command, basestring):
msg = 'command argument must be a string'
raise TypeError(msg)
log.debug('Running remote command on host: {h}: {c}...'.format(h=host,
c=command))
command = ['ssh', '{h}'.format(h=host), '{c}'.format(c=command)]
try:
result = run_command(command, timeout_sec=timeout_sec)
code = result['code']
except CommandError:
raise
if code != 0:
msg = (
"""There was a problem running command [{m}] on host {h} over SSH, return code: {c}, and produced output:
{o}"""
.format(h=host, c=code, m=' '.join(command), o=result['output']))
raise CommandError(msg)
else:
output_text = result['output'].strip()
log.debug(
'Running command [{m}] host {h} over SSH produced output: {o}'.
format(m=command, h=host, o=output_text))
output = {'output': output_text, 'code': code}
return output
|
run_remote_command
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(host, command, timeout_sec=5.0):\n log = logging.getLogger(mod_logger + '.run_remote_command')\n if not isinstance(host, basestring):\n msg = 'host argument must be a string'\n raise TypeError(msg)\n if not isinstance(command, basestring):\n msg = 'command argument must be a string'\n raise TypeError(msg)\n log.debug('Running remote command on host: {h}: {c}...'.format(h=host,\n c=command))\n command = ['ssh', '{h}'.format(h=host), '{c}'.format(c=command)]\n try:\n result = run_command(command, timeout_sec=timeout_sec)\n code = result['code']\n except CommandError:\n raise\n if code != 0:\n msg = (\n \"\"\"There was a problem running command [{m}] on host {h} over SSH, return code: {c}, and produced output:\n{o}\"\"\"\n .format(h=host, c=code, m=' '.join(command), o=result['output']))\n raise CommandError(msg)\n else:\n output_text = result['output'].strip()\n log.debug(\n 'Running command [{m}] host {h} over SSH produced output: {o}'.\n format(m=command, h=host, o=output_text))\n output = {'output': output_text, 'code': code}\n return output\n",
"role": "user"
},
{
"content": "run_remote_command",
"role": "assistant"
}
] |
def x(host, file_path):
log = logging.getLogger(mod_logger + '.check_remote_host_marker_file')
if not isinstance(host, basestring):
msg = 'host argument must be a string'
log.error(msg)
raise TypeError(msg)
if not isinstance(file_path, basestring):
msg = 'file_path argument must be a string'
log.error(msg)
raise TypeError(msg)
log.debug('Checking host {h} for marker file: {f}...'.format(h=host, f=
file_path))
command = ['ssh', '{h}'.format(h=host),
'if [ -f {f} ] ; then exit 0 ; else exit 1 ; fi'.format(f=file_path)]
try:
result = run_command(command, timeout_sec=5.0)
code = result['code']
output = result['output']
except CommandError:
raise
if code == 0:
log.debug('Marker file <{f}> was found on host {h}'.format(f=
file_path, h=host))
return True
elif code == 1 and output == '':
log.debug('Marker file <{f}> was not found on host {h}'.format(f=
file_path, h=host))
return False
else:
msg = (
'There was a problem checking the remote host {h} over SSH for marker file {f}, command returned code {c} and produced output: {o}'
.format(h=host, f=file_path, c=code, o=output))
log.debug(msg)
raise CommandError(msg)
|
check_remote_host_marker_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(host, file_path):\n log = logging.getLogger(mod_logger + '.check_remote_host_marker_file')\n if not isinstance(host, basestring):\n msg = 'host argument must be a string'\n log.error(msg)\n raise TypeError(msg)\n if not isinstance(file_path, basestring):\n msg = 'file_path argument must be a string'\n log.error(msg)\n raise TypeError(msg)\n log.debug('Checking host {h} for marker file: {f}...'.format(h=host, f=\n file_path))\n command = ['ssh', '{h}'.format(h=host),\n 'if [ -f {f} ] ; then exit 0 ; else exit 1 ; fi'.format(f=file_path)]\n try:\n result = run_command(command, timeout_sec=5.0)\n code = result['code']\n output = result['output']\n except CommandError:\n raise\n if code == 0:\n log.debug('Marker file <{f}> was found on host {h}'.format(f=\n file_path, h=host))\n return True\n elif code == 1 and output == '':\n log.debug('Marker file <{f}> was not found on host {h}'.format(f=\n file_path, h=host))\n return False\n else:\n msg = (\n 'There was a problem checking the remote host {h} over SSH for marker file {f}, command returned code {c} and produced output: {o}'\n .format(h=host, f=file_path, c=code, o=output))\n log.debug(msg)\n raise CommandError(msg)\n",
"role": "user"
},
{
"content": "check_remote_host_marker_file",
"role": "assistant"
}
] |
def x(firewall_rules):
log = logging.getLogger(mod_logger + '.restore_iptables')
log.info('Restoring firewall rules from file: {f}'.format(f=firewall_rules)
)
if not os.path.isfile(firewall_rules):
msg = 'Unable to restore iptables, file not found: {f}'.format(f=
firewall_rules)
log.error(msg)
raise OSError(msg)
log.info('Restoring iptables from file: {f}'.format(f=firewall_rules))
command = ['/sbin/iptables-restore', firewall_rules]
try:
result = run_command(command)
except CommandError:
_, ex, trace = sys.exc_info()
msg = 'Unable to restore firewall rules from file: {f}\n{e}'.format(f
=firewall_rules, e=str(ex))
log.error(msg)
raise OSError(msg)
log.info('Restoring iptables produced output:\n{o}'.format(o=result[
'output']))
log.info('Saving iptables...')
command = ['/etc/init.d/iptables', 'save']
try:
result = run_command(command)
except CommandError:
_, ex, trace = sys.exc_info()
msg = 'Unable to save firewall rules\n{e}'.format(e=str(ex))
log.error(msg)
raise OSError(msg)
log.info('Saving iptables produced output:\n{o}'.format(o=result['output'])
)
|
restore_iptables
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(firewall_rules):\n log = logging.getLogger(mod_logger + '.restore_iptables')\n log.info('Restoring firewall rules from file: {f}'.format(f=firewall_rules)\n )\n if not os.path.isfile(firewall_rules):\n msg = 'Unable to restore iptables, file not found: {f}'.format(f=\n firewall_rules)\n log.error(msg)\n raise OSError(msg)\n log.info('Restoring iptables from file: {f}'.format(f=firewall_rules))\n command = ['/sbin/iptables-restore', firewall_rules]\n try:\n result = run_command(command)\n except CommandError:\n _, ex, trace = sys.exc_info()\n msg = 'Unable to restore firewall rules from file: {f}\\n{e}'.format(f\n =firewall_rules, e=str(ex))\n log.error(msg)\n raise OSError(msg)\n log.info('Restoring iptables produced output:\\n{o}'.format(o=result[\n 'output']))\n log.info('Saving iptables...')\n command = ['/etc/init.d/iptables', 'save']\n try:\n result = run_command(command)\n except CommandError:\n _, ex, trace = sys.exc_info()\n msg = 'Unable to save firewall rules\\n{e}'.format(e=str(ex))\n log.error(msg)\n raise OSError(msg)\n log.info('Saving iptables produced output:\\n{o}'.format(o=result['output'])\n )\n",
"role": "user"
},
{
"content": "restore_iptables",
"role": "assistant"
}
] |
def x():
log = logging.getLogger(mod_logger + '.remove_default_gateway')
network_script = '/etc/sysconfig/network'
if not os.path.isfile(network_script):
log.info('Network script not found, nothing to do: {f}'.format(f=
network_script))
return
log.debug('Found network script: {f}'.format(f=network_script))
log.info('Attempting to remove any default gateway configurations...')
for line in fileinput.input(network_script, inplace=True):
if re.search('^GATEWAY=.*', line):
log.info('Removing GATEWAY line: {li}'.format(li=line))
elif re.search('^GATEWAYDEV=.*', line):
log.info('Removing GATEWAYDEV line: {li}'.format(li=line))
else:
log.debug('Keeping line: {li}'.format(li=line))
sys.stdout.write(line)
log.info('Restarting the network service...')
try:
service_network_restart()
except CommandError:
_, ex, trace = sys.exc_info()
raise OSError(
'{n}: Attempted unsuccessfully to restart networking\n{e}'.
format(n=ex.__class__.__name__, e=str(ex)))
else:
log.info('Successfully restarted networking')
|
remove_default_gateway
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n log = logging.getLogger(mod_logger + '.remove_default_gateway')\n network_script = '/etc/sysconfig/network'\n if not os.path.isfile(network_script):\n log.info('Network script not found, nothing to do: {f}'.format(f=\n network_script))\n return\n log.debug('Found network script: {f}'.format(f=network_script))\n log.info('Attempting to remove any default gateway configurations...')\n for line in fileinput.input(network_script, inplace=True):\n if re.search('^GATEWAY=.*', line):\n log.info('Removing GATEWAY line: {li}'.format(li=line))\n elif re.search('^GATEWAYDEV=.*', line):\n log.info('Removing GATEWAYDEV line: {li}'.format(li=line))\n else:\n log.debug('Keeping line: {li}'.format(li=line))\n sys.stdout.write(line)\n log.info('Restarting the network service...')\n try:\n service_network_restart()\n except CommandError:\n _, ex, trace = sys.exc_info()\n raise OSError(\n '{n}: Attempted unsuccessfully to restart networking\\n{e}'.\n format(n=ex.__class__.__name__, e=str(ex)))\n else:\n log.info('Successfully restarted networking')\n",
"role": "user"
},
{
"content": "remove_default_gateway",
"role": "assistant"
}
] |
def x():
os_family = platform.system()
if os_family != 'Linux':
raise OSError('This method is only supported on Linux, found OS: {o}'
.format(o=os_family))
linux_distro, linux_version, distro_name = platform.linux_distribution()
systemd = False
if 'ubuntu' in linux_distro.lower() and '16' in linux_version:
systemd = True
elif 'red' in linux_distro.lower() and '7' in linux_version:
systemd = True
elif 'cent' in linux_distro.lower() and '7' in linux_version:
systemd = True
return systemd
|
is_systemd
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n os_family = platform.system()\n if os_family != 'Linux':\n raise OSError('This method is only supported on Linux, found OS: {o}'\n .format(o=os_family))\n linux_distro, linux_version, distro_name = platform.linux_distribution()\n systemd = False\n if 'ubuntu' in linux_distro.lower() and '16' in linux_version:\n systemd = True\n elif 'red' in linux_distro.lower() and '7' in linux_version:\n systemd = True\n elif 'cent' in linux_distro.lower() and '7' in linux_version:\n systemd = True\n return systemd\n",
"role": "user"
},
{
"content": "is_systemd",
"role": "assistant"
}
] |
def x():
mkdir_p('/tmp/test/test')
source('/root/.bash_profile')
yum_install(['httpd', 'git'])
yum_install(['httpd', 'git'], dest_dir='/tmp/test/test', downloadonly=True)
sed('/Users/yennaco/Downloads/homer_testing/network', '^HOSTNAME.*',
'HOSTNAME=foo.joe')
test_script = '/Users/yennaco/Downloads/homer/script.sh'
results = run_command([test_script], timeout_sec=1000)
print('Script {s} produced exit code [{c}] and output:\n{o}'.format(s=
test_script, c=results['code'], o=results['output']))
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n mkdir_p('/tmp/test/test')\n source('/root/.bash_profile')\n yum_install(['httpd', 'git'])\n yum_install(['httpd', 'git'], dest_dir='/tmp/test/test', downloadonly=True)\n sed('/Users/yennaco/Downloads/homer_testing/network', '^HOSTNAME.*',\n 'HOSTNAME=foo.joe')\n test_script = '/Users/yennaco/Downloads/homer/script.sh'\n results = run_command([test_script], timeout_sec=1000)\n print('Script {s} produced exit code [{c}] and output:\\n{o}'.format(s=\n test_script, c=results['code'], o=results['output']))\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(name: str, request: Request=None, data=None, ip=None):
log_data = {}
if not ip and request:
ip = get_real_ip(request)
if ip:
log_data['ip'] = ip
if data:
log_data['data'] = data
msg = 'EVENT_{}: {}'.format(name.upper(), json.dumps(log_data))
logger.info(msg)
|
log_event
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name: str, request: Request=None, data=None, ip=None):\n log_data = {}\n if not ip and request:\n ip = get_real_ip(request)\n if ip:\n log_data['ip'] = ip\n if data:\n log_data['data'] = data\n msg = 'EVENT_{}: {}'.format(name.upper(), json.dumps(log_data))\n logger.info(msg)\n",
"role": "user"
},
{
"content": "log_event",
"role": "assistant"
}
] |
def x(value, secret, block_size=AES.block_size):
iv = randstr(block_size * 2)
cipher = AES.new(secret[:32], AES.MODE_CFB, iv[:block_size].encode())
return iv + b64encode(cipher.encrypt(uniorbytes(value, bytes))).decode(
'utf-8')
|
aes_b64_encrypt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, secret, block_size=AES.block_size):\n iv = randstr(block_size * 2)\n cipher = AES.new(secret[:32], AES.MODE_CFB, iv[:block_size].encode())\n return iv + b64encode(cipher.encrypt(uniorbytes(value, bytes))).decode(\n 'utf-8')\n",
"role": "user"
},
{
"content": "aes_b64_encrypt",
"role": "assistant"
}
] |
def x(value, secret, block_size=AES.block_size):
if value is not None:
iv = value[:block_size]
cipher = AES.new(secret[:32], AES.MODE_CFB, iv)
return cipher.decrypt(b64decode(uniorbytes(value[block_size * 2:],
bytes))).decode('utf-8')
|
aes_b64_decrypt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, secret, block_size=AES.block_size):\n if value is not None:\n iv = value[:block_size]\n cipher = AES.new(secret[:32], AES.MODE_CFB, iv)\n return cipher.decrypt(b64decode(uniorbytes(value[block_size * 2:],\n bytes))).decode('utf-8')\n",
"role": "user"
},
{
"content": "aes_b64_decrypt",
"role": "assistant"
}
] |
def x(value, secret, block_size=AES.block_size):
iv = os.urandom(block_size * 2)
cipher = AES.new(secret[:32], AES.MODE_CFB, iv[:block_size])
return b'%s%s' % (iv, cipher.encrypt(value))
|
aes_encrypt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, secret, block_size=AES.block_size):\n iv = os.urandom(block_size * 2)\n cipher = AES.new(secret[:32], AES.MODE_CFB, iv[:block_size])\n return b'%s%s' % (iv, cipher.encrypt(value))\n",
"role": "user"
},
{
"content": "aes_encrypt",
"role": "assistant"
}
] |
def x(value, secret, block_size=AES.block_size):
if value is not None:
cipher = AES.new(secret[:32], AES.MODE_CFB, value[:block_size])
return cipher.decrypt(uniorbytes(value[block_size * 2:], bytes))
|
aes_decrypt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, secret, block_size=AES.block_size):\n if value is not None:\n cipher = AES.new(secret[:32], AES.MODE_CFB, value[:block_size])\n return cipher.decrypt(uniorbytes(value[block_size * 2:], bytes))\n",
"role": "user"
},
{
"content": "aes_decrypt",
"role": "assistant"
}
] |
def x(s, block_size=32, padding='{'):
return s + (block_size - len(s) % block_size) * padding
|
aes_pad
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s, block_size=32, padding='{'):\n return s + (block_size - len(s) % block_size) * padding\n",
"role": "user"
},
{
"content": "aes_pad",
"role": "assistant"
}
] |
def x(a, b):
l = len
return not sum(0 if x == y else 1 for x, y in zip(a, b)) and l(a) == l(b)
|
lscmp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b):\n l = len\n return not sum(0 if x == y else 1 for x, y in zip(a, b)) and l(a) == l(b)\n",
"role": "user"
},
{
"content": "lscmp",
"role": "assistant"
}
] |
def x(data, key_salt='', secret=None, digestmod=None):
digestmod = digestmod or sha256
if not data:
return None
try:
assert cookie_is_encoded(data)
datab = uniorbytes(data, bytes)
sig, msg = datab.split(uniorbytes('?', bytes), 1)
key = '{}{}'.format(secret, key_salt)
sig_check = hmac.new(key=uniorbytes(key, bytes), msg=msg, digestmod
=digestmod).digest()
sig_check = uniorbytes(b64encode(sig_check), bytes)
if lscmp(sig[1:], sig_check):
return json.loads(uniorbytes(b64decode(msg)))
return None
except:
key = '{}{}'.format(secret, key_salt)
msg = b64encode(uniorbytes(json.dumps(data), bytes))
sig = hmac.new(key=uniorbytes(key, bytes), msg=msg, digestmod=digestmod
).digest()
sig = uniorbytes(b64encode(sig), bytes)
return uniorbytes('!'.encode() + sig + '?'.encode() + msg)
|
cookie
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, key_salt='', secret=None, digestmod=None):\n digestmod = digestmod or sha256\n if not data:\n return None\n try:\n assert cookie_is_encoded(data)\n datab = uniorbytes(data, bytes)\n sig, msg = datab.split(uniorbytes('?', bytes), 1)\n key = '{}{}'.format(secret, key_salt)\n sig_check = hmac.new(key=uniorbytes(key, bytes), msg=msg, digestmod\n =digestmod).digest()\n sig_check = uniorbytes(b64encode(sig_check), bytes)\n if lscmp(sig[1:], sig_check):\n return json.loads(uniorbytes(b64decode(msg)))\n return None\n except:\n key = '{}{}'.format(secret, key_salt)\n msg = b64encode(uniorbytes(json.dumps(data), bytes))\n sig = hmac.new(key=uniorbytes(key, bytes), msg=msg, digestmod=digestmod\n ).digest()\n sig = uniorbytes(b64encode(sig), bytes)\n return uniorbytes('!'.encode() + sig + '?'.encode() + msg)\n",
"role": "user"
},
{
"content": "cookie",
"role": "assistant"
}
] |
def x(val, chaffify=1, keyspace=string.ascii_letters + string.digits):
chaffify = chaffify or 1
keylen = len(keyspace)
try:
if val < 0:
raise ValueError('Input value must be greater than -1.')
val = val * chaffify
if val == 0:
return keyspace[0]
out = []
out_add = out.append
while val > 0:
val, digit = divmod(val, keylen)
out_add(keyspace[digit])
return ''.join(out)[::-1]
except TypeError:
out = 0
val = str(val)
find = str.find
for c in val:
out = out * keylen + find(keyspace, c)
out = out // chaffify
return int(out)
|
strkey
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(val, chaffify=1, keyspace=string.ascii_letters + string.digits):\n chaffify = chaffify or 1\n keylen = len(keyspace)\n try:\n if val < 0:\n raise ValueError('Input value must be greater than -1.')\n val = val * chaffify\n if val == 0:\n return keyspace[0]\n out = []\n out_add = out.append\n while val > 0:\n val, digit = divmod(val, keylen)\n out_add(keyspace[digit])\n return ''.join(out)[::-1]\n except TypeError:\n out = 0\n val = str(val)\n find = str.find\n for c in val:\n out = out * keylen + find(keyspace, c)\n out = out // chaffify\n return int(out)\n",
"role": "user"
},
{
"content": "strkey",
"role": "assistant"
}
] |
def x(bits, keyspace):
keyspace = len(keyspace)
if keyspace < 2:
raise ValueError('Keyspace size must be >1')
bits_per_cycle = 512
if bits > bits_per_cycle:
chars = 0
bits_processed = 0
cycles = ceil(bits / bits_per_cycle)
for _ in range(int(cycles)):
if bits_processed + bits_per_cycle > bits:
bits_per_cycle = bits - bits_processed
chars += calc_chars_in(bits_per_cycle, keyspace)
bits_processed += bits_per_cycle
else:
chars = calc_chars_in(bits, keyspace)
return abs(chars)
|
chars_in
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bits, keyspace):\n keyspace = len(keyspace)\n if keyspace < 2:\n raise ValueError('Keyspace size must be >1')\n bits_per_cycle = 512\n if bits > bits_per_cycle:\n chars = 0\n bits_processed = 0\n cycles = ceil(bits / bits_per_cycle)\n for _ in range(int(cycles)):\n if bits_processed + bits_per_cycle > bits:\n bits_per_cycle = bits - bits_processed\n chars += calc_chars_in(bits_per_cycle, keyspace)\n bits_processed += bits_per_cycle\n else:\n chars = calc_chars_in(bits, keyspace)\n return abs(chars)\n",
"role": "user"
},
{
"content": "chars_in",
"role": "assistant"
}
] |
def x(length, keyspace):
keyspace = len(keyspace)
length_per_cycle = 64
if length > length_per_cycle:
bits = 0
length_processed = 0
cycles = ceil(length / length_per_cycle)
for _ in range(int(cycles)):
if length_processed + length_per_cycle > length:
length_per_cycle = length - length_processed
bits += calc_bits_in(length_per_cycle, keyspace)
length_processed += length_per_cycle
else:
bits = calc_bits_in(length, keyspace)
return float(abs(bits))
|
bits_in
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(length, keyspace):\n keyspace = len(keyspace)\n length_per_cycle = 64\n if length > length_per_cycle:\n bits = 0\n length_processed = 0\n cycles = ceil(length / length_per_cycle)\n for _ in range(int(cycles)):\n if length_processed + length_per_cycle > length:\n length_per_cycle = length - length_processed\n bits += calc_bits_in(length_per_cycle, keyspace)\n length_processed += length_per_cycle\n else:\n bits = calc_bits_in(length, keyspace)\n return float(abs(bits))\n",
"role": "user"
},
{
"content": "bits_in",
"role": "assistant"
}
] |
def x(bits, keyspace=string.ascii_letters + string.digits + '#/.', rng=None):
if bits < 8:
raise ValueError('Bits cannot be <8')
else:
chars = chars_in(bits, keyspace)
rng = rng or random.SystemRandom()
for char in range(int(ceil(chars))):
yield rng.choice(keyspace)
|
iter_random_chars
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bits, keyspace=string.ascii_letters + string.digits + '#/.', rng=None):\n if bits < 8:\n raise ValueError('Bits cannot be <8')\n else:\n chars = chars_in(bits, keyspace)\n rng = rng or random.SystemRandom()\n for char in range(int(ceil(chars))):\n yield rng.choice(keyspace)\n",
"role": "user"
},
{
"content": "iter_random_chars",
"role": "assistant"
}
] |
def x(bits, keyspace=string.ascii_letters + string.digits + '#/.', rng=None):
return ''.join(char for char in iter_random_chars(bits, keyspace, rng))
|
randkey
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bits, keyspace=string.ascii_letters + string.digits + '#/.', rng=None):\n return ''.join(char for char in iter_random_chars(bits, keyspace, rng))\n",
"role": "user"
},
{
"content": "randkey",
"role": "assistant"
}
] |
def x(size, keyspace=string.ascii_letters + string.digits, rng=None):
rng = rng or random.SystemRandom()
return ''.join(rng.choice(keyspace) for char in range(int(ceil(size))))
|
randstr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(size, keyspace=string.ascii_letters + string.digits, rng=None):\n rng = rng or random.SystemRandom()\n return ''.join(rng.choice(keyspace) for char in range(int(ceil(size))))\n",
"role": "user"
},
{
"content": "randstr",
"role": "assistant"
}
] |
def x(filename):
lineiter = (line.strip() for line in open(filename))
return (line for line in lineiter if line and not line.startswith('#'))
|
parse_requirements
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n lineiter = (line.strip() for line in open(filename))\n return (line for line in lineiter if line and not line.startswith('#'))\n",
"role": "user"
},
{
"content": "parse_requirements",
"role": "assistant"
}
] |
def x(x, ex, n, paren=False):
stex = round_sig(ex, n)
if stex.find('.') < 0:
extra_zeros = len(stex) - n
sigfigs = len(str(int(x))) - extra_zeros
stx = round_sig(x, sigfigs)
else:
num_after_dec = len(string.split(stex, '.')[1])
stx = '%%.%df' % num_after_dec % x
if paren:
if stex.find('.') >= 0:
stex = stex[stex.find('.') + 1:]
return '%s(%s)' % (stx, stex)
return stx, stex
|
round_sig_error
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, ex, n, paren=False):\n stex = round_sig(ex, n)\n if stex.find('.') < 0:\n extra_zeros = len(stex) - n\n sigfigs = len(str(int(x))) - extra_zeros\n stx = round_sig(x, sigfigs)\n else:\n num_after_dec = len(string.split(stex, '.')[1])\n stx = '%%.%df' % num_after_dec % x\n if paren:\n if stex.find('.') >= 0:\n stex = stex[stex.find('.') + 1:]\n return '%s(%s)' % (stx, stex)\n return stx, stex\n",
"role": "user"
},
{
"content": "round_sig_error",
"role": "assistant"
}
] |
def x(x, ex1, ex2, n):
minerr = min(ex1, ex2)
minstex = round_sig(minerr, n)
if minstex.find('.') < 0:
extra_zeros = len(minstex) - n
sigfigs = len(str(int(x))) - extra_zeros
stx = round_sig(x, sigfigs)
maxstex = round_sig(max(ex1, ex2), sigfigs)
else:
num_after_dec = len(string.split(minstex, '.')[1])
stx = '%%.%df' % num_after_dec % x
maxstex = '%%.%df' % num_after_dec % max(ex1, ex2)
if ex1 < ex2:
return stx, minstex, maxstex
else:
return stx, maxstex, minstex
|
round_sig_error2
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, ex1, ex2, n):\n minerr = min(ex1, ex2)\n minstex = round_sig(minerr, n)\n if minstex.find('.') < 0:\n extra_zeros = len(minstex) - n\n sigfigs = len(str(int(x))) - extra_zeros\n stx = round_sig(x, sigfigs)\n maxstex = round_sig(max(ex1, ex2), sigfigs)\n else:\n num_after_dec = len(string.split(minstex, '.')[1])\n stx = '%%.%df' % num_after_dec % x\n maxstex = '%%.%df' % num_after_dec % max(ex1, ex2)\n if ex1 < ex2:\n return stx, minstex, maxstex\n else:\n return stx, maxstex, minstex\n",
"role": "user"
},
{
"content": "round_sig_error2",
"role": "assistant"
}
] |
def x(instance, data, nb_threads=4, replace=True, types=None, primary_key=(
), sub_commit=False):
start = datetime.datetime.now()
table_name = data['table_name']
columns_name = data['columns_name']
rows = data['rows']
total_len_data = len(rows)
if not existing_test(instance, table_name
) or types is not None or primary_key != ():
create.create_table(instance, data, primary_key, types)
if replace:
cleaning_function(instance, table_name)
batch_size = int(total_len_data / nb_threads) + 1
if total_len_data < nb_threads:
batch_size = 1
table_info = get_table_info(instance, table_name)
split_data = []
for i in range(nb_threads):
batch = create_a_batch(rows, batch_size, i)
split_data.append({'data': {'table_name': table_name,
'columns_name': columns_name, 'rows': batch}, 'instance':
instance, 'thread_number': i, 'nb_threads': nb_threads,
'sub_commit': sub_commit, 'table_info': table_info})
write_in_file('threads_state_%s' % str(i), str({'iteration': 0,
'total': len(batch)}))
with concurrent.futures.ProcessPoolExecutor() as executor:
r = list(executor.map(send_to_azure_from_one_thread, split_data))
print()
for num_thread in range(nb_threads):
insert_query = 'INSERT INTO %s SELECT * FROM %s' % (table_name,
table_name + '_' + str(num_thread))
print(insert_query)
execute_query(instance, insert_query)
for num_thread in range(nb_threads):
sub_table = table_name + '_' + str(num_thread)
print(C.HEADER + 'DROP TABLE %s...' % sub_table + C.ENDC)
execute_query(instance, 'DROP TABLE %s' % sub_table)
print(C.HEADER + 'DROP TABLE %s...OK' % sub_table + C.ENDC)
total_length_data = 0
for element in split_data:
total_length_data = total_length_data + len(element['data']['rows'])
for i in range(len(r)):
print('Thread %s : %s seconds' % (str(i), str(r[i])))
print('Total rows: %s' % str(total_length_data))
print(C.BOLD + 'Total time in seconds : %s' % str((datetime.datetime.
now() - start).seconds) + C.ENDC)
return 0
|
send_to_azure_multi_threads
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(instance, data, nb_threads=4, replace=True, types=None, primary_key=(\n ), sub_commit=False):\n start = datetime.datetime.now()\n table_name = data['table_name']\n columns_name = data['columns_name']\n rows = data['rows']\n total_len_data = len(rows)\n if not existing_test(instance, table_name\n ) or types is not None or primary_key != ():\n create.create_table(instance, data, primary_key, types)\n if replace:\n cleaning_function(instance, table_name)\n batch_size = int(total_len_data / nb_threads) + 1\n if total_len_data < nb_threads:\n batch_size = 1\n table_info = get_table_info(instance, table_name)\n split_data = []\n for i in range(nb_threads):\n batch = create_a_batch(rows, batch_size, i)\n split_data.append({'data': {'table_name': table_name,\n 'columns_name': columns_name, 'rows': batch}, 'instance':\n instance, 'thread_number': i, 'nb_threads': nb_threads,\n 'sub_commit': sub_commit, 'table_info': table_info})\n write_in_file('threads_state_%s' % str(i), str({'iteration': 0,\n 'total': len(batch)}))\n with concurrent.futures.ProcessPoolExecutor() as executor:\n r = list(executor.map(send_to_azure_from_one_thread, split_data))\n print()\n for num_thread in range(nb_threads):\n insert_query = 'INSERT INTO %s SELECT * FROM %s' % (table_name, \n table_name + '_' + str(num_thread))\n print(insert_query)\n execute_query(instance, insert_query)\n for num_thread in range(nb_threads):\n sub_table = table_name + '_' + str(num_thread)\n print(C.HEADER + 'DROP TABLE %s...' % sub_table + C.ENDC)\n execute_query(instance, 'DROP TABLE %s' % sub_table)\n print(C.HEADER + 'DROP TABLE %s...OK' % sub_table + C.ENDC)\n total_length_data = 0\n for element in split_data:\n total_length_data = total_length_data + len(element['data']['rows'])\n for i in range(len(r)):\n print('Thread %s : %s seconds' % (str(i), str(r[i])))\n print('Total rows: %s' % str(total_length_data))\n print(C.BOLD + 'Total time in seconds : %s' % str((datetime.datetime.\n now() - start).seconds) + C.ENDC)\n return 0\n",
"role": "user"
},
{
"content": "send_to_azure_multi_threads",
"role": "assistant"
}
] |
def x(instance, data, thread_number, sub_commit, table_info, nb_threads):
rows = data['rows']
if not rows:
return 0
columns_name = data['columns_name']
table_name = data['table_name'] + '_' + str(thread_number)
print(C.HEADER + 'Create table %s...' % table_name + C.ENDC)
create_table_from_info(instance, table_info, table_name)
print(C.OKGREEN + 'Create table %s...OK' % table_name + C.ENDC)
small_batch_size = int(2099 / len(columns_name))
cnxn = connect(instance)
cursor = cnxn.cursor()
boolean = True
total_rows = len(rows)
question_mark_pattern = '(%s)' % ','.join(['?' for i in range(len(rows[
0]))])
counter = 0
while boolean:
temp_row = []
question_mark_list = []
for i in range(small_batch_size):
if rows:
temp_row.append(rows.pop())
question_mark_list.append(question_mark_pattern)
else:
boolean = False
continue
counter = counter + len(temp_row)
threads_state = eval(read_file('threads_state_%s' % str(thread_number))
)
threads_state['iteration'] = counter
write_in_file('threads_state_%s' % str(thread_number), str(
threads_state))
if sub_commit:
suffix = 'rows sent'
else:
suffix = 'rows prepared to be sent'
print_progress_bar_multi_threads(nb_threads, suffix=suffix)
data_values_str = ','.join(question_mark_list)
columns_name_str = ', '.join(columns_name)
inserting_request = 'INSERT INTO %s (%s) VALUES %s ;' % (table_name,
columns_name_str, data_values_str)
final_data = [y for x in temp_row for y in x]
if final_data:
cursor.execute(inserting_request, final_data)
if sub_commit:
commit_function(cnxn)
if not sub_commit:
commit_function(cnxn)
cursor.close()
cnxn.close()
return 0
|
send_to_azure
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(instance, data, thread_number, sub_commit, table_info, nb_threads):\n rows = data['rows']\n if not rows:\n return 0\n columns_name = data['columns_name']\n table_name = data['table_name'] + '_' + str(thread_number)\n print(C.HEADER + 'Create table %s...' % table_name + C.ENDC)\n create_table_from_info(instance, table_info, table_name)\n print(C.OKGREEN + 'Create table %s...OK' % table_name + C.ENDC)\n small_batch_size = int(2099 / len(columns_name))\n cnxn = connect(instance)\n cursor = cnxn.cursor()\n boolean = True\n total_rows = len(rows)\n question_mark_pattern = '(%s)' % ','.join(['?' for i in range(len(rows[\n 0]))])\n counter = 0\n while boolean:\n temp_row = []\n question_mark_list = []\n for i in range(small_batch_size):\n if rows:\n temp_row.append(rows.pop())\n question_mark_list.append(question_mark_pattern)\n else:\n boolean = False\n continue\n counter = counter + len(temp_row)\n threads_state = eval(read_file('threads_state_%s' % str(thread_number))\n )\n threads_state['iteration'] = counter\n write_in_file('threads_state_%s' % str(thread_number), str(\n threads_state))\n if sub_commit:\n suffix = 'rows sent'\n else:\n suffix = 'rows prepared to be sent'\n print_progress_bar_multi_threads(nb_threads, suffix=suffix)\n data_values_str = ','.join(question_mark_list)\n columns_name_str = ', '.join(columns_name)\n inserting_request = 'INSERT INTO %s (%s) VALUES %s ;' % (table_name,\n columns_name_str, data_values_str)\n final_data = [y for x in temp_row for y in x]\n if final_data:\n cursor.execute(inserting_request, final_data)\n if sub_commit:\n commit_function(cnxn)\n if not sub_commit:\n commit_function(cnxn)\n cursor.close()\n cnxn.close()\n return 0\n",
"role": "user"
},
{
"content": "send_to_azure",
"role": "assistant"
}
] |
def x(self, items=[], taxes=[], custom_data=[]):
self.add_items(items)
self.add_taxes(taxes)
self.add_custom_data(custom_data)
return self._process('checkout-invoice/create', self._prepare_data)
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, items=[], taxes=[], custom_data=[]):\n self.add_items(items)\n self.add_taxes(taxes)\n self.add_custom_data(custom_data)\n return self._process('checkout-invoice/create', self._prepare_data)\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, token=None):
_token = token if token else self._response.get('token')
return self._process('checkout-invoice/confirm/' + str(_token))
|
confirm
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, token=None):\n _token = token if token else self._response.get('token')\n return self._process('checkout-invoice/confirm/' + str(_token))\n",
"role": "user"
},
{
"content": "confirm",
"role": "assistant"
}
] |
def x(self, taxes):
_idx = len(self.taxes)
for idx, tax in enumerate(taxes):
tax_key = 'tax_' + str(idx + _idx)
self.taxes[tax_key] = {'name': tax[0], 'amount': tax[1]}
|
add_taxes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, taxes):\n _idx = len(self.taxes)\n for idx, tax in enumerate(taxes):\n tax_key = 'tax_' + str(idx + _idx)\n self.taxes[tax_key] = {'name': tax[0], 'amount': tax[1]}\n",
"role": "user"
},
{
"content": "add_taxes",
"role": "assistant"
}
] |
def x(self, item):
_idx = len(self.items)
self.items.update({('item_' + str(_idx + 1)): item})
|
add_item
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item):\n _idx = len(self.items)\n self.items.update({('item_' + str(_idx + 1)): item})\n",
"role": "user"
},
{
"content": "add_item",
"role": "assistant"
}
] |
def x(self):
total_amount = self.total_amount or self.calculate_total_amt()
self._data = {'invoice': {'items': self.__encode_items(self.items),
'taxes': self.taxes, 'total_amount': total_amount, 'description':
self.description, 'channels': self.channels}, 'store': self.store.
info, 'custom_data': self.custom_data, 'actions': {'cancel_url':
self.cancel_url, 'return_url': self.return_url, 'callback_url':
self.callback_url}}
return self._data
|
prepare_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n total_amount = self.total_amount or self.calculate_total_amt()\n self._data = {'invoice': {'items': self.__encode_items(self.items),\n 'taxes': self.taxes, 'total_amount': total_amount, 'description':\n self.description, 'channels': self.channels}, 'store': self.store.\n info, 'custom_data': self.custom_data, 'actions': {'cancel_url':\n self.cancel_url, 'return_url': self.return_url, 'callback_url':\n self.callback_url}}\n return self._data\n",
"role": "user"
},
{
"content": "prepare_data",
"role": "assistant"
}
] |
def x(self, items={}):
_items = items.items() or self.items.items()
return sum(float(x[1].total_price) for x in _items)
|
calculate_total_amt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, items={}):\n _items = items.items() or self.items.items()\n return sum(float(x[1].total_price) for x in _items)\n",
"role": "user"
},
{
"content": "calculate_total_amt",
"role": "assistant"
}
] |
def x(self, items):
xs = [item._asdict() for _key, item in items.items()]
return list(map(lambda x: dict(zip(x.keys(), x.values())), xs))
|
encode_items
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, items):\n xs = [item._asdict() for _key, item in items.items()]\n return list(map(lambda x: dict(zip(x.keys(), x.values())), xs))\n",
"role": "user"
},
{
"content": "encode_items",
"role": "assistant"
}
] |
def x():
log = logging.getLogger(mod_logger + '.main')
parser = argparse.ArgumentParser(description='cons3rt deployment CLI')
parser.add_argument('command', help='Command for the deployment CLI')
parser.add_argument('--network', help='Name of the network')
parser.add_argument('--name', help='Name of a deployment property to get')
args = parser.parse_args()
valid_commands = ['ip', 'device', 'prop']
valid_commands_str = ','.join(valid_commands)
command = args.command.strip().lower()
if command not in valid_commands:
print('Invalid command found [{c}]\n'.format(c=command) +
valid_commands_str)
return 1
if command == 'ip':
if not args.network:
print('Missed arg: --network, for the name of the network')
elif command == 'device':
if not args.network:
print('Missed arg: --network, for the name of the network')
return 1
d = Deployment()
print(d.get_device_for_network_linux(network_name=args.network))
elif command == 'prop':
if not args.name:
print(
'Missed arg: --name, for the name of the property to retrieve')
return 1
d = Deployment()
print(d.get_value(property_name=args.name))
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n log = logging.getLogger(mod_logger + '.main')\n parser = argparse.ArgumentParser(description='cons3rt deployment CLI')\n parser.add_argument('command', help='Command for the deployment CLI')\n parser.add_argument('--network', help='Name of the network')\n parser.add_argument('--name', help='Name of a deployment property to get')\n args = parser.parse_args()\n valid_commands = ['ip', 'device', 'prop']\n valid_commands_str = ','.join(valid_commands)\n command = args.command.strip().lower()\n if command not in valid_commands:\n print('Invalid command found [{c}]\\n'.format(c=command) +\n valid_commands_str)\n return 1\n if command == 'ip':\n if not args.network:\n print('Missed arg: --network, for the name of the network')\n elif command == 'device':\n if not args.network:\n print('Missed arg: --network, for the name of the network')\n return 1\n d = Deployment()\n print(d.get_device_for_network_linux(network_name=args.network))\n elif command == 'prop':\n if not args.name:\n print(\n 'Missed arg: --name, for the name of the property to retrieve')\n return 1\n d = Deployment()\n print(d.get_value(property_name=args.name))\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(self):
log = logging.getLogger(self.cls_logger + '.set_deployment_home')
try:
self.deployment_home = os.environ['DEPLOYMENT_HOME']
except KeyError:
log.warn(
'DEPLOYMENT_HOME environment variable is not set, attempting to set it...'
)
else:
log.info('Found DEPLOYMENT_HOME environment variable set to: {d}'.
format(d=self.deployment_home))
return
if self.cons3rt_agent_run_dir is None:
msg = 'This is not Windows nor Linux, cannot determine DEPLOYMENT_HOME'
log.error(msg)
raise DeploymentError(msg)
if not os.path.isdir(self.cons3rt_agent_run_dir):
msg = (
'Could not find the cons3rt run directory, DEPLOYMENT_HOME cannot be set'
)
log.error(msg)
raise DeploymentError(msg)
run_dir_contents = os.listdir(self.cons3rt_agent_run_dir)
results = []
for item in run_dir_contents:
if 'Deployment' in item:
results.append(item)
if len(results) != 1:
msg = (
'Could not find deployment home in the cons3rt run directory, deployment home cannot be set'
)
log.error(msg)
raise DeploymentError(msg)
candidate_deployment_home = os.path.join(self.cons3rt_agent_run_dir,
results[0])
if not os.path.isdir(candidate_deployment_home):
msg = ('The candidate deployment home is not a valid directory: {d}'
.format(d=candidate_deployment_home))
log.error(msg)
raise DeploymentError(msg)
self.deployment_home = candidate_deployment_home
os.environ['DEPLOYMENT_HOME'] = self.deployment_home
log.info('Set DEPLOYMENT_HOME in the environment to: {d}'.format(d=self
.deployment_home))
|
set_deployment_home
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n log = logging.getLogger(self.cls_logger + '.set_deployment_home')\n try:\n self.deployment_home = os.environ['DEPLOYMENT_HOME']\n except KeyError:\n log.warn(\n 'DEPLOYMENT_HOME environment variable is not set, attempting to set it...'\n )\n else:\n log.info('Found DEPLOYMENT_HOME environment variable set to: {d}'.\n format(d=self.deployment_home))\n return\n if self.cons3rt_agent_run_dir is None:\n msg = 'This is not Windows nor Linux, cannot determine DEPLOYMENT_HOME'\n log.error(msg)\n raise DeploymentError(msg)\n if not os.path.isdir(self.cons3rt_agent_run_dir):\n msg = (\n 'Could not find the cons3rt run directory, DEPLOYMENT_HOME cannot be set'\n )\n log.error(msg)\n raise DeploymentError(msg)\n run_dir_contents = os.listdir(self.cons3rt_agent_run_dir)\n results = []\n for item in run_dir_contents:\n if 'Deployment' in item:\n results.append(item)\n if len(results) != 1:\n msg = (\n 'Could not find deployment home in the cons3rt run directory, deployment home cannot be set'\n )\n log.error(msg)\n raise DeploymentError(msg)\n candidate_deployment_home = os.path.join(self.cons3rt_agent_run_dir,\n results[0])\n if not os.path.isdir(candidate_deployment_home):\n msg = ('The candidate deployment home is not a valid directory: {d}'\n .format(d=candidate_deployment_home))\n log.error(msg)\n raise DeploymentError(msg)\n self.deployment_home = candidate_deployment_home\n os.environ['DEPLOYMENT_HOME'] = self.deployment_home\n log.info('Set DEPLOYMENT_HOME in the environment to: {d}'.format(d=self\n .deployment_home))\n",
"role": "user"
},
{
"content": "set_deployment_home",
"role": "assistant"
}
] |
def x(self, regex):
log = logging.getLogger(self.cls_logger + '.get_property')
if not isinstance(regex, basestring):
log.error('regex arg is not a string found type: {t}'.format(t=
regex.__class__.__name__))
return None
log.debug('Looking up property based on regex: {r}'.format(r=regex))
prop_list_matched = []
for prop_name in self.properties.keys():
match = re.search(regex, prop_name)
if match:
prop_list_matched.append(prop_name)
if len(prop_list_matched) == 1:
log.debug('Found matching property: {p}'.format(p=prop_list_matched[0])
)
return prop_list_matched[0]
elif len(prop_list_matched) > 1:
log.debug(
'Passed regex {r} matched more than 1 property, checking for an exact match...'
.format(r=regex))
for matched_prop in prop_list_matched:
if matched_prop == regex:
log.debug('Found an exact match: {p}'.format(p=matched_prop))
return matched_prop
log.debug('Exact match not found for regex {r}, returning None'.
format(r=regex))
return None
else:
log.debug('Passed regex did not match any deployment properties: {r}'
.format(r=regex))
return None
|
get_property
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, regex):\n log = logging.getLogger(self.cls_logger + '.get_property')\n if not isinstance(regex, basestring):\n log.error('regex arg is not a string found type: {t}'.format(t=\n regex.__class__.__name__))\n return None\n log.debug('Looking up property based on regex: {r}'.format(r=regex))\n prop_list_matched = []\n for prop_name in self.properties.keys():\n match = re.search(regex, prop_name)\n if match:\n prop_list_matched.append(prop_name)\n if len(prop_list_matched) == 1:\n log.debug('Found matching property: {p}'.format(p=prop_list_matched[0])\n )\n return prop_list_matched[0]\n elif len(prop_list_matched) > 1:\n log.debug(\n 'Passed regex {r} matched more than 1 property, checking for an exact match...'\n .format(r=regex))\n for matched_prop in prop_list_matched:\n if matched_prop == regex:\n log.debug('Found an exact match: {p}'.format(p=matched_prop))\n return matched_prop\n log.debug('Exact match not found for regex {r}, returning None'.\n format(r=regex))\n return None\n else:\n log.debug('Passed regex did not match any deployment properties: {r}'\n .format(r=regex))\n return None\n",
"role": "user"
},
{
"content": "get_property",
"role": "assistant"
}
] |
def x(self, regex):
log = logging.getLogger(self.cls_logger + '.get_matching_property_names')
prop_list_matched = []
if not isinstance(regex, basestring):
log.warn('regex arg is not a string, found type: {t}'.format(t=
regex.__class__.__name__))
return prop_list_matched
log.debug('Finding properties matching regex: {r}'.format(r=regex))
for prop_name in self.properties.keys():
match = re.search(regex, prop_name)
if match:
prop_list_matched.append(prop_name)
return prop_list_matched
|
get_matching_property_names
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, regex):\n log = logging.getLogger(self.cls_logger + '.get_matching_property_names')\n prop_list_matched = []\n if not isinstance(regex, basestring):\n log.warn('regex arg is not a string, found type: {t}'.format(t=\n regex.__class__.__name__))\n return prop_list_matched\n log.debug('Finding properties matching regex: {r}'.format(r=regex))\n for prop_name in self.properties.keys():\n match = re.search(regex, prop_name)\n if match:\n prop_list_matched.append(prop_name)\n return prop_list_matched\n",
"role": "user"
},
{
"content": "get_matching_property_names",
"role": "assistant"
}
] |
def x(self, property_name):
log = logging.getLogger(self.cls_logger + '.get_value')
if not isinstance(property_name, basestring):
log.error('property_name arg is not a string, found type: {t}'.
format(t=property_name.__class__.__name__))
return None
prop = self.get_property(property_name)
if not prop:
log.debug('Property name not found matching: {n}'.format(n=
property_name))
return None
value = self.properties[prop]
log.debug('Found value for property {n}: {v}'.format(n=property_name, v
=value))
return value
|
get_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, property_name):\n log = logging.getLogger(self.cls_logger + '.get_value')\n if not isinstance(property_name, basestring):\n log.error('property_name arg is not a string, found type: {t}'.\n format(t=property_name.__class__.__name__))\n return None\n prop = self.get_property(property_name)\n if not prop:\n log.debug('Property name not found matching: {n}'.format(n=\n property_name))\n return None\n value = self.properties[prop]\n log.debug('Found value for property {n}: {v}'.format(n=property_name, v\n =value))\n return value\n",
"role": "user"
},
{
"content": "get_value",
"role": "assistant"
}
] |
def x(self):
log = logging.getLogger(self.cls_logger + '.set_cons3rt_role_name')
try:
self.cons3rt_role_name = os.environ['CONS3RT_ROLE_NAME']
except KeyError:
log.warn(
'CONS3RT_ROLE_NAME is not set, attempting to determine it from deployment properties...'
)
if platform.system() == 'Linux':
log.info('Attempting to determine CONS3RT_ROLE_NAME on Linux...')
try:
self.determine_cons3rt_role_name_linux()
except DeploymentError:
raise
else:
log.warn('Unable to determine CONS3RT_ROLE_NAME on this System')
else:
log.info('Found environment variable CONS3RT_ROLE_NAME: {r}'.format
(r=self.cons3rt_role_name))
return
|
set_cons3rt_role_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n log = logging.getLogger(self.cls_logger + '.set_cons3rt_role_name')\n try:\n self.cons3rt_role_name = os.environ['CONS3RT_ROLE_NAME']\n except KeyError:\n log.warn(\n 'CONS3RT_ROLE_NAME is not set, attempting to determine it from deployment properties...'\n )\n if platform.system() == 'Linux':\n log.info('Attempting to determine CONS3RT_ROLE_NAME on Linux...')\n try:\n self.determine_cons3rt_role_name_linux()\n except DeploymentError:\n raise\n else:\n log.warn('Unable to determine CONS3RT_ROLE_NAME on this System')\n else:\n log.info('Found environment variable CONS3RT_ROLE_NAME: {r}'.format\n (r=self.cons3rt_role_name))\n return\n",
"role": "user"
},
{
"content": "set_cons3rt_role_name",
"role": "assistant"
}
] |
def x(self):
log = logging.getLogger(self.cls_logger + '.get_asset_dir')
try:
self.asset_dir = os.environ['ASSET_DIR']
except KeyError:
log.warn('Environment variable ASSET_DIR is not set!')
else:
log.info('Found environment variable ASSET_DIR: {a}'.format(a=self.
asset_dir))
|
set_asset_dir
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n log = logging.getLogger(self.cls_logger + '.get_asset_dir')\n try:\n self.asset_dir = os.environ['ASSET_DIR']\n except KeyError:\n log.warn('Environment variable ASSET_DIR is not set!')\n else:\n log.info('Found environment variable ASSET_DIR: {a}'.format(a=self.\n asset_dir))\n",
"role": "user"
},
{
"content": "set_asset_dir",
"role": "assistant"
}
] |
def x(self):
log = logging.getLogger(self.cls_logger + '.set_scenario_role_names')
is_master_props = self.get_matching_property_names('isMaster')
for is_master_prop in is_master_props:
role_name = is_master_prop.split('.')[-1]
log.info('Adding scenario host: {n}'.format(n=role_name))
self.scenario_role_names.append(role_name)
is_master = self.get_value(is_master_prop).lower().strip()
if is_master == 'true':
log.info('Found master scenario host: {r}'.format(r=role_name))
self.scenario_master = role_name
|
set_scenario_role_names
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n log = logging.getLogger(self.cls_logger + '.set_scenario_role_names')\n is_master_props = self.get_matching_property_names('isMaster')\n for is_master_prop in is_master_props:\n role_name = is_master_prop.split('.')[-1]\n log.info('Adding scenario host: {n}'.format(n=role_name))\n self.scenario_role_names.append(role_name)\n is_master = self.get_value(is_master_prop).lower().strip()\n if is_master == 'true':\n log.info('Found master scenario host: {r}'.format(r=role_name))\n self.scenario_master = role_name\n",
"role": "user"
},
{
"content": "set_scenario_role_names",
"role": "assistant"
}
] |
def x(self):
log = logging.getLogger(self.cls_logger + '.set_scenario_network_info')
for scenario_host in self.scenario_role_names:
scenario_host_network_info = {'scenario_role_name': scenario_host}
log.debug(
'Looking up network info from deployment properties for scenario host: {s}'
.format(s=scenario_host))
network_name_props = self.get_matching_property_names(
'cons3rt.fap.deployment.machine.*{r}.*networkName'.format(r=
scenario_host))
log.debug('Found {n} network name props'.format(n=str(len(
network_name_props))))
network_info_list = []
for network_name_prop in network_name_props:
network_info = {}
network_name = self.get_value(network_name_prop)
if not network_name:
log.debug('Network name not found for prop: {n}'.format(n=
network_name_prop))
continue
log.debug('Adding info for network name: {n}'.format(n=
network_name))
network_info['network_name'] = network_name
interface_name_prop = (
'cons3rt.fap.deployment.machine.{r}.{n}.interfaceName'.
format(r=scenario_host, n=network_name))
interface_name = self.get_value(interface_name_prop)
if interface_name:
network_info['interface_name'] = interface_name
external_ip_prop = (
'cons3rt.fap.deployment.machine.{r}.{n}.externalIp'.format(
r=scenario_host, n=network_name))
external_ip = self.get_value(external_ip_prop)
if external_ip:
network_info['external_ip'] = external_ip
internal_ip_prop = (
'cons3rt.fap.deployment.machine.{r}.{n}.internalIp'.format(
r=scenario_host, n=network_name))
internal_ip = self.get_value(internal_ip_prop)
if internal_ip:
network_info['internal_ip'] = internal_ip
is_cons3rt_connection_prop = (
'cons3rt.fap.deployment.machine.{r}.{n}.isCons3rtConnection'
.format(r=scenario_host, n=network_name))
is_cons3rt_connection = self.get_value(is_cons3rt_connection_prop)
if is_cons3rt_connection:
if is_cons3rt_connection.lower().strip() == 'true':
network_info['is_cons3rt_connection'] = True
else:
network_info['is_cons3rt_connection'] = False
mac_address_prop = ('cons3rt.fap.deployment.machine.{r}.{n}.mac'
.format(r=scenario_host, n=network_name))
mac_address = self.get_value(mac_address_prop)
if mac_address:
mac_address = mac_address.replace('\\', '')
network_info['mac_address'] = mac_address
log.debug('Found network info: {n}'.format(n=str(network_info)))
network_info_list.append(network_info)
scenario_host_network_info['network_info'] = network_info_list
self.scenario_network_info.append(scenario_host_network_info)
|
set_scenario_network_info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n log = logging.getLogger(self.cls_logger + '.set_scenario_network_info')\n for scenario_host in self.scenario_role_names:\n scenario_host_network_info = {'scenario_role_name': scenario_host}\n log.debug(\n 'Looking up network info from deployment properties for scenario host: {s}'\n .format(s=scenario_host))\n network_name_props = self.get_matching_property_names(\n 'cons3rt.fap.deployment.machine.*{r}.*networkName'.format(r=\n scenario_host))\n log.debug('Found {n} network name props'.format(n=str(len(\n network_name_props))))\n network_info_list = []\n for network_name_prop in network_name_props:\n network_info = {}\n network_name = self.get_value(network_name_prop)\n if not network_name:\n log.debug('Network name not found for prop: {n}'.format(n=\n network_name_prop))\n continue\n log.debug('Adding info for network name: {n}'.format(n=\n network_name))\n network_info['network_name'] = network_name\n interface_name_prop = (\n 'cons3rt.fap.deployment.machine.{r}.{n}.interfaceName'.\n format(r=scenario_host, n=network_name))\n interface_name = self.get_value(interface_name_prop)\n if interface_name:\n network_info['interface_name'] = interface_name\n external_ip_prop = (\n 'cons3rt.fap.deployment.machine.{r}.{n}.externalIp'.format(\n r=scenario_host, n=network_name))\n external_ip = self.get_value(external_ip_prop)\n if external_ip:\n network_info['external_ip'] = external_ip\n internal_ip_prop = (\n 'cons3rt.fap.deployment.machine.{r}.{n}.internalIp'.format(\n r=scenario_host, n=network_name))\n internal_ip = self.get_value(internal_ip_prop)\n if internal_ip:\n network_info['internal_ip'] = internal_ip\n is_cons3rt_connection_prop = (\n 'cons3rt.fap.deployment.machine.{r}.{n}.isCons3rtConnection'\n .format(r=scenario_host, n=network_name))\n is_cons3rt_connection = self.get_value(is_cons3rt_connection_prop)\n if is_cons3rt_connection:\n if is_cons3rt_connection.lower().strip() == 'true':\n network_info['is_cons3rt_connection'] = True\n else:\n network_info['is_cons3rt_connection'] = False\n mac_address_prop = ('cons3rt.fap.deployment.machine.{r}.{n}.mac'\n .format(r=scenario_host, n=network_name))\n mac_address = self.get_value(mac_address_prop)\n if mac_address:\n mac_address = mac_address.replace('\\\\', '')\n network_info['mac_address'] = mac_address\n log.debug('Found network info: {n}'.format(n=str(network_info)))\n network_info_list.append(network_info)\n scenario_host_network_info['network_info'] = network_info_list\n self.scenario_network_info.append(scenario_host_network_info)\n",
"role": "user"
},
{
"content": "set_scenario_network_info",
"role": "assistant"
}
] |
def x(self):
log = logging.getLogger(self.cls_logger + '.set_deployment_name')
self.deployment_name = self.get_value('cons3rt.deployment.name')
log.info('Found deployment name: {n}'.format(n=self.deployment_name))
|
set_deployment_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n log = logging.getLogger(self.cls_logger + '.set_deployment_name')\n self.deployment_name = self.get_value('cons3rt.deployment.name')\n log.info('Found deployment name: {n}'.format(n=self.deployment_name))\n",
"role": "user"
},
{
"content": "set_deployment_name",
"role": "assistant"
}
] |
def x(self):
log = logging.getLogger(self.cls_logger + '.set_deployment_id')
deployment_id_val = self.get_value('cons3rt.deployment.id')
if not deployment_id_val:
log.debug('Deployment ID not found in deployment properties')
return
try:
deployment_id = int(deployment_id_val)
except ValueError:
log.debug('Deployment ID found was unable to convert to an int: {d}'
.format(d=deployment_id_val))
return
self.deployment_id = deployment_id
log.info('Found deployment ID: {i}'.format(i=str(self.deployment_id)))
|
set_deployment_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n log = logging.getLogger(self.cls_logger + '.set_deployment_id')\n deployment_id_val = self.get_value('cons3rt.deployment.id')\n if not deployment_id_val:\n log.debug('Deployment ID not found in deployment properties')\n return\n try:\n deployment_id = int(deployment_id_val)\n except ValueError:\n log.debug('Deployment ID found was unable to convert to an int: {d}'\n .format(d=deployment_id_val))\n return\n self.deployment_id = deployment_id\n log.info('Found deployment ID: {i}'.format(i=str(self.deployment_id)))\n",
"role": "user"
},
{
"content": "set_deployment_id",
"role": "assistant"
}
] |
def x(self):
log = logging.getLogger(self.cls_logger + '.set_deployment_run_name')
self.deployment_run_name = self.get_value('cons3rt.deploymentRun.name')
log.info('Found deployment run name: {n}'.format(n=self.
deployment_run_name))
|
set_deployment_run_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n log = logging.getLogger(self.cls_logger + '.set_deployment_run_name')\n self.deployment_run_name = self.get_value('cons3rt.deploymentRun.name')\n log.info('Found deployment run name: {n}'.format(n=self.\n deployment_run_name))\n",
"role": "user"
},
{
"content": "set_deployment_run_name",
"role": "assistant"
}
] |
def x(self):
log = logging.getLogger(self.cls_logger + '.set_deployment_run_id')
deployment_run_id_val = self.get_value('cons3rt.deploymentRun.id')
if not deployment_run_id_val:
log.debug('Deployment run ID not found in deployment properties')
return
try:
deployment_run_id = int(deployment_run_id_val)
except ValueError:
log.debug(
'Deployment run ID found was unable to convert to an int: {d}'.
format(d=deployment_run_id_val))
return
self.deployment_run_id = deployment_run_id
log.info('Found deployment run ID: {i}'.format(i=str(self.
deployment_run_id)))
|
set_deployment_run_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n log = logging.getLogger(self.cls_logger + '.set_deployment_run_id')\n deployment_run_id_val = self.get_value('cons3rt.deploymentRun.id')\n if not deployment_run_id_val:\n log.debug('Deployment run ID not found in deployment properties')\n return\n try:\n deployment_run_id = int(deployment_run_id_val)\n except ValueError:\n log.debug(\n 'Deployment run ID found was unable to convert to an int: {d}'.\n format(d=deployment_run_id_val))\n return\n self.deployment_run_id = deployment_run_id\n log.info('Found deployment run ID: {i}'.format(i=str(self.\n deployment_run_id)))\n",
"role": "user"
},
{
"content": "set_deployment_run_id",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.