source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(s):
stuff = []
rest = s
while True:
front, token, rest = peel_off_esc_code(rest)
if front:
stuff.append(front)
if token:
try:
tok = token_type(token)
if tok:
stuff.extend(tok)
except ValueError:
raise ValueError("Can't parse escape sequence: %r %r %r %r" %
(s, repr(front), token, repr(rest)))
if not rest:
break
return stuff
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s):\n stuff = []\n rest = s\n while True:\n front, token, rest = peel_off_esc_code(rest)\n if front:\n stuff.append(front)\n ... |
def x(s):
p = (
"""(?P<front>.*?)
(?P<seq>
(?P<csi>
(?:[]\\[)
|
["""
+ '\x9b' +
"""])
(?P<private>)
(?P<numbers>
(?:\\d+;)*
(?:\\d+)?)
(?P<intermed>"""
+ '[ -/]*)' + """
(?P<command>""" + '[@-~]))' +
'\n (?P<rest>.*)')
m1 = re.match(p, s, re.VERBOSE)
m2 = re.match(
'(?P<front>.*?)(?P<seq>(?P<csi>\x1b)(?P<command>[@-_]))(?P<rest>.*)', s
)
if m1 and m2:
m = m1 if len(m1.groupdict()['front']) <= len(m2.groupdict()['front']
) else m2
elif m1:
m = m1
elif m2:
m = m2
else:
m = None
if m:
d = m.groupdict()
del d['front']
del d['rest']
if 'numbers' in d and all(d['numbers'].split(';')):
d['numbers'] = [int(x) for x in d['numbers'].split(';')]
return m.groupdict()['front'], d, m.groupdict()['rest']
else:
return s, None, ''
| peel_off_esc_code | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s):\n p = (\n \"\"\"(?P<front>.*?)\n (?P<seq>\n (?P<csi>\n (?:[\u001b]\\\\[)\n |\n ... |
def x(bytes_, encoding, keynames='curtsies', full=False):
if not all(isinstance(c, type(b'')) for c in bytes_):
raise ValueError('get key expects bytes, got %r' % bytes_)
if keynames not in ['curtsies', 'curses', 'bytes']:
raise ValueError(
"keynames must be one of 'curtsies', 'curses' or 'bytes'")
seq = b''.join(bytes_)
if len(seq) > MAX_KEYPRESS_SIZE:
raise ValueError('unable to decode bytes %r' % seq)
def x():
if keynames == 'curses':
if seq in CURSES_NAMES:
return CURSES_NAMES[seq]
try:
return seq.decode(encoding)
except UnicodeDecodeError:
if len(seq) == 1:
return u'x%02X' % ord(seq)
else:
raise NotImplementedError(
'are multibyte unnameable sequences possible?')
return u'bytes: ' + u'-'.join(u'x%02X' % ord(seq[i:i +
1]) for i in range(len(seq)))
elif keynames == 'curtsies':
if seq in CURTSIES_NAMES:
return CURTSIES_NAMES[seq]
return seq.decode(encoding)
else:
assert keynames == 'bytes'
return seq
key_known = seq in CURTSIES_NAMES or seq in CURSES_NAMES or decodable(seq,
encoding)
if full and key_known:
return key_name()
elif seq in KEYMAP_PREFIXES or could_be_unfinished_char(seq, encoding):
return None
elif key_known:
return key_name()
else:
seq.decode(encoding)
assert False, 'should have raised an unicode decode error'
| get_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bytes_, encoding, keynames='curtsies', full=False):\n if not all(isinstance(c, type(b'')) for c in bytes_):\n raise ValueError('get key expects bytes... |
def x(seq, encoding):
if decodable(seq, encoding):
return False
if encodings.codecs.getdecoder('utf8') is encodings.codecs.getdecoder(
encoding):
return could_be_unfinished_utf8(seq)
elif encodings.codecs.getdecoder('ascii') is encodings.codecs.getdecoder(
encoding):
return False
else:
return True
| could_be_unfinished_char | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(seq, encoding):\n if decodable(seq, encoding):\n return False\n if encodings.codecs.getdecoder('utf8') is encodings.codecs.getdecoder(\n en... |
def x(seq):
if isinstance(seq, Event):
return str(seq)
rev_curses = dict((v, k) for k, v in CURSES_NAMES.items())
rev_curtsies = dict((v, k) for k, v in CURTSIES_NAMES.items())
if seq in rev_curses:
seq = rev_curses[seq]
elif seq in rev_curtsies:
seq = rev_curtsies[seq]
pretty = curtsies_name(seq)
if pretty != seq:
return pretty
return repr(seq).lstrip('u')[1:-1]
| pp_event | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(seq):\n if isinstance(seq, Event):\n return str(seq)\n rev_curses = dict((v, k) for k, v in CURSES_NAMES.items())\n rev_curtsies = dict((v, k) ... |
def x(max=2):
nouns = []
for noun in range(0, max):
nouns.append(random.choice(noun_list))
return ' '.join(nouns)
| create_nouns | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(max=2):\n nouns = []\n for noun in range(0, max):\n nouns.append(random.choice(noun_list))\n return ' '.join(nouns)\n",
"role": "user"
},... |
def x(past=False, max_years_future=10, max_years_past=10):
if past:
start = datetime.datetime.today() - datetime.timedelta(days=
max_years_past * 365)
num_days = max_years_future * 365 + start.day
else:
start = datetime.datetime.today()
num_days = max_years_future * 365
random_days = random.randint(1, num_days)
random_date = start + datetime.timedelta(days=random_days)
return random_date
| create_date | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(past=False, max_years_future=10, max_years_past=10):\n if past:\n start = datetime.datetime.today() - datetime.timedelta(days=\n max_years... |
def x(min_age=18, max_age=80):
age = random.randint(min_age, max_age)
start = datetime.date.today() - datetime.timedelta(days=random.randint(
0, 365))
return start - datetime.timedelta(days=age * 365)
| create_birthday | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(min_age=18, max_age=80):\n age = random.randint(min_age, max_age)\n start = datetime.date.today() - datetime.timedelta(days=random.randint(\n 0, 3... |
def x(length=8, digits=2, upper=2, lower=2):
seed(time())
lowercase = string.ascii_lowercase
uppercase = string.ascii_uppercase
letters = string.ascii_letters
password = list(chain((choice(uppercase) for _ in range(upper)), (
choice(lowercase) for _ in range(lower)), (choice(string.digits) for
_ in range(digits)), (choice(letters) for _ in range(length -
digits - upper - lower))))
return ''.join(sample(password, len(password)))
| create_pw | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(length=8, digits=2, upper=2, lower=2):\n seed(time())\n lowercase = string.ascii_lowercase\n uppercase = string.ascii_uppercase\n letters = string.... |
def x():
first, last = create_name()
add = create_street()
zip, city, state = create_city_state_zip()
phone = create_phone(zip)
print(first, last)
print(add)
print('{0:s} {1:s} {2:s}'.format(city, state, zip))
print(phone)
print(create_sentence())
print(create_paragraphs(num=3))
print(create_cc_number())
expiry = create_date(max_years_future=3)
print('{0:%m/%y}'.format(expiry))
print(create_email(name=(first, last)))
print('Password: {0:s}'.format(create_pw()))
print(create_company_name())
print(create_job_title())
print('Born on {0:%m/%d/%Y}'.format(create_birthday()))
| show_examples | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n first, last = create_name()\n add = create_street()\n zip, city, state = create_city_state_zip()\n phone = create_phone(zip)\n print(first,... |
def x(block_struct, row_offsets, block_offsets, row):
block_index, i, j = convert_row_to_sdpa_index(block_struct, row_offsets,
row)
offset = block_offsets[block_index]
ci = offset + i
cj = offset + j
return cj, ci
| convert_to_mosek_index | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(block_struct, row_offsets, block_offsets, row):\n block_index, i, j = convert_row_to_sdpa_index(block_struct, row_offsets,\n row)\n offset = block... |
def x(sdp):
barci = []
barcj = []
barcval = []
barai = []
baraj = []
baraval = []
for k in range(sdp.n_vars):
barai.append([])
baraj.append([])
baraval.append([])
row_offsets = [0]
block_offsets = [0]
cumulative_sum = 0
cumulative_square_sum = 0
for block_size in sdp.block_struct:
cumulative_sum += block_size
cumulative_square_sum += block_size ** 2
row_offsets.append(cumulative_square_sum)
block_offsets.append(cumulative_sum)
for row in range(len(sdp.F.rows)):
if len(sdp.F.rows[row]) > 0:
col_index = 0
for k in sdp.F.rows[row]:
value = sdp.F.data[row][col_index]
i, j = convert_to_mosek_index(sdp.block_struct, row_offsets,
block_offsets, row)
if k > 0:
barai[k - 1].append(i)
baraj[k - 1].append(j)
baraval[k - 1].append(-value)
else:
barci.append(i)
barcj.append(j)
barcval.append(value)
col_index += 1
return barci, barcj, barcval, barai, baraj, baraval
| convert_to_mosek_matrix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sdp):\n barci = []\n barcj = []\n barcval = []\n barai = []\n baraj = []\n baraval = []\n for k in range(sdp.n_vars):\n barai.appen... |
def x(sdp):
import mosek
if sdp.complex_matrix:
from .picos_utils import convert_to_picos
Problem = convert_to_picos(sdp).to_real()
Problem._make_mosek_instance()
task = Problem.msk_task
if sdp.verbose > 0:
task.set_Stream(mosek.streamtype.log, streamprinter)
return task
barci, barcj, barcval, barai, baraj, baraval = convert_to_mosek_matrix(sdp)
bkc = [mosek.boundkey.fx] * sdp.n_vars
blc = [(-v) for v in sdp.obj_facvar]
buc = [(-v) for v in sdp.obj_facvar]
env = mosek.Env()
task = env.Task(0, 0)
if sdp.verbose > 0:
task.set_Stream(mosek.streamtype.log, streamprinter)
numvar = 0
numcon = len(bkc)
BARVARDIM = [sum(sdp.block_struct)]
task.appendvars(numvar)
task.appendcons(numcon)
task.appendbarvars(BARVARDIM)
for i in range(numcon):
task.putconbound(i, bkc[i], blc[i], buc[i])
symc = task.appendsparsesymmat(BARVARDIM[0], barci, barcj, barcval)
task.putbarcj(0, [symc], [1.0])
for i in range(len(barai)):
syma = task.appendsparsesymmat(BARVARDIM[0], barai[i], baraj[i],
baraval[i])
task.putbaraij(i, 0, [syma], [1.0])
task.putobjsense(mosek.objsense.minimize)
return task
| convert_to_mosek | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sdp):\n import mosek\n if sdp.complex_matrix:\n from .picos_utils import convert_to_picos\n Problem = convert_to_picos(sdp).to_real()\n ... |
def x(self, text):
if text:
if self.pending_nodes:
self.pending_nodes[-1].append(nodes.Text(text))
else:
self.new_nodes.append(nodes.Text(text))
| add_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n if text:\n if self.pending_nodes:\n self.pending_nodes[-1].append(nodes.Text(text))\n else:\n self.new_no... |
def x():
with open(os.path.join('curtsies', '__init__.py')) as input_file:
for line in input_file:
if line.startswith('__version__'):
return ast.parse(line).body[0].value.s
| version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n with open(os.path.join('curtsies', '__init__.py')) as input_file:\n for line in input_file:\n if line.startswith('__version__'):\n ... |
def x(strings, *args, **kwargs):
strings = list(strings)
if 'width' in kwargs:
width = kwargs['width']
del kwargs['width']
if strings and max(len(s) for s in strings) > width:
raise ValueError("Those strings won't fit for width %d" % width)
else:
width = max(len(s) for s in strings) if strings else 0
fstrings = [(s if isinstance(s, FmtStr) else fmtstr(s, *args, **kwargs)
) for s in strings]
arr = FSArray(len(fstrings), width, *args, **kwargs)
rows = [fs.setslice_with_length(0, len(s), s, width) for fs, s in zip(
arr.rows, fstrings)]
arr.rows = rows
return arr
| fsarray | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(strings, *args, **kwargs):\n strings = list(strings)\n if 'width' in kwargs:\n width = kwargs['width']\n del kwargs['width']\n if st... |
def x(cls, a, b, ignore_formatting=False):
def x(x):
return u'\x1b[4m%s\x1b[0m' % (x,)
def x(x):
return u'\x1b[5m%s\x1b[0m' % (x,)
a_rows = []
b_rows = []
max_width = max([len(row) for row in a] + [len(row) for row in b])
a_lengths = []
b_lengths = []
for a_row, b_row in zip(a, b):
a_lengths.append(len(a_row))
b_lengths.append(len(b_row))
extra_a = u'`' * (max_width - len(a_row))
extra_b = u'`' * (max_width - len(b_row))
a_line = u''
b_line = u''
for a_char, b_char in zip(a_row + extra_a, b_row + extra_b):
if ignore_formatting:
a_char_for_eval = a_char.s if isinstance(a_char, FmtStr
) else a_char
b_char_for_eval = b_char.s if isinstance(b_char, FmtStr
) else b_char
else:
a_char_for_eval = a_char
b_char_for_eval = b_char
if a_char_for_eval == b_char_for_eval:
a_line += actualize(a_char)
b_line += actualize(b_char)
else:
a_line += underline(blink(actualize(a_char)))
b_line += underline(blink(actualize(b_char)))
a_rows.append(a_line)
b_rows.append(b_line)
hdiff = '\n'.join(a_line + u' %3d | %3d ' % (a_len, b_len) + b_line for
a_line, b_line, a_len, b_len in zip(a_rows, b_rows, a_lengths,
b_lengths))
return hdiff
| diff | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, a, b, ignore_formatting=False):\n\n def x(x):\n return u'\\x1b[4m%s\\x1b[0m' % (x,)\n\n def x(x):\n return u'\\x1b[5m%s\\x1b[0m' % (x,... |
def x(self, rate, amount, order_type, pair):
nonce = nounce()
payload = {'rate': rate, 'amount': amount, 'order_type': order_type,
'pair': pair}
url = 'https://coincheck.com/api/exchange/orders'
body = ('rate={rate}&amount={amount}&order_type={order_type}&pair={pair}'
.format(**payload))
message = nonce + url + body
signature = hmac.new(self.secret_key.encode('utf-8'), message.encode(
'utf-8'), hashlib.sha256).hexdigest()
headers = {'ACCESS-KEY': self.access_key, 'ACCESS-NONCE': nonce,
'ACCESS-SIGNATURE': signature}
r = requests.post(url, headers=headers, data=body)
return json.loads(r.text)
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rate, amount, order_type, pair):\n nonce = nounce()\n payload = {'rate': rate, 'amount': amount, 'order_type': order_type,\n 'pair': pair}\n... |
def x(self, order_id):
url = 'https://coincheck.com/api/exchange/orders/' + order_id
headers = make_header(url, access_key=self.access_key, secret_key=self.
secret_key)
r = requests.delete(url, headers=headers)
return json.loads(r.text)
| cancel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, order_id):\n url = 'https://coincheck.com/api/exchange/orders/' + order_id\n headers = make_header(url, access_key=self.access_key, secret_key=self... |
def x(self):
url = 'https://coincheck.com/api/exchange/orders/transactions'
headers = make_header(url, access_key=self.access_key, secret_key=self.
secret_key)
r = requests.get(url, headers=headers)
return json.loads(r.text)
| history | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n url = 'https://coincheck.com/api/exchange/orders/transactions'\n headers = make_header(url, access_key=self.access_key, secret_key=self.\n ... |
def x(obj):
try:
return len(obj)
except TypeError:
try:
get_hint = type(obj).__length_hint__
except AttributeError:
return None
try:
hint = get_hint(obj)
except TypeError:
return None
if hint is NotImplemented or not isinstance(hint, (int, long)
) or hint < 0:
return None
return hint
| length_hint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n try:\n return len(obj)\n except TypeError:\n try:\n get_hint = type(obj).__length_hint__\n except AttributeError:... |
def x(text, color=None):
stdout = _default_text_stdout()
if not isatty(sys.stdin) or not isatty(stdout):
return _nullpager(stdout, text, color)
if 'PAGER' in os.environ:
if WIN:
return _tempfilepager(text, os.environ['PAGER'], color)
return _pipepager(text, os.environ['PAGER'], color)
if os.environ.get('TERM') in ('dumb', 'emacs'):
return _nullpager(stdout, text, color)
if WIN or sys.platform.startswith('os2'):
return _tempfilepager(text, 'more <', color)
if hasattr(os, 'system') and os.system('(less) 2>/dev/null') == 0:
return _pipepager(text, 'less', color)
import tempfile
fd, filename = tempfile.mkstemp()
os.close(fd)
try:
if hasattr(os, 'system') and os.system('more "%s"' % filename) == 0:
return _pipepager(text, 'more', color)
return _nullpager(stdout, text, color)
finally:
os.unlink(filename)
| pager | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, color=None):\n stdout = _default_text_stdout()\n if not isatty(sys.stdin) or not isatty(stdout):\n return _nullpager(stdout, text, color)\n ... |
def x(cls, retries, redirect=True, default=None):
if retries is None:
retries = default if default is not None else cls.DEFAULT
if isinstance(retries, Retry):
return retries
redirect = bool(redirect) and None
new_retries = cls(retries, redirect=redirect)
log.debug('Converted retries value: %r -> %r' % (retries, new_retries))
return new_retries
| from_int | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, retries, redirect=True, default=None):\n if retries is None:\n retries = default if default is not None else cls.DEFAULT\n if isinstance(retr... |
def x(self):
if self._observed_errors <= 1:
return 0
backoff_value = self.backoff_factor * 2 ** (self._observed_errors - 1)
return min(self.BACKOFF_MAX, backoff_value)
| get_backoff_time | [
{
"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._observed_errors <= 1:\n return 0\n backoff_value = self.backoff_factor * 2 ** (self._observed_errors - 1)\n return min(self.B... |
def x(self, method, status_code):
if self.method_whitelist and method.upper() not in self.method_whitelist:
return False
return self.status_forcelist and status_code in self.status_forcelist
| is_forced_retry | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, status_code):\n if self.method_whitelist and method.upper() not in self.method_whitelist:\n return False\n return self.status_forcel... |
def x(ty, default=None):
if isinstance(ty, tuple):
return Tuple(ty)
if isinstance(ty, ParamType):
return ty
guessed_type = False
if ty is None and default is not None:
ty = type(default)
guessed_type = True
if ty is text_type or ty is str or ty is None:
return STRING
if ty is int:
return INT
if ty is bool and not guessed_type:
return BOOL
if ty is float:
return FLOAT
if guessed_type:
return STRING
if __debug__:
try:
if issubclass(ty, ParamType):
raise AssertionError(
'Attempted to use an uninstantiated parameter type (%s).' %
ty)
except TypeError:
pass
return FuncParamType(ty)
| convert_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ty, default=None):\n if isinstance(ty, tuple):\n return Tuple(ty)\n if isinstance(ty, ParamType):\n return ty\n guessed_type = False\n ... |
def x(text, width=78, initial_indent='', subsequent_indent='',
preserve_paragraphs=False):
from ._textwrap import TextWrapper
text = text.expandtabs()
post_wrap_indent = subsequent_indent[:-1]
subsequent_indent = subsequent_indent[-1:]
wrapper = TextWrapper(width, initial_indent=initial_indent,
subsequent_indent=subsequent_indent, replace_whitespace=False)
if not preserve_paragraphs:
return add_subsequent_indent(wrapper.fill(text), post_wrap_indent)
p = []
buf = []
indent = None
def x():
if not buf:
return
if buf[0].strip() == '\x08':
p.append((indent or 0, True, '\n'.join(buf[1:])))
else:
p.append((indent or 0, False, ' '.join(buf)))
del buf[:]
for line in text.splitlines():
if not line:
_flush_par()
indent = None
else:
if indent is None:
orig_len = term_len(line)
line = line.lstrip()
indent = orig_len - term_len(line)
buf.append(line)
_flush_par()
rv = []
for indent, raw, text in p:
with wrapper.extra_indent(' ' * indent):
if raw:
rv.append(add_subsequent_indent(wrapper.indent_only(text),
post_wrap_indent))
else:
rv.append(add_subsequent_indent(wrapper.fill(text),
post_wrap_indent))
return '\n\n'.join(rv)
| wrap_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, width=78, initial_indent='', subsequent_indent='',\n preserve_paragraphs=False):\n from ._textwrap import TextWrapper\n text = text.expandtabs()... |
def x(self, prog, args='', prefix='Usage: '):
prefix = '%*s%s' % (self.current_indent, prefix, prog)
self.write(prefix)
text_width = max(self.width - self.current_indent - term_len(prefix), 10)
indent = ' ' * (term_len(prefix) + 1)
self.write(wrap_text(args, text_width, initial_indent=' ',
subsequent_indent=indent))
self.write('\n')
| write_usage | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, prog, args='', prefix='Usage: '):\n prefix = '%*s%s' % (self.current_indent, prefix, prog)\n self.write(prefix)\n text_width = max(self.width - ... |
def x(preset, name, silent, update):
if self.isactive():
lib.echo('Please exit current preset before starting a new')
sys.exit(lib.USER_ERROR)
if not name:
count = 0
name = lib.random_name()
while name in _extern.projects():
if count > 10:
lib.echo("ERROR: Couldn't come up with a unique name :(")
sys.exit(lib.USER_ERROR)
name = lib.random_name()
count += 1
project_dir = lib.project_dir(_extern.cwd(), name)
if os.path.exists(project_dir):
lib.echo('"%s" already exists' % name)
sys.exit(lib.USER_ERROR)
username, preset = ([None] + preset.split('/', 1))[-2:]
presets_dir = _extern.presets_dir()
preset_dir = os.path.join(presets_dir, preset)
relative = False if username else True
try:
if not update and preset in _extern.local_presets():
_extern.copy_preset(preset_dir, project_dir)
else:
lib.echo('Finding preset for "%s".. ' % preset, silent)
time.sleep(1 if silent else 0)
if relative:
presets = _extern.github_presets()
if preset not in presets:
sys.stdout.write('"%s" not found' % preset)
sys.exit(lib.USER_ERROR)
time.sleep(1 if silent else 0)
repository = presets[preset]
else:
repository = username + '/' + preset
lib.echo('Pulling %s.. ' % repository, silent)
repository = _extern.fetch_release(repository)
if preset in _extern.local_presets():
_extern.remove_preset(preset)
try:
_extern.pull_preset(repository, preset_dir)
except IOError as e:
lib.echo(
'ERROR: Sorry, something went wrong.\nUse be --verbose for more'
)
lib.echo(e)
sys.exit(lib.USER_ERROR)
try:
_extern.copy_preset(preset_dir, project_dir)
finally:
if not relative:
_extern.remove_preset(preset)
except IOError as exc:
if self.verbose:
lib.echo('ERROR: %s' % exc)
else:
lib.echo('ERROR: Could not write, do you have permission?')
sys.exit(lib.PROGRAM_ERROR)
lib.echo('"%s" created' % name, silent)
| new | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(preset, name, silent, update):\n if self.isactive():\n lib.echo('Please exit current preset before starting a new')\n sys.exit(lib.USER_ERROR)... |
def x(preset, clean):
if self.isactive():
lib.echo('ERROR: Exit current project first')
sys.exit(lib.USER_ERROR)
presets = _extern.github_presets()
if preset not in presets:
sys.stdout.write('"%s" not found' % preset)
sys.exit(lib.USER_ERROR)
lib.echo(
'Are you sure you want to update "%s", any changes will be lost?: [y/N]: '
, newline=False)
if raw_input().lower() in ('y', 'yes'):
presets_dir = _extern.presets_dir()
preset_dir = os.path.join(presets_dir, preset)
repository = presets[preset]
if clean:
try:
_extern.remove_preset(preset)
except:
lib.echo('ERROR: Could not clean existing preset')
sys.exit(lib.USER_ERROR)
lib.echo('Updating %s.. ' % repository)
try:
_extern.pull_preset(repository, preset_dir)
except IOError as e:
lib.echo(e)
sys.exit(lib.USER_ERROR)
else:
lib.echo('Cancelled')
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(preset, clean):\n if self.isactive():\n lib.echo('ERROR: Exit current project first')\n sys.exit(lib.USER_ERROR)\n presets = _extern.github... |
def x(topics, complete):
topics = list(topics)[2:]
if len(topics) > 1 and topics[-1] == topics[-2]:
topics.pop()
if len(topics) == 0:
projects = lib.list_projects(root=_extern.cwd())
sys.stdout.write(' '.join(projects))
elif len(topics) == 1:
project = topics[0]
projects = lib.list_projects(root=_extern.cwd())
if not complete:
projects = [i for i in projects if i.startswith(project)]
sys.stdout.write(' '.join(projects))
else:
inventory = _extern.load_inventory(project)
inventory = lib.list_inventory(inventory)
items = [i for i, b in inventory]
sys.stdout.write(' '.join(items))
else:
project, item = topics[:2]
if len(topics) == 2 and not complete:
inventory = _extern.load_inventory(project)
inventory = lib.list_inventory(inventory)
items = [i for i, b in inventory]
items = [i for i in items if i.startswith(item)]
sys.stdout.write(' '.join(items))
else:
try:
be = _extern.load_be(project)
templates = _extern.load_templates(project)
inventory = _extern.load_inventory(project)
item = topics[-1]
items = lib.list_template(root=_extern.cwd(), topics=topics,
templates=templates, inventory=inventory, be=be)
if not complete:
items = lib.list_template(root=_extern.cwd(), topics=
topics[:-1], templates=templates, inventory=
inventory, be=be)
items = [i for i in items if i.startswith(item)]
sys.stdout.write(' '.join(items) + ' ')
else:
sys.stdout.write(' '.join(items) + ' ')
except IndexError:
sys.exit(lib.NORMAL)
| tab | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(topics, complete):\n topics = list(topics)[2:]\n if len(topics) > 1 and topics[-1] == topics[-2]:\n topics.pop()\n if len(topics) == 0:\n ... |
def x():
parent = lib.parent()
try:
cmd = lib.cmd(parent)
except SystemError as exc:
lib.echo(exc)
sys.exit(lib.PROGRAM_ERROR)
context = lib.context(root=_extern.cwd())
context['BE_SHELL'] = parent
if lib.platform() == 'unix':
context['BE_TABCOMPLETION'] = os.path.join(os.path.dirname(__file__
), '_autocomplete.sh').replace('\\', '/')
context.pop('BE_ACTIVE', None)
sys.exit(subprocess.call(cmd, env=context))
| activate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n parent = lib.parent()\n try:\n cmd = lib.cmd(parent)\n except SystemError as exc:\n lib.echo(exc)\n sys.exit(lib.PROGRAM_ERR... |
def x(topics):
if self.isactive():
lib.echo('ERROR: Exit current project first')
sys.exit(lib.USER_ERROR)
if len(topics) == 0:
for project in lib.list_projects(root=_extern.cwd()):
lib.echo('- %s (project)' % project)
sys.exit(lib.NORMAL)
elif len(topics) == 1:
inventory = _extern.load_inventory(topics[0])
for item, binding in lib.list_inventory(inventory):
lib.echo('- %s (%s)' % (item, binding))
sys.exit(lib.NORMAL)
else:
try:
project = topics[0]
be = _extern.load_be(project)
templates = _extern.load_templates(project)
inventory = _extern.load_inventory(project)
for item in lib.list_template(root=_extern.cwd(), topics=topics,
templates=templates, inventory=inventory, be=be):
lib.echo('- %s' % item)
except IndexError as exc:
lib.echo(exc)
sys.exit(lib.USER_ERROR)
sys.exit(lib.NORMAL)
| ls | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(topics):\n if self.isactive():\n lib.echo('ERROR: Exit current project first')\n sys.exit(lib.USER_ERROR)\n if len(topics) == 0:\n f... |
def x(dir, enter):
if not os.path.exists(dir):
os.makedirs(dir)
| mkdir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dir, enter):\n if not os.path.exists(dir):\n os.makedirs(dir)\n",
"role": "user"
},
{
"content": "mkdir",
"role": "assistant"
}
] |
def x(remote):
if self.isactive():
lib.echo('ERROR: Exit current project first')
sys.exit(lib.USER_ERROR)
if remote:
presets = _extern.github_presets()
else:
presets = _extern.local_presets()
if not presets:
lib.echo('No presets found')
sys.exit(lib.NORMAL)
for preset in sorted(presets):
lib.echo('- %s' % preset)
sys.exit(lib.NORMAL)
| preset_ls | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(remote):\n if self.isactive():\n lib.echo('ERROR: Exit current project first')\n sys.exit(lib.USER_ERROR)\n if remote:\n presets = _... |
def x(query):
if self.isactive():
lib.echo('ERROR: Exit current project first')
sys.exit(lib.USER_ERROR)
found = _extern.github_presets().get(query)
if found:
lib.echo(found)
else:
lib.echo('Unable to locate preset "%s"' % query)
| preset_find | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(query):\n if self.isactive():\n lib.echo('ERROR: Exit current project first')\n sys.exit(lib.USER_ERROR)\n found = _extern.github_presets()... |
def x():
if not self.isactive():
lib.echo('ERROR: Enter a project first')
sys.exit(lib.USER_ERROR)
custom = sorted(os.environ.get('BE_ENVIRONMENT', '').split())
if custom:
lib.echo('Custom:')
for key in custom:
lib.echo('- %s=%s' % (key, os.environ.get(key)))
project = os.environ['BE_PROJECT']
root = os.environ['BE_PROJECTSROOT']
be = _extern.load(project, 'be', optional=True, root=root)
redirect = be.get('redirect', {}).items()
if redirect:
lib.echo('\nRedirect:')
for map_source, map_dest in sorted(redirect):
lib.echo('- %s=%s' % (map_dest, os.environ.get(map_dest)))
prefixed = dict((k, v) for k, v in os.environ.iteritems() if k.
startswith('BE_'))
if prefixed:
lib.echo('\nPrefixed:')
for key in sorted(prefixed):
if not key.startswith('BE_'):
continue
lib.echo('- %s=%s' % (key, os.environ.get(key)))
sys.exit(lib.NORMAL)
| dump | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if not self.isactive():\n lib.echo('ERROR: Enter a project first')\n sys.exit(lib.USER_ERROR)\n custom = sorted(os.environ.get('BE_ENV... |
def x():
if not self.isactive():
lib.echo('No topic')
sys.exit(lib.USER_ERROR)
lib.echo(os.environ.get('BE_TOPICS', 'This is a bug'))
| what | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if not self.isactive():\n lib.echo('No topic')\n sys.exit(lib.USER_ERROR)\n lib.echo(os.environ.get('BE_TOPICS', 'This is a bug'))\n",... |
def x(url):
try:
from netrc import netrc, NetrcParseError
netrc_path = None
for f in NETRC_FILES:
try:
loc = os.path.expanduser('~/{0}'.format(f))
except KeyError:
return
if os.path.exists(loc):
netrc_path = loc
break
if netrc_path is None:
return
ri = urlparse(url)
host = ri.netloc.split(':')[0]
try:
_netrc = netrc(netrc_path).authenticators(host)
if _netrc:
login_i = 0 if _netrc[0] else 1
return _netrc[login_i], _netrc[2]
except (NetrcParseError, IOError):
pass
except (ImportError, AttributeError):
pass
| get_netrc_auth | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n try:\n from netrc import netrc, NetrcParseError\n netrc_path = None\n for f in NETRC_FILES:\n try:\n ... |
def x(cj, cookie_dict):
cj2 = cookiejar_from_dict(cookie_dict)
cj.update(cj2)
return cj
| add_dict_to_cookiejar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cj, cookie_dict):\n cj2 = cookiejar_from_dict(cookie_dict)\n cj.update(cj2)\n return cj\n",
"role": "user"
},
{
"content": "add_dict_to_co... |
def x(url):
get_proxy = lambda k: os.environ.get(k) or os.environ.get(k.upper())
no_proxy = get_proxy('no_proxy')
netloc = urlparse(url).netloc
if no_proxy:
no_proxy = no_proxy.replace(' ', '').split(',')
ip = netloc.split(':')[0]
if is_ipv4_address(ip):
for proxy_ip in no_proxy:
if is_valid_cidr(proxy_ip):
if address_in_network(ip, proxy_ip):
return True
else:
for host in no_proxy:
if netloc.endswith(host) or netloc.split(':')[0].endswith(host
):
return True
try:
bypass = proxy_bypass(netloc)
except (TypeError, socket.gaierror):
bypass = False
if bypass:
return True
return False
| should_bypass_proxies | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n get_proxy = lambda k: os.environ.get(k) or os.environ.get(k.upper())\n no_proxy = get_proxy('no_proxy')\n netloc = urlparse(url).netloc\n i... |
def x(name='python-requests'):
_implementation = platform.python_implementation()
if _implementation == 'CPython':
_implementation_version = platform.python_version()
elif _implementation == 'PyPy':
_implementation_version = '%s.%s.%s' % (sys.pypy_version_info.major,
sys.pypy_version_info.minor, sys.pypy_version_info.micro)
if sys.pypy_version_info.releaselevel != 'final':
_implementation_version = ''.join([_implementation_version, sys
.pypy_version_info.releaselevel])
elif _implementation == 'Jython':
_implementation_version = platform.python_version()
elif _implementation == 'IronPython':
_implementation_version = platform.python_version()
else:
_implementation_version = 'Unknown'
try:
p_system = platform.system()
p_release = platform.release()
except IOError:
p_system = 'Unknown'
p_release = 'Unknown'
return ' '.join(['%s/%s' % (name, __version__), '%s/%s' % (
_implementation, _implementation_version), '%s/%s' % (p_system,
p_release)])
| default_user_agent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name='python-requests'):\n _implementation = platform.python_implementation()\n if _implementation == 'CPython':\n _implementation_version = platf... |
def x(string, encoding='ascii'):
out = None
if isinstance(string, builtin_str):
out = string
elif is_py2:
out = string.encode(encoding)
else:
out = string.decode(encoding)
return out
| to_native_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string, encoding='ascii'):\n out = None\n if isinstance(string, builtin_str):\n out = string\n elif is_py2:\n out = string.encode(encodi... |
def x(cmd, prog_name, complete_var=None):
if complete_var is None:
complete_var = '_%s_COMPLETE' % prog_name.replace('-', '_').upper()
complete_instr = os.environ.get(complete_var)
if not complete_instr:
return
from ._bashcomplete import bashcomplete
if bashcomplete(cmd, prog_name, complete_var, complete_instr):
sys.exit(1)
| bashcomplete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cmd, prog_name, complete_var=None):\n if complete_var is None:\n complete_var = '_%s_COMPLETE' % prog_name.replace('-', '_').upper()\n complete_in... |
def x(*args, **kwargs):
self, callback = args[:2]
ctx = self
injected_arguments = False
if isinstance(callback, Command):
other_cmd = callback
callback = other_cmd.callback
ctx = Context(other_cmd, info_name=other_cmd.name, parent=self)
if callback is None:
raise TypeError(
'The given command does not have a callback that can be invoked.'
)
for param in other_cmd.params:
if param.name not in kwargs and param.expose_value:
kwargs[param.name] = param.get_default(ctx)
injected_arguments = True
args = args[2:]
if getattr(callback, '__click_pass_context__', False):
args = (ctx,) + args
with augment_usage_errors(self):
try:
with ctx:
return callback(*args, **kwargs)
except TypeError as e:
if not injected_arguments:
raise
if 'got multiple values for' in str(e):
raise RuntimeError(
'You called .invoke() on the context with a command but provided parameters as positional arguments. This is not supported but sometimes worked by chance in older versions of Click. To fix this see http://click.pocoo.org/upgrading/#upgrading-to-3.2'
)
raise
| invoke | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n self, callback = args[:2]\n ctx = self\n injected_arguments = False\n if isinstance(callback, Command):\n other_cmd = ca... |
def x(self, info_name, args, parent=None, **extra):
for key, value in iteritems(self.context_settings):
if key not in extra:
extra[key] = value
ctx = Context(self, info_name=info_name, parent=parent, **extra)
self.parse_args(ctx, args)
return ctx
| make_context | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, info_name, args, parent=None, **extra):\n for key, value in iteritems(self.context_settings):\n if key not in extra:\n extra[key] = ... |
def x(self, args=None, prog_name=None, complete_var=None, standalone_mode=
True, **extra):
if not PY2:
try:
import locale
fs_enc = codecs.lookup(locale.getpreferredencoding()).name
except Exception:
fs_enc = 'ascii'
if fs_enc == 'ascii':
raise RuntimeError(
'Click will abort further execution because Python 3 was configured to use ASCII as encoding for the environment. Either switch to Python 2 or consult http://click.pocoo.org/python3/ for mitigation steps.'
)
if args is None:
args = sys.argv[1:]
else:
args = list(args)
if prog_name is None:
prog_name = make_str(os.path.basename(sys.argv and sys.argv[0] or
__file__))
_bashcomplete(self, prog_name, complete_var)
try:
try:
with self.make_context(prog_name, args, **extra) as ctx:
rv = self.invoke(ctx)
if not standalone_mode:
return rv
ctx.exit()
except (EOFError, KeyboardInterrupt):
echo(file=sys.stderr)
raise Abort()
except ClickException as e:
if not standalone_mode:
raise
e.show()
sys.exit(e.exit_code)
except Abort:
if not standalone_mode:
raise
echo('Aborted!', file=sys.stderr)
sys.exit(1)
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args=None, prog_name=None, complete_var=None, standalone_mode=\n True, **extra):\n if not PY2:\n try:\n import locale\n ... |
def x(self, ctx):
parser = OptionParser(ctx)
parser.allow_interspersed_args = ctx.allow_interspersed_args
parser.ignore_unknown_options = ctx.ignore_unknown_options
for param in self.get_params(ctx):
param.add_to_parser(parser, ctx)
return parser
| make_parser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ctx):\n parser = OptionParser(ctx)\n parser.allow_interspersed_args = ctx.allow_interspersed_args\n parser.ignore_unknown_options = ctx.ignore_u... |
def x(self, ctx, formatter):
if self.help:
formatter.write_paragraph()
with formatter.indentation():
formatter.write_text(self.help)
| format_help_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ctx, formatter):\n if self.help:\n formatter.write_paragraph()\n with formatter.indentation():\n formatter.write_text(self.he... |
def x(self, cmd, name=None):
name = name or cmd.name
if name is None:
raise TypeError('Command has no name.')
self.commands[name] = cmd
| add_command | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmd, name=None):\n name = name or cmd.name\n if name is None:\n raise TypeError('Command has no name.')\n self.commands[name] = cmd\n",
... |
def x(f):
@pass_context
def x(*args, **kwargs):
ctx = args[0]
return ctx.invoke(f, ctx.obj, *args[1:], **kwargs)
return update_wrapper(new_func, f)
| pass_obj | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f):\n\n @pass_context\n def x(*args, **kwargs):\n ctx = args[0]\n return ctx.invoke(f, ctx.obj, *args[1:], **kwargs)\n return update_wra... |
def x(*param_decls, **attrs):
def x(f):
if 'help' in attrs:
attrs['help'] = inspect.cleandoc(attrs['help'])
OptionClass = attrs.pop('cls', Option)
_param_memo(f, OptionClass(param_decls, **attrs))
return f
return decorator
| option | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*param_decls, **attrs):\n\n def x(f):\n if 'help' in attrs:\n attrs['help'] = inspect.cleandoc(attrs['help'])\n OptionClass = attrs... |
def x(version=None, *param_decls, **attrs):
if version is None:
module = sys._getframe(1).f_globals.get('__name__')
def x(f):
prog_name = attrs.pop('prog_name', None)
message = attrs.pop('message', '%(prog)s, version %(version)s')
def x(ctx, param, value):
if not value or ctx.resilient_parsing:
return
prog = prog_name
if prog is None:
prog = ctx.find_root().info_name
ver = version
if ver is None:
try:
import pkg_resources
except ImportError:
pass
else:
for dist in pkg_resources.working_set:
scripts = dist.get_entry_map().get('console_scripts'
) or {}
for script_name, entry_point in iteritems(scripts):
if entry_point.module_name == module:
ver = dist.version
break
if ver is None:
raise RuntimeError('Could not determine version')
echo(message % {'prog': prog, 'version': ver}, color=ctx.color)
ctx.exit()
attrs.setdefault('is_flag', True)
attrs.setdefault('expose_value', False)
attrs.setdefault('is_eager', True)
attrs.setdefault('help', 'Show the version and exit.')
attrs['callback'] = callback
return option(*(param_decls or ('--version',)), **attrs)(f)
return decorator
| version_option | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(version=None, *param_decls, **attrs):\n if version is None:\n module = sys._getframe(1).f_globals.get('__name__')\n\n def x(f):\n prog_name... |
def x(username, password):
authstr = 'Basic ' + to_native_string(b64encode(('%s:%s' % (username,
password)).encode('latin1')).strip())
return authstr
| basic_auth_str | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(username, password):\n authstr = 'Basic ' + to_native_string(b64encode(('%s:%s' % (username,\n password)).encode('latin1')).strip())\n return auth... |
def x(*topic, **kwargs):
context = dump()
root = kwargs.get('root') or context.get('cwd') or os.getcwd()
backend = kwargs.get('backend', os.listdir)
absolute = kwargs.get('absolute', True)
content = {(0): 'projects', (1): 'inventory', (2): 'template'}[min(2,
len(topic))]
if content == 'projects':
projects = lib.list_projects(root=root, backend=backend)
if absolute:
return map(lambda p: os.path.join(root, p), projects)
else:
return projects
if content == 'inventory':
project = topic[0]
be = _extern.load(project, 'be', root=root)
inventory = _extern.load(project, 'inventory', root=root)
inventory = lib.invert_inventory(inventory)
templates = _extern.load(project, 'templates', root=root)
if absolute:
paths = list()
for item, binding in inventory.iteritems():
template = templates.get(binding)
index = len(topic)
sliced = lib.slice(index, template)
paths.append(sliced.format(*(topic + (item,)), **context))
return paths
else:
return inventory.keys()
if content == 'template':
project = topic[0]
be = _extern.load(project, 'be', root=root)
templates = _extern.load(project, 'templates', root=root)
inventory = _extern.load(project, 'inventory', root=root)
return lib.list_template(root=root, topics=topic, templates=
templates, inventory=inventory, be=be, absolute=absolute)
| ls | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*topic, **kwargs):\n context = dump()\n root = kwargs.get('root') or context.get('cwd') or os.getcwd()\n backend = kwargs.get('backend', os.listdir)\n... |
def x(context=os.environ):
output = {}
for key, value in context.iteritems():
if not key.startswith('BE_'):
continue
output[key[3:].lower()] = value
return output
| dump | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context=os.environ):\n output = {}\n for key, value in context.iteritems():\n if not key.startswith('BE_'):\n continue\n output[... |
def x():
cwd = os.environ.get('BE_CWD')
if cwd and not os.path.isdir(cwd):
sys.stderr.write('ERROR: %s is not a directory' % cwd)
sys.exit(lib.USER_ERROR)
return cwd or os.getcwd().replace('\\', '/')
| cwd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n cwd = os.environ.get('BE_CWD')\n if cwd and not os.path.isdir(cwd):\n sys.stderr.write('ERROR: %s is not a directory' % cwd)\n sys.exi... |
def x(script, tempdir):
name = 'script' + self.suffix
path = os.path.join(tempdir, name)
with open(path, 'w') as f:
f.write('\n'.join(script))
return path
| write_script | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(script, tempdir):\n name = 'script' + self.suffix\n path = os.path.join(tempdir, name)\n with open(path, 'w') as f:\n f.write('\\n'.join(script... |
def x(aliases, tempdir):
platform = lib.platform()
if platform == 'unix':
home_alias = 'cd $BE_DEVELOPMENTDIR'
else:
home_alias = 'cd %BE_DEVELOPMENTDIR%'
aliases['home'] = home_alias
tempdir = os.path.join(tempdir, 'aliases')
os.makedirs(tempdir)
for alias, cmd in aliases.iteritems():
path = os.path.join(tempdir, alias)
if platform == 'windows':
path += '.bat'
with open(path, 'w') as f:
f.write(cmd)
if platform == 'unix':
st = os.stat(path)
os.chmod(path, st.st_mode | stat.S_IXUSR | stat.S_IXGRP | stat.
S_IXOTH)
return tempdir
| write_aliases | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(aliases, tempdir):\n platform = lib.platform()\n if platform == 'unix':\n home_alias = 'cd $BE_DEVELOPMENTDIR'\n else:\n home_alias = 'c... |
def x():
default_presets_dir = os.path.join(os.path.expanduser('~'), '.be',
'presets')
presets_dir = os.environ.get(BE_PRESETSDIR) or default_presets_dir
if not os.path.exists(presets_dir):
os.makedirs(presets_dir)
return presets_dir
| presets_dir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n default_presets_dir = os.path.join(os.path.expanduser('~'), '.be',\n 'presets')\n presets_dir = os.environ.get(BE_PRESETSDIR) or default_pres... |
def x(preset):
preset_dir = os.path.join(presets_dir(), preset)
try:
shutil.rmtree(preset_dir)
except IOError:
lib.echo('"%s" did not exist' % preset)
| remove_preset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(preset):\n preset_dir = os.path.join(presets_dir(), preset)\n try:\n shutil.rmtree(preset_dir)\n except IOError:\n lib.echo('\"%s\" did ... |
def x(path, **kwargs):
token = os.environ.get(BE_GITHUB_API_TOKEN)
if token:
kwargs['headers'] = {'Authorization': 'token %s' % token}
try:
response = requests.get(path, verify=False, **kwargs)
if response.status_code == 403:
lib.echo(
"""Patience: You can't pull more than 60 presets per hour without an API token.
See https://github.com/mottosso/be/wiki/advanced#extended-preset-access"""
)
sys.exit(lib.USER_ERROR)
return response
except Exception as e:
if self.verbose:
lib.echo('ERROR: %s' % e)
else:
lib.echo(
'ERROR: Something went wrong. See --verbose for more information'
)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, **kwargs):\n token = os.environ.get(BE_GITHUB_API_TOKEN)\n if token:\n kwargs['headers'] = {'Authorization': 'token %s' % token}\n try:\n... |
def x(repo):
_, gistid = repo.split('/')
gist_template = 'https://api.github.com/gists/{}'
gist_path = gist_template.format(gistid)
response = get(gist_path)
if response.status_code == 404:
return False
try:
data = response.json()
except:
return False
files = data.get('files', {})
package = files.get('package.json', {})
try:
content = json.loads(package.get('content', ''))
except:
return False
if content.get('type') != 'bepreset':
return False
return True
| gist_is_preset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(repo):\n _, gistid = repo.split('/')\n gist_template = 'https://api.github.com/gists/{}'\n gist_path = gist_template.format(gistid)\n response = ge... |
def x(repo):
package_template = 'https://raw.githubusercontent.com'
package_template += '/{repo}/master/package.json'
package_path = package_template.format(repo=repo)
response = get(package_path)
if response.status_code == 404:
return False
try:
data = response.json()
except:
return False
if not data.get('type') == 'bepreset':
return False
return True
| repo_is_preset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(repo):\n package_template = 'https://raw.githubusercontent.com'\n package_template += '/{repo}/master/package.json'\n package_path = package_template.... |
def x():
addr = (
'https://raw.githubusercontent.com/mottosso/be-presets/master/presets.json'
)
response = get(addr)
if response.status_code == 404:
lib.echo('Could not connect with preset database')
sys.exit(lib.PROGRAM_ERROR)
return dict((package['name'], package['repository']) for package in
response.json().get('presets'))
| github_presets | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n addr = (\n 'https://raw.githubusercontent.com/mottosso/be-presets/master/presets.json'\n )\n response = get(addr)\n if response.sta... |
def x(preset_dir, project_dir):
os.makedirs(project_dir)
package_file = os.path.join(preset_dir, 'package.json')
with open(package_file) as f:
package = json.load(f)
for fname in os.listdir(preset_dir):
src = os.path.join(preset_dir, fname)
contents = package.get('contents') or []
if fname not in self.files + contents:
continue
if os.path.isfile(src):
shutil.copy2(src, project_dir)
else:
dest = os.path.join(project_dir, fname)
shutil.copytree(src, dest)
| copy_preset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(preset_dir, project_dir):\n os.makedirs(project_dir)\n package_file = os.path.join(preset_dir, 'package.json')\n with open(package_file) as f:\n ... |
def x(templates):
def x(match):
lib.echo('Deprecation warning: The {@ref} syntax is being removed')
key = pattern[match.start():match.end()].strip('@{}')
if key not in templates:
sys.stderr.write('Unresolvable reference: "%s"' % key)
sys.exit(lib.USER_ERROR)
return templates[key]
for key, pattern in templates.copy().iteritems():
templates[key] = re.sub('{@\\w+}', repl, pattern)
return templates
| resolve_references | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(templates):\n\n def x(match):\n lib.echo('Deprecation warning: The {@ref} syntax is being removed')\n key = pattern[match.start():match.end()]... |
def x(self, key, val):
key_lower = key.lower()
new_vals = key, val
vals = _dict_setdefault(self, key_lower, new_vals)
if new_vals is not vals:
if isinstance(vals, list):
vals.append(val)
else:
_dict_setitem(self, key_lower, [vals[0], vals[1], val])
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, val):\n key_lower = key.lower()\n new_vals = key, val\n vals = _dict_setdefault(self, key_lower, new_vals)\n if new_vals is not vals:\n ... |
def x(self, key):
try:
vals = _dict_getitem(self, key.lower())
except KeyError:
return []
else:
if isinstance(vals, tuple):
return [vals[1]]
else:
return vals[1:]
| getlist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n try:\n vals = _dict_getitem(self, key.lower())\n except KeyError:\n return []\n else:\n if isinstance(vals, tuple):... |
def x(self):
for key in self:
vals = _dict_getitem(self, key)
for val in vals[1:]:
yield vals[0], val
| iteritems | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for key in self:\n vals = _dict_getitem(self, key)\n for val in vals[1:]:\n yield vals[0], val\n",
"role": "user"
},... |
def x(self):
for key in self:
val = _dict_getitem(self, key)
yield val[0], ', '.join(val[1:])
| itermerged | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for key in self:\n val = _dict_getitem(self, key)\n yield val[0], ', '.join(val[1:])\n",
"role": "user"
},
{
"content": "... |
def x(cls, message, duplicates=('set-cookie',)):
ret = cls(message.items())
for key in duplicates:
ret.discard(key)
for val in message.getheaders(key):
ret.add(key, val)
return ret
| from_httplib | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, message, duplicates=('set-cookie',)):\n ret = cls(message.items())\n for key in duplicates:\n ret.discard(key)\n for val in message.ge... |
def x(self, method, url, fields=None, **urlopen_kw):
if fields:
url += '?' + urlencode(fields)
return self.urlopen(method, url, **urlopen_kw)
| request_encode_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, url, fields=None, **urlopen_kw):\n if fields:\n url += '?' + urlencode(fields)\n return self.urlopen(method, url, **urlopen_kw)\n",
... |
def x(value):
if isinstance(value, bytes):
try:
return value.decode(sys.getfilesystemencoding())
except UnicodeError:
return value.decode('utf-8', 'replace')
return text_type(value)
| make_str | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n if isinstance(value, bytes):\n try:\n return value.decode(sys.getfilesystemencoding())\n except UnicodeError:\n ... |
def x(message=None, file=None, nl=True, err=False, color=None):
if file is None:
if err:
file = _default_text_stderr()
else:
file = _default_text_stdout()
if message is not None and not isinstance(message, echo_native_types):
message = text_type(message)
if message and not PY2 and is_bytes(message):
binary_file = _find_binary_writer(file)
if binary_file is not None:
file.flush()
binary_file.write(message)
if nl:
binary_file.write(b'\n')
binary_file.flush()
return
if message and not is_bytes(message):
if should_strip_ansi(file, color):
message = strip_ansi(message)
elif WIN:
if auto_wrap_for_ansi is not None:
file = auto_wrap_for_ansi(file)
elif not color:
message = strip_ansi(message)
if message:
file.write(message)
if nl:
file.write('\n')
file.flush()
| echo | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(message=None, file=None, nl=True, err=False, color=None):\n if file is None:\n if err:\n file = _default_text_stderr()\n else:\n ... |
def x():
if self._parent:
return self._parent
if 'BE_SHELL' in os.environ:
self._parent = os.environ['BE_SHELL']
else:
try:
import psutil
except ImportError:
raise ImportError(
"""No shell provided, see documentation for BE_SHELL for more information.
https://github.com/mottosso/be/wiki/environment#read-environment-variables"""
)
parent = psutil.Process(os.getpid()).parent()
if parent.name() in ('be', 'be.exe'):
parent = parent.parent()
self._parent = str(parent.exe())
return self._parent
| parent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if self._parent:\n return self._parent\n if 'BE_SHELL' in os.environ:\n self._parent = os.environ['BE_SHELL']\n else:\n try:... |
def x():
executable = parent()
basename = os.path.basename(executable)
basename, _ = os.path.splitext(basename)
if basename in ('bash', 'sh'):
return 'unix'
if basename in ('cmd', 'powershell'):
return 'windows'
raise SystemError('Unsupported shell: %s' % basename)
| platform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n executable = parent()\n basename = os.path.basename(executable)\n basename, _ = os.path.splitext(basename)\n if basename in ('bash', 'sh'):\n ... |
def x(parent):
shell_name = os.path.basename(parent).rsplit('.', 1)[0]
dirname = os.path.dirname(__file__)
if shell_name in ('bash', 'sh'):
shell = os.path.join(dirname, '_shell.sh').replace('\\', '/')
cmd = [parent.replace('\\', '/'), shell]
elif shell_name in ('cmd',):
shell = os.path.join(dirname, '_shell.bat').replace('\\', '/')
cmd = [parent, '/K', shell]
elif shell_name in ('powershell',):
raise SystemError('Powershell not yet supported')
else:
raise SystemError('Unsupported shell: %s' % shell_name)
return cmd
| cmd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(parent):\n shell_name = os.path.basename(parent).rsplit('.', 1)[0]\n dirname = os.path.dirname(__file__)\n if shell_name in ('bash', 'sh'):\n s... |
def x(root, project=''):
environment = os.environ.copy()
environment.update({'BE_PROJECT': project, 'BE_PROJECTROOT': os.path.
join(root, project).replace('\\', '/') if project else '',
'BE_PROJECTSROOT': root, 'BE_ALIASDIR': '', 'BE_CWD': root, 'BE_CD':
'', 'BE_ROOT': '', 'BE_TOPICS': '', 'BE_DEVELOPMENTDIR': '',
'BE_ACTIVE': '1', 'BE_USER': '', 'BE_SCRIPT': '', 'BE_PYTHON': '',
'BE_ENTER': '', 'BE_TEMPDIR': '', 'BE_PRESETSDIR': '',
'BE_GITHUB_API_TOKEN': '', 'BE_ENVIRONMENT': '', 'BE_BINDING': '',
'BE_TABCOMPLETION': ''})
return environment
| context | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(root, project=''):\n environment = os.environ.copy()\n environment.update({'BE_PROJECT': project, 'BE_PROJECTROOT': os.path.\n join(root, project)... |
def x():
adj = _data.adjectives[random.randint(0, len(_data.adjectives) - 1)]
noun = _data.nouns[random.randint(0, len(_data.nouns) - 1)]
return '%s_%s' % (adj, noun)
| random_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n adj = _data.adjectives[random.randint(0, len(_data.adjectives) - 1)]\n noun = _data.nouns[random.randint(0, len(_data.nouns) - 1)]\n return '%s_%... |
def x(path):
try:
if os.path.basename(path)[0] in ('.', '_'):
return False
if not os.path.isdir(path):
return False
if not any(fname in os.listdir(path) for fname in ('templates.yaml',
'inventory.yaml')):
return False
except:
return False
return True
| isproject | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n try:\n if os.path.basename(path)[0] in ('.', '_'):\n return False\n if not os.path.isdir(path):\n return False\... |
def x(text, silent=False, newline=True):
if silent:
return
print(text) if newline else sys.stdout.write(text)
| echo | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, silent=False, newline=True):\n if silent:\n return\n print(text) if newline else sys.stdout.write(text)\n",
"role": "user"
},
{
... |
def x(root, backend=os.listdir):
projects = list()
for project in sorted(backend(root)):
abspath = os.path.join(root, project)
if not isproject(abspath):
continue
projects.append(project)
return projects
| list_projects | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(root, backend=os.listdir):\n projects = list()\n for project in sorted(backend(root)):\n abspath = os.path.join(root, project)\n if not isp... |
def x(inventory):
inverted = invert_inventory(inventory)
items = list()
for item in sorted(inverted, key=lambda a: (inverted[a], a)):
items.append((item, inverted[item]))
return items
| list_inventory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(inventory):\n inverted = invert_inventory(inventory)\n items = list()\n for item in sorted(inverted, key=lambda a: (inverted[a], a)):\n items.a... |
def x(inventory):
inverted = dict()
for binding, items in inventory.iteritems():
for item in items:
if isinstance(item, dict):
item = item.keys()[0]
item = str(item)
if item in inverted:
echo('Warning: Duplicate item found, for "%s: %s"' % (
binding, item))
continue
inverted[item] = binding
return inverted
| invert_inventory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(inventory):\n inverted = dict()\n for binding, items in inventory.iteritems():\n for item in items:\n if isinstance(item, dict):\n ... |
def x(templates, inventory, context, topics, user, item):
replacement_fields = replacement_fields_from_context(context)
binding = binding_from_item(inventory, item)
pattern = pattern_from_template(templates, binding)
positional_arguments = find_positional_arguments(pattern)
highest_argument = find_highest_position(positional_arguments)
highest_available = len(topics) - 1
if highest_available < highest_argument:
echo('Template for "%s" requires at least %i arguments' % (item,
highest_argument + 1))
sys.exit(USER_ERROR)
try:
return pattern.format(*topics, **replacement_fields).replace('\\', '/')
except KeyError as exc:
echo('TEMPLATE ERROR: %s is not an available key\n' % exc)
echo('Available tokens:')
for key in replacement_fields:
echo('\n- %s' % key)
sys.exit(TEMPLATE_ERROR)
| pos_development_directory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(templates, inventory, context, topics, user, item):\n replacement_fields = replacement_fields_from_context(context)\n binding = binding_from_item(invento... |
def x(templates, inventory, topics, user):
echo('Fixed syntax has been deprecated, see positional syntax')
project, item, task = topics[0].split('/')
template = binding_from_item(inventory, item)
pattern = pattern_from_template(templates, template)
if find_positional_arguments(pattern):
echo('"%s" uses a positional syntax' % project)
echo('Try this:')
echo(' be in %s' % ' '.join([project, item, task]))
sys.exit(USER_ERROR)
keys = {'cwd': os.getcwd(), 'project': project, 'item': item.replace(
'\\', '/'), 'user': user, 'task': task, 'type': task}
try:
return pattern.format(**keys).replace('\\', '/')
except KeyError as exc:
echo('TEMPLATE ERROR: %s is not an available key\n' % exc)
echo('Available keys')
for key in keys:
echo('\n- %s' % key)
sys.exit(1)
| fixed_development_directory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(templates, inventory, topics, user):\n echo('Fixed syntax has been deprecated, see positional syntax')\n project, item, task = topics[0].split('/')\n ... |
def x(context):
return dict((k[3:].lower(), context[k]) for k in context if k.
startswith('BE_'))
| replacement_fields_from_context | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context):\n return dict((k[3:].lower(), context[k]) for k in context if k.\n startswith('BE_'))\n",
"role": "user"
},
{
"content": "repla... |
def x(key, topics):
if re.match('{\\d+}', key):
pos = int(key.strip('{}'))
try:
binding = topics[pos]
except IndexError:
raise IndexError(pos + 1)
else:
echo('be.yaml template key not recognised')
sys.exit(PROJECT_ERROR)
return binding
| item_from_topics | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key, topics):\n if re.match('{\\\\d+}', key):\n pos = int(key.strip('{}'))\n try:\n binding = topics[pos]\n except IndexErro... |
def x(templates, name):
if name not in templates:
echo('No template named "%s"' % name)
sys.exit(1)
return templates[name]
| pattern_from_template | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(templates, name):\n if name not in templates:\n echo('No template named \"%s\"' % name)\n sys.exit(1)\n return templates[name]\n",
"rol... |
def x(inventory, item):
if item in self.bindings:
return self.bindings[item]
bindings = invert_inventory(inventory)
try:
self.bindings[item] = bindings[item]
return bindings[item]
except KeyError as exc:
exc.bindings = bindings
raise exc
| binding_from_item | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(inventory, item):\n if item in self.bindings:\n return self.bindings[item]\n bindings = invert_inventory(inventory)\n try:\n self.bindin... |
def x(fields, context, topics):
def x(context):
for key, value in context.copy().iteritems():
if isinstance(value, list):
context[key] = os.pathsep.join(value)
return context
def x(fields, context):
def x(match):
key = pattern[match.start():match.end()].strip('$')
return context.get(key)
pat = re.compile('\\$\\w+', re.IGNORECASE)
for key, pattern in fields.copy().iteritems():
fields[key] = pat.sub(repl, pattern).strip(os.pathsep)
return fields
def x(fields, context, topics):
source_dict = replacement_fields_from_context(context)
source_dict.update(dict((str(topics.index(topic)), topic) for topic in
topics))
def x(match):
key = pattern[match.start():match.end()].strip('{}')
try:
return source_dict[key]
except KeyError:
echo('PROJECT ERROR: Unavailable reference "%s" in be.yaml' %
key)
sys.exit(PROJECT_ERROR)
for key, pattern in fields.copy().iteritems():
fields[key] = re.sub('{[\\d\\w]+}', repl, pattern)
return fields
fields = _resolve_environment_lists(fields)
fields = _resolve_environment_references(fields, context)
fields = _resolve_environment_fields(fields, context, topics)
return fields
| parse_environment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fields, context, topics):\n\n def x(context):\n for key, value in context.copy().iteritems():\n if isinstance(value, list):\n ... |
def x(redirect, topics, context):
for map_source, map_dest in redirect.items():
if re.match('{\\d+}', map_source):
topics_index = int(map_source.strip('{}'))
topics_value = topics[topics_index]
context[map_dest] = topics_value
continue
context[map_dest] = context[map_source]
| parse_redirect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(redirect, topics, context):\n for map_source, map_dest in redirect.items():\n if re.match('{\\\\d+}', map_source):\n topics_index = int(ma... |
def x(index, template):
try:
return re.match('^.*{[%i]}' % index, template).group()
except AttributeError:
raise ValueError('Index %i not found in template: %s' % (index,
template))
| slice | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(index, template):\n try:\n return re.match('^.*{[%i]}' % index, template).group()\n except AttributeError:\n raise ValueError('Index %i not... |
def x(self, proxy, **proxy_kwargs):
if not proxy in self.proxy_manager:
proxy_headers = self.proxy_headers(proxy)
self.proxy_manager[proxy] = proxy_from_url(proxy, proxy_headers=
proxy_headers, num_pools=self._pool_connections, maxsize=self.
_pool_maxsize, block=self._pool_block, **proxy_kwargs)
return self.proxy_manager[proxy]
| proxy_manager_for | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, proxy, **proxy_kwargs):\n if not proxy in self.proxy_manager:\n proxy_headers = self.proxy_headers(proxy)\n self.proxy_manager[proxy] = ... |
def x(self, conn, url, verify, cert):
if url.lower().startswith('https') and verify:
cert_loc = None
if verify is not True:
cert_loc = verify
if not cert_loc:
cert_loc = DEFAULT_CA_BUNDLE_PATH
if not cert_loc:
raise Exception(
'Could not find a suitable SSL CA certificate bundle.')
conn.cert_reqs = 'CERT_REQUIRED'
conn.ca_certs = cert_loc
else:
conn.cert_reqs = 'CERT_NONE'
conn.ca_certs = None
if cert:
if not isinstance(cert, basestring):
conn.cert_file = cert[0]
conn.key_file = cert[1]
else:
conn.cert_file = cert
| cert_verify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, conn, url, verify, cert):\n if url.lower().startswith('https') and verify:\n cert_loc = None\n if verify is not True:\n cert_... |
def x(self, url, proxies=None):
proxies = proxies or {}
proxy = proxies.get(urlparse(url.lower()).scheme)
if proxy:
proxy = prepend_scheme_if_needed(proxy, 'http')
proxy_manager = self.proxy_manager_for(proxy)
conn = proxy_manager.connection_from_url(url)
else:
parsed = urlparse(url)
url = parsed.geturl()
conn = self.poolmanager.connection_from_url(url)
return conn
| get_connection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, proxies=None):\n proxies = proxies or {}\n proxy = proxies.get(urlparse(url.lower()).scheme)\n if proxy:\n proxy = prepend_scheme_if... |
def x(self, request, proxies):
proxies = proxies or {}
scheme = urlparse(request.url).scheme
proxy = proxies.get(scheme)
if proxy and scheme != 'https':
url = urldefragauth(request.url)
else:
url = request.path_url
return url
| request_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, proxies):\n proxies = proxies or {}\n scheme = urlparse(request.url).scheme\n proxy = proxies.get(scheme)\n if proxy and scheme != '... |
def x(self, proxy):
headers = {}
username, password = get_auth_from_url(proxy)
if username and password:
headers['Proxy-Authorization'] = _basic_auth_str(username, password)
return headers
| proxy_headers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, proxy):\n headers = {}\n username, password = get_auth_from_url(proxy)\n if username and password:\n headers['Proxy-Authorization'] = _ba... |
def x(method, url, **kwargs):
session = sessions.Session()
response = session.request(method=method, url=url, **kwargs)
session.close()
return response
| request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(method, url, **kwargs):\n session = sessions.Session()\n response = session.request(method=method, url=url, **kwargs)\n session.close()\n return re... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.