source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(solution, events, slots):
return [ScheduledItem(event=events[item[0]], slot=slots[item[1]]) for
item in solution]
|
solution_to_schedule
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(solution, events, slots):\n return [ScheduledItem(event=events[item[0]], slot=slots[item[1]]) for\n item in solution]\n",
"role": "user"
},
{
"content": "solution_to_schedule",
"role": "assistant"
}
] |
def x(schedule, events, slots):
array = np.zeros((len(events), len(slots)), dtype=np.int8)
for item in schedule:
array[events.index(item.event), slots.index(item.slot)] = 1
return array
|
schedule_to_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(schedule, events, slots):\n array = np.zeros((len(events), len(slots)), dtype=np.int8)\n for item in schedule:\n array[events.index(item.event), slots.index(item.slot)] = 1\n return array\n",
"role": "user"
},
{
"content": "schedule_to_array",
"role": "assistant"
}
] |
def x(array, events, slots):
scheduled = np.transpose(np.nonzero(array))
return [ScheduledItem(event=events[item[0]], slot=slots[item[1]]) for
item in scheduled]
|
array_to_schedule
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(array, events, slots):\n scheduled = np.transpose(np.nonzero(array))\n return [ScheduledItem(event=events[item[0]], slot=slots[item[1]]) for\n item in scheduled]\n",
"role": "user"
},
{
"content": "array_to_schedule",
"role": "assistant"
}
] |
def x(self, line, source, *lineno):
if 'conference_scheduler.scheduler' in source:
module = 'scheduler'
else:
module = 'resources'
rst[module].append(line)
self.directive.result.append(self.indent + line, source, *lineno)
|
add_line
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, line, source, *lineno):\n if 'conference_scheduler.scheduler' in source:\n module = 'scheduler'\n else:\n module = 'resources'\n rst[module].append(line)\n self.directive.result.append(self.indent + line, source, *lineno)\n",
"role": "user"
},
{
"content": "add_line",
"role": "assistant"
}
] |
def x(slots, events, X, **kwargs):
overflow = 0
for row, event in enumerate(events):
for col, slot in enumerate(slots):
overflow += (event.demand - slot.capacity) * X[row, col]
return overflow
|
efficiency_capacity_demand_difference
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(slots, events, X, **kwargs):\n overflow = 0\n for row, event in enumerate(events):\n for col, slot in enumerate(slots):\n overflow += (event.demand - slot.capacity) * X[row, col]\n return overflow\n",
"role": "user"
},
{
"content": "efficiency_capacity_demand_difference",
"role": "assistant"
}
] |
def x(slots, events, original_schedule, X, **kwargs):
changes = 0
original_array = schedule_to_array(original_schedule, events=events,
slots=slots)
for row, event in enumerate(original_array):
for col, slot in enumerate(event):
if slot == 0:
changes += X[row, col]
else:
changes += 1 - X[row, col]
return changes
|
number_of_changes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(slots, events, original_schedule, X, **kwargs):\n changes = 0\n original_array = schedule_to_array(original_schedule, events=events,\n slots=slots)\n for row, event in enumerate(original_array):\n for col, slot in enumerate(event):\n if slot == 0:\n changes += X[row, col]\n else:\n changes += 1 - X[row, col]\n return changes\n",
"role": "user"
},
{
"content": "number_of_changes",
"role": "assistant"
}
] |
def x(X):
m, n = X.shape
new_X = np.copy(X)
event_to_move = np.random.randint(m)
current_event_slot = np.where(new_X[event_to_move, :] == 1)[0][0]
slot_to_move_to = np.random.randint(n - 1)
if slot_to_move_to >= current_event_slot:
slot_to_move_to += 1
scheduled_events_in_slot = np.where(new_X[:, slot_to_move_to] == 1)[0]
if len(scheduled_events_in_slot) == 0:
new_X[event_to_move] = np.zeros(n)
new_X[event_to_move, slot_to_move_to] = 1
else:
swap_rows = [event_to_move, scheduled_events_in_slot[0]]
new_X[swap_rows] = new_X[swap_rows[::-1]]
return new_X
|
element_from_neighbourhood
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(X):\n m, n = X.shape\n new_X = np.copy(X)\n event_to_move = np.random.randint(m)\n current_event_slot = np.where(new_X[event_to_move, :] == 1)[0][0]\n slot_to_move_to = np.random.randint(n - 1)\n if slot_to_move_to >= current_event_slot:\n slot_to_move_to += 1\n scheduled_events_in_slot = np.where(new_X[:, slot_to_move_to] == 1)[0]\n if len(scheduled_events_in_slot) == 0:\n new_X[event_to_move] = np.zeros(n)\n new_X[event_to_move, slot_to_move_to] = 1\n else:\n swap_rows = [event_to_move, scheduled_events_in_slot[0]]\n new_X[swap_rows] = new_X[swap_rows[::-1]]\n return new_X\n",
"role": "user"
},
{
"content": "element_from_neighbourhood",
"role": "assistant"
}
] |
def x(events, slots, seed=None):
if seed is not None:
np.random.seed(seed)
m = len(events)
n = len(slots)
X = np.zeros((m, n))
for i, row in enumerate(X):
X[i, i] = 1
np.random.shuffle(X)
return X
|
get_initial_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(events, slots, seed=None):\n if seed is not None:\n np.random.seed(seed)\n m = len(events)\n n = len(slots)\n X = np.zeros((m, n))\n for i, row in enumerate(X):\n X[i, i] = 1\n np.random.shuffle(X)\n return X\n",
"role": "user"
},
{
"content": "get_initial_array",
"role": "assistant"
}
] |
def x(bits):
fcs = FCS()
for bit in bits:
yield bit
fcs.update_bit(bit)
digest = bitarray(endian='little')
digest.frombytes(fcs.digest())
for bit in digest:
yield bit
|
fcs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bits):\n fcs = FCS()\n for bit in bits:\n yield bit\n fcs.update_bit(bit)\n digest = bitarray(endian='little')\n digest.frombytes(fcs.digest())\n for bit in digest:\n yield bit\n",
"role": "user"
},
{
"content": "fcs",
"role": "assistant"
}
] |
def x(binary_data):
framed_data = frame(binary_data)
for sample in itertools.chain(audiogen.silence(1.05), multiply(modulate
(framed_data), constant(0.5)), audiogen.silence(1.05)):
yield sample
|
encode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(binary_data):\n framed_data = frame(binary_data)\n for sample in itertools.chain(audiogen.silence(1.05), multiply(modulate\n (framed_data), constant(0.5)), audiogen.silence(1.05)):\n yield sample\n",
"role": "user"
},
{
"content": "encode",
"role": "assistant"
}
] |
def x(data):
seconds_per_sample = 1.0 / audiogen.sampler.FRAME_RATE
phase, seconds, bits = 0, 0, 0
clock = (x / BAUD_RATE for x in itertools.count(1))
tones = (MARK_HZ if bit else SPACE_HZ for bit in data)
for boundary, frequency in itertools.izip(clock, tones):
phase_change_per_sample = TWO_PI / (audiogen.sampler.FRAME_RATE /
frequency)
while seconds < boundary:
yield math.sin(phase)
seconds += seconds_per_sample
phase += phase_change_per_sample
if phase > TWO_PI:
phase -= TWO_PI
bits += 1
logger.debug(
'bits = %d, time = %.7f ms, expected time = %.7f ms, error = %.7f ms, baud rate = %.6f Hz'
% (bits, 1000 * seconds, 1000 * bits / BAUD_RATE, 1000 * (
seconds - bits / BAUD_RATE), bits / seconds))
|
modulate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n seconds_per_sample = 1.0 / audiogen.sampler.FRAME_RATE\n phase, seconds, bits = 0, 0, 0\n clock = (x / BAUD_RATE for x in itertools.count(1))\n tones = (MARK_HZ if bit else SPACE_HZ for bit in data)\n for boundary, frequency in itertools.izip(clock, tones):\n phase_change_per_sample = TWO_PI / (audiogen.sampler.FRAME_RATE /\n frequency)\n while seconds < boundary:\n yield math.sin(phase)\n seconds += seconds_per_sample\n phase += phase_change_per_sample\n if phase > TWO_PI:\n phase -= TWO_PI\n bits += 1\n logger.debug(\n 'bits = %d, time = %.7f ms, expected time = %.7f ms, error = %.7f ms, baud rate = %.6f Hz'\n % (bits, 1000 * seconds, 1000 * bits / BAUD_RATE, 1000 * (\n seconds - bits / BAUD_RATE), bits / seconds))\n",
"role": "user"
},
{
"content": "modulate",
"role": "assistant"
}
] |
def x(data):
current = True
for bit in data:
if not bit:
current = not current
yield current
|
nrzi
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n current = True\n for bit in data:\n if not bit:\n current = not current\n yield current\n",
"role": "user"
},
{
"content": "nrzi",
"role": "assistant"
}
] |
def x(self, url):
response = self.session.get(url)
if response.status_code == requests.codes.ok:
return response.json()
else:
raise HTTPError
|
get_sync
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url):\n response = self.session.get(url)\n if response.status_code == requests.codes.ok:\n return response.json()\n else:\n raise HTTPError\n",
"role": "user"
},
{
"content": "get_sync",
"role": "assistant"
}
] |
async def _get_async(self, url, session):
"""Asynchronous internal method used for GET requests
Args:
url (str): URL to fetch
session (obj): aiohttp client session for async loop
Returns:
data (obj): Individual URL request's response corountine
"""
data = None
async with session.get(url) as resp:
if resp.status == 200:
data = await resp.json()
return data
|
get_async
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def _get_async(self, url, session):\n \"\"\"Asynchronous internal method used for GET requests\n\n Args:\n url (str): URL to fetch\n session (obj): aiohttp client session for async loop\n\n Returns:\n data (obj): Individual URL request's response corountine\n\n \"\"\"\n data = None\n async with session.get(url) as resp:\n if resp.status == 200:\n data = await resp.json()\n return data\n",
"role": "user"
},
{
"content": "get_async",
"role": "assistant"
}
] |
async def _async_loop(self, urls):
"""Asynchronous internal method used to request multiple URLs
Args:
urls (list): URLs to fetch
Returns:
responses (obj): All URL requests' response coroutines
"""
results = []
async with aiohttp.ClientSession(connector=aiohttp.TCPConnector(ssl=False)
) as session:
for url in urls:
result = asyncio.ensure_future(self._get_async(url, session))
results.append(result)
responses = await asyncio.gather(*results)
return responses
|
async_loop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def _async_loop(self, urls):\n \"\"\"Asynchronous internal method used to request multiple URLs\n\n Args:\n urls (list): URLs to fetch\n\n Returns:\n responses (obj): All URL requests' response coroutines\n\n \"\"\"\n results = []\n async with aiohttp.ClientSession(connector=aiohttp.TCPConnector(ssl=False)\n ) as session:\n for url in urls:\n result = asyncio.ensure_future(self._get_async(url, session))\n results.append(result)\n responses = await asyncio.gather(*results)\n return responses\n",
"role": "user"
},
{
"content": "async_loop",
"role": "assistant"
}
] |
def x(self, urls):
loop = asyncio.get_event_loop()
results = loop.run_until_complete(self._async_loop(urls))
return results
|
run_async
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, urls):\n loop = asyncio.get_event_loop()\n results = loop.run_until_complete(self._async_loop(urls))\n return results\n",
"role": "user"
},
{
"content": "run_async",
"role": "assistant"
}
] |
def x(self, page, limit):
url = urljoin(self.base_url, f'{page}.json')
story_ids = self._get_sync(url)[:limit]
return self.get_items_by_ids(item_ids=story_ids)
|
get_stories
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, page, limit):\n url = urljoin(self.base_url, f'{page}.json')\n story_ids = self._get_sync(url)[:limit]\n return self.get_items_by_ids(item_ids=story_ids)\n",
"role": "user"
},
{
"content": "get_stories",
"role": "assistant"
}
] |
def x(self, item_id, expand=False):
url = urljoin(self.item_url, f'{item_id}.json')
response = self._get_sync(url)
if not response:
raise InvalidItemID
item = Item(response)
if expand:
item.by = self.get_user(item.by)
item.kids = self.get_items_by_ids(item.kids) if item.kids else None
item.parent = self.get_item(item.parent) if item.parent else None
item.poll = self.get_item(item.poll) if item.poll else None
item.parts = self.get_items_by_ids(item.parts) if item.parts else None
return item
|
get_item
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item_id, expand=False):\n url = urljoin(self.item_url, f'{item_id}.json')\n response = self._get_sync(url)\n if not response:\n raise InvalidItemID\n item = Item(response)\n if expand:\n item.by = self.get_user(item.by)\n item.kids = self.get_items_by_ids(item.kids) if item.kids else None\n item.parent = self.get_item(item.parent) if item.parent else None\n item.poll = self.get_item(item.poll) if item.poll else None\n item.parts = self.get_items_by_ids(item.parts) if item.parts else None\n return item\n",
"role": "user"
},
{
"content": "get_item",
"role": "assistant"
}
] |
def x(self, item_ids, item_type=None):
urls = [urljoin(self.item_url, f'{i}.json') for i in item_ids]
result = self._run_async(urls=urls)
items = [Item(r) for r in result if r]
if item_type:
return [item for item in items if item.item_type == item_type]
else:
return items
|
get_items_by_ids
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item_ids, item_type=None):\n urls = [urljoin(self.item_url, f'{i}.json') for i in item_ids]\n result = self._run_async(urls=urls)\n items = [Item(r) for r in result if r]\n if item_type:\n return [item for item in items if item.item_type == item_type]\n else:\n return items\n",
"role": "user"
},
{
"content": "get_items_by_ids",
"role": "assistant"
}
] |
def x(self, user_id, expand=False):
url = urljoin(self.user_url, f'{user_id}.json')
response = self._get_sync(url)
if not response:
raise InvalidUserID
user = User(response)
if expand and user.submitted:
items = self.get_items_by_ids(user.submitted)
user_opt = {'stories': 'story', 'comments': 'comment', 'jobs':
'job', 'polls': 'poll', 'pollopts': 'pollopt'}
for key, value in user_opt.items():
setattr(user, key, [i for i in items if i.item_type == value])
return user
|
get_user
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user_id, expand=False):\n url = urljoin(self.user_url, f'{user_id}.json')\n response = self._get_sync(url)\n if not response:\n raise InvalidUserID\n user = User(response)\n if expand and user.submitted:\n items = self.get_items_by_ids(user.submitted)\n user_opt = {'stories': 'story', 'comments': 'comment', 'jobs':\n 'job', 'polls': 'poll', 'pollopts': 'pollopt'}\n for key, value in user_opt.items():\n setattr(user, key, [i for i in items if i.item_type == value])\n return user\n",
"role": "user"
},
{
"content": "get_user",
"role": "assistant"
}
] |
def x(self, user_ids):
urls = [urljoin(self.user_url, f'{i}.json') for i in user_ids]
result = self._run_async(urls=urls)
return [User(r) for r in result if r]
|
get_users_by_ids
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user_ids):\n urls = [urljoin(self.user_url, f'{i}.json') for i in user_ids]\n result = self._run_async(urls=urls)\n return [User(r) for r in result if r]\n",
"role": "user"
},
{
"content": "get_users_by_ids",
"role": "assistant"
}
] |
def x(self, raw=False, limit=None):
top_stories = self._get_stories('topstories', limit)
if raw:
top_stories = [story.raw for story in top_stories]
return top_stories
|
top_stories
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, raw=False, limit=None):\n top_stories = self._get_stories('topstories', limit)\n if raw:\n top_stories = [story.raw for story in top_stories]\n return top_stories\n",
"role": "user"
},
{
"content": "top_stories",
"role": "assistant"
}
] |
def x(self, raw=False, limit=None):
new_stories = self._get_stories('newstories', limit)
if raw:
new_stories = [story.raw for story in new_stories]
return new_stories
|
new_stories
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, raw=False, limit=None):\n new_stories = self._get_stories('newstories', limit)\n if raw:\n new_stories = [story.raw for story in new_stories]\n return new_stories\n",
"role": "user"
},
{
"content": "new_stories",
"role": "assistant"
}
] |
def x(self, raw=False, limit=None):
ask_stories = self._get_stories('askstories', limit)
if raw:
ask_stories = [story.raw for story in ask_stories]
return ask_stories
|
ask_stories
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, raw=False, limit=None):\n ask_stories = self._get_stories('askstories', limit)\n if raw:\n ask_stories = [story.raw for story in ask_stories]\n return ask_stories\n",
"role": "user"
},
{
"content": "ask_stories",
"role": "assistant"
}
] |
def x(self, raw=False, limit=None):
show_stories = self._get_stories('showstories', limit)
if raw:
show_stories = [story.raw for story in show_stories]
return show_stories
|
show_stories
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, raw=False, limit=None):\n show_stories = self._get_stories('showstories', limit)\n if raw:\n show_stories = [story.raw for story in show_stories]\n return show_stories\n",
"role": "user"
},
{
"content": "show_stories",
"role": "assistant"
}
] |
def x(self, raw=False, limit=None):
job_stories = self._get_stories('jobstories', limit)
if raw:
job_stories = [story.raw for story in job_stories]
return job_stories
|
job_stories
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, raw=False, limit=None):\n job_stories = self._get_stories('jobstories', limit)\n if raw:\n job_stories = [story.raw for story in job_stories]\n return job_stories\n",
"role": "user"
},
{
"content": "job_stories",
"role": "assistant"
}
] |
def x(self):
url = urljoin(self.base_url, 'updates.json')
response = self._get_sync(url)
return {'items': self.get_items_by_ids(item_ids=response['items']),
'profiles': self.get_users_by_ids(user_ids=response['profiles'])}
|
updates
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n url = urljoin(self.base_url, 'updates.json')\n response = self._get_sync(url)\n return {'items': self.get_items_by_ids(item_ids=response['items']),\n 'profiles': self.get_users_by_ids(user_ids=response['profiles'])}\n",
"role": "user"
},
{
"content": "updates",
"role": "assistant"
}
] |
def x(self, expand=False):
url = urljoin(self.base_url, 'maxitem.json')
response = self._get_sync(url)
if expand:
return self.get_item(response)
else:
return response
|
get_max_item
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, expand=False):\n url = urljoin(self.base_url, 'maxitem.json')\n response = self._get_sync(url)\n if expand:\n return self.get_item(response)\n else:\n return response\n",
"role": "user"
},
{
"content": "get_max_item",
"role": "assistant"
}
] |
def x(self, num=10):
max_item = self.get_max_item()
urls = [urljoin(self.item_url, f'{i}.json') for i in range(max_item -
num + 1, max_item + 1)]
result = self._run_async(urls=urls)
return [Item(r) for r in result if r]
|
get_last
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, num=10):\n max_item = self.get_max_item()\n urls = [urljoin(self.item_url, f'{i}.json') for i in range(max_item -\n num + 1, max_item + 1)]\n result = self._run_async(urls=urls)\n return [Item(r) for r in result if r]\n",
"role": "user"
},
{
"content": "get_last",
"role": "assistant"
}
] |
def x(self, path):
self.dct = wrapper.Dictionary.load(path)
return self
|
load
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n self.dct = wrapper.Dictionary.load(path)\n return self\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(self, key, replaces):
return self._similar_keys('', key, self.dct.ROOT, replaces)
|
similar_keys
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, replaces):\n return self._similar_keys('', key, self.dct.ROOT, replaces)\n",
"role": "user"
},
{
"content": "similar_keys",
"role": "assistant"
}
] |
def x(self, key):
res = []
index = self.dct.ROOT
if not isinstance(key, bytes):
key = key.encode('utf8')
pos = 1
for ch in key:
index = self.dct.follow_char(int_from_byte(ch), index)
if not index:
break
if self._has_value(index):
res.append(key[:pos].decode('utf8'))
pos += 1
return res
|
prefixes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n res = []\n index = self.dct.ROOT\n if not isinstance(key, bytes):\n key = key.encode('utf8')\n pos = 1\n for ch in key:\n index = self.dct.follow_char(int_from_byte(ch), index)\n if not index:\n break\n if self._has_value(index):\n res.append(key[:pos].decode('utf8'))\n pos += 1\n return res\n",
"role": "user"
},
{
"content": "prefixes",
"role": "assistant"
}
] |
def x(self, path):
self.dct = wrapper.Dictionary()
self.guide = wrapper.Guide()
with open(path, 'rb') as f:
self.dct.read(f)
self.guide.read(f)
return self
|
load
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n self.dct = wrapper.Dictionary()\n self.guide = wrapper.Guide()\n with open(path, 'rb') as f:\n self.dct.read(f)\n self.guide.read(f)\n return self\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(self, key, default=None):
if not isinstance(key, bytes):
key = key.encode('utf8')
return self.b_get_value(key) or default
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, default=None):\n if not isinstance(key, bytes):\n key = key.encode('utf8')\n return self.b_get_value(key) or default\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, key, replaces):
return self._similar_items('', key, self.dct.ROOT, replaces)
|
similar_items
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, replaces):\n return self._similar_items('', key, self.dct.ROOT, replaces)\n",
"role": "user"
},
{
"content": "similar_items",
"role": "assistant"
}
] |
def x(self, key, replaces):
return self._similar_item_values(0, key, self.dct.ROOT, replaces)
|
similar_item_values
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, replaces):\n return self._similar_item_values(0, key, self.dct.ROOT, replaces)\n",
"role": "user"
},
{
"content": "similar_item_values",
"role": "assistant"
}
] |
def x(self, index):
offset = units.offset(self._units[index])
value_index = (index ^ offset) & units.PRECISION_MASK
return units.value(self._units[value_index])
|
value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index):\n offset = units.offset(self._units[index])\n value_index = (index ^ offset) & units.PRECISION_MASK\n return units.value(self._units[value_index])\n",
"role": "user"
},
{
"content": "value",
"role": "assistant"
}
] |
def x(self, fp):
base_size = struct.unpack(str('=I'), fp.read(4))[0]
self._units.fromfile(fp, base_size)
|
read
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fp):\n base_size = struct.unpack(str('=I'), fp.read(4))[0]\n self._units.fromfile(fp, base_size)\n",
"role": "user"
},
{
"content": "read",
"role": "assistant"
}
] |
def x(self, key):
index = self.follow_bytes(key, self.ROOT)
if index is None:
return False
return self.has_value(index)
|
contains
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n index = self.follow_bytes(key, self.ROOT)\n if index is None:\n return False\n return self.has_value(index)\n",
"role": "user"
},
{
"content": "contains",
"role": "assistant"
}
] |
def x(self, key):
index = self.follow_bytes(key, self.ROOT)
if index is None:
return -1
if not self.has_value(index):
return -1
return self.value(index)
|
find
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n index = self.follow_bytes(key, self.ROOT)\n if index is None:\n return -1\n if not self.has_value(index):\n return -1\n return self.value(index)\n",
"role": "user"
},
{
"content": "find",
"role": "assistant"
}
] |
def x(self, label, index):
offset = units.offset(self._units[index])
next_index = (index ^ offset ^ label) & units.PRECISION_MASK
if units.label(self._units[next_index]) != label:
return None
return next_index
|
follow_char
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, label, index):\n offset = units.offset(self._units[index])\n next_index = (index ^ offset ^ label) & units.PRECISION_MASK\n if units.label(self._units[next_index]) != label:\n return None\n return next_index\n",
"role": "user"
},
{
"content": "follow_char",
"role": "assistant"
}
] |
def x(self, s, index):
for ch in s:
index = self.follow_char(int_from_byte(ch), index)
if index is None:
return None
return index
|
follow_bytes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, s, index):\n for ch in s:\n index = self.follow_char(int_from_byte(ch), index)\n if index is None:\n return None\n return index\n",
"role": "user"
},
{
"content": "follow_bytes",
"role": "assistant"
}
] |
def x(self):
if not self._index_stack:
return False
index = self._index_stack[-1]
if self._last_index != self._dic.ROOT:
child_label = self._guide.child(index)
if child_label:
index = self._follow(child_label, index)
if index is None:
return False
else:
while True:
sibling_label = self._guide.sibling(index)
if len(self.key) > 0:
self.key.pop()
self._index_stack.pop()
if not self._index_stack:
return False
index = self._index_stack[-1]
if sibling_label:
index = self._follow(sibling_label, index)
if index is None:
return False
break
return self._find_terminal(index)
|
next
|
[
{
"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._index_stack:\n return False\n index = self._index_stack[-1]\n if self._last_index != self._dic.ROOT:\n child_label = self._guide.child(index)\n if child_label:\n index = self._follow(child_label, index)\n if index is None:\n return False\n else:\n while True:\n sibling_label = self._guide.sibling(index)\n if len(self.key) > 0:\n self.key.pop()\n self._index_stack.pop()\n if not self._index_stack:\n return False\n index = self._index_stack[-1]\n if sibling_label:\n index = self._follow(sibling_label, index)\n if index is None:\n return False\n break\n return self._find_terminal(index)\n",
"role": "user"
},
{
"content": "next",
"role": "assistant"
}
] |
def x(check_response, project_id):
if not check_response or not check_response.checkErrors:
return _IS_OK
theError = check_response.checkErrors[0]
error_tuple = _CHECK_ERROR_CONVERSION.get(theError.code, _IS_UNKNOWN)
if error_tuple[1].find(u'{') == -1:
return error_tuple
updated_msg = error_tuple[1].format(project_id=project_id, detail=
theError.detail or u'')
return error_tuple[0], updated_msg, error_tuple[2]
|
convert_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(check_response, project_id):\n if not check_response or not check_response.checkErrors:\n return _IS_OK\n theError = check_response.checkErrors[0]\n error_tuple = _CHECK_ERROR_CONVERSION.get(theError.code, _IS_UNKNOWN)\n if error_tuple[1].find(u'{') == -1:\n return error_tuple\n updated_msg = error_tuple[1].format(project_id=project_id, detail=\n theError.detail or u'')\n return error_tuple[0], updated_msg, error_tuple[2]\n",
"role": "user"
},
{
"content": "convert_response",
"role": "assistant"
}
] |
def x(check_request):
if not isinstance(check_request, sc_messages.CheckRequest):
raise ValueError(u'Invalid request')
op = check_request.operation
if op is None or op.operationName is None or op.consumerId is None:
logging.error(u'Bad %s: not initialized => not signed', check_request)
raise ValueError(u'check request must be initialized with an operation'
)
md5 = hashlib.md5()
md5.update(op.operationName.encode('utf-8'))
md5.update(b'\x00')
md5.update(op.consumerId.encode('utf-8'))
if op.labels:
signing.add_dict_to_hash(md5, encoding.MessageToPyValue(op.labels))
for value_set in op.metricValueSets:
md5.update(b'\x00')
md5.update(value_set.metricName.encode('utf-8'))
for mv in value_set.metricValues:
metric_value.update_hash(md5, mv)
md5.update(b'\x00')
if op.quotaProperties:
md5.update(repr(op.quotaProperties).encode('utf-8'))
md5.update(b'\x00')
return md5.digest()
|
sign
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(check_request):\n if not isinstance(check_request, sc_messages.CheckRequest):\n raise ValueError(u'Invalid request')\n op = check_request.operation\n if op is None or op.operationName is None or op.consumerId is None:\n logging.error(u'Bad %s: not initialized => not signed', check_request)\n raise ValueError(u'check request must be initialized with an operation'\n )\n md5 = hashlib.md5()\n md5.update(op.operationName.encode('utf-8'))\n md5.update(b'\\x00')\n md5.update(op.consumerId.encode('utf-8'))\n if op.labels:\n signing.add_dict_to_hash(md5, encoding.MessageToPyValue(op.labels))\n for value_set in op.metricValueSets:\n md5.update(b'\\x00')\n md5.update(value_set.metricName.encode('utf-8'))\n for mv in value_set.metricValues:\n metric_value.update_hash(md5, mv)\n md5.update(b'\\x00')\n if op.quotaProperties:\n md5.update(repr(op.quotaProperties).encode('utf-8'))\n md5.update(b'\\x00')\n return md5.digest()\n",
"role": "user"
},
{
"content": "sign",
"role": "assistant"
}
] |
def x(self, timer=datetime.utcnow):
if not self.service_name:
raise ValueError(u'the service name must be set')
if not self.operation_id:
raise ValueError(u'the operation id must be set')
if not self.operation_name:
raise ValueError(u'the operation name must be set')
op = super(Info, self).as_operation(timer=timer)
labels = {}
if self.android_cert_fingerprint:
labels[_KNOWN_LABELS.SCC_ANDROID_CERT_FINGERPRINT.label_name
] = self.android_cert_fingerprint
if self.android_package_name:
labels[_KNOWN_LABELS.SCC_ANDROID_PACKAGE_NAME.label_name
] = self.android_package_name
if self.client_ip:
labels[_KNOWN_LABELS.SCC_CALLER_IP.label_name] = self.client_ip
if self.ios_bundle_id:
labels[_KNOWN_LABELS.SCC_IOS_BUNDLE_ID.label_name] = self.ios_bundle_id
if self.referer:
labels[_KNOWN_LABELS.SCC_REFERER.label_name] = self.referer
labels[_KNOWN_LABELS.SCC_SERVICE_AGENT.label_name] = SERVICE_AGENT
labels[_KNOWN_LABELS.SCC_USER_AGENT.label_name] = USER_AGENT
op.labels = encoding.PyValueToMessage(sc_messages.Operation.LabelsValue,
labels)
check_request = sc_messages.CheckRequest(operation=op)
return sc_messages.ServicecontrolServicesCheckRequest(serviceName=self.
service_name, checkRequest=check_request)
|
as_check_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timer=datetime.utcnow):\n if not self.service_name:\n raise ValueError(u'the service name must be set')\n if not self.operation_id:\n raise ValueError(u'the operation id must be set')\n if not self.operation_name:\n raise ValueError(u'the operation name must be set')\n op = super(Info, self).as_operation(timer=timer)\n labels = {}\n if self.android_cert_fingerprint:\n labels[_KNOWN_LABELS.SCC_ANDROID_CERT_FINGERPRINT.label_name\n ] = self.android_cert_fingerprint\n if self.android_package_name:\n labels[_KNOWN_LABELS.SCC_ANDROID_PACKAGE_NAME.label_name\n ] = self.android_package_name\n if self.client_ip:\n labels[_KNOWN_LABELS.SCC_CALLER_IP.label_name] = self.client_ip\n if self.ios_bundle_id:\n labels[_KNOWN_LABELS.SCC_IOS_BUNDLE_ID.label_name] = self.ios_bundle_id\n if self.referer:\n labels[_KNOWN_LABELS.SCC_REFERER.label_name] = self.referer\n labels[_KNOWN_LABELS.SCC_SERVICE_AGENT.label_name] = SERVICE_AGENT\n labels[_KNOWN_LABELS.SCC_USER_AGENT.label_name] = USER_AGENT\n op.labels = encoding.PyValueToMessage(sc_messages.Operation.LabelsValue,\n labels)\n check_request = sc_messages.CheckRequest(operation=op)\n return sc_messages.ServicecontrolServicesCheckRequest(serviceName=self.\n service_name, checkRequest=check_request)\n",
"role": "user"
},
{
"content": "as_check_request",
"role": "assistant"
}
] |
def x(self):
if self._cache is None:
return []
with self._cache as c:
flushed_items = list(c.out_deque)
c.out_deque.clear()
cached_reqs = [item.extract_request() for item in flushed_items]
cached_reqs = [req for req in cached_reqs if req is not None]
return cached_reqs
|
flush
|
[
{
"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._cache is None:\n return []\n with self._cache as c:\n flushed_items = list(c.out_deque)\n c.out_deque.clear()\n cached_reqs = [item.extract_request() for item in flushed_items]\n cached_reqs = [req for req in cached_reqs if req is not None]\n return cached_reqs\n",
"role": "user"
},
{
"content": "flush",
"role": "assistant"
}
] |
def x(self):
if self._cache is not None:
with self._cache as c:
c.clear()
c.out_deque.clear()
|
clear
|
[
{
"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._cache is not None:\n with self._cache as c:\n c.clear()\n c.out_deque.clear()\n",
"role": "user"
},
{
"content": "clear",
"role": "assistant"
}
] |
def x(self, req, resp):
if self._cache is None:
return
signature = sign(req.checkRequest)
with self._cache as c:
now = self._timer()
quota_scale = 0
item = c.get(signature)
if item is None:
c[signature] = CachedItem(resp, self.service_name, now, quota_scale
)
else:
item.last_check_time = now
item.response = resp
item.quota_scale = quota_scale
item.is_flushing = False
c[signature] = item
|
add_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, req, resp):\n if self._cache is None:\n return\n signature = sign(req.checkRequest)\n with self._cache as c:\n now = self._timer()\n quota_scale = 0\n item = c.get(signature)\n if item is None:\n c[signature] = CachedItem(resp, self.service_name, now, quota_scale\n )\n else:\n item.last_check_time = now\n item.response = resp\n item.quota_scale = quota_scale\n item.is_flushing = False\n c[signature] = item\n",
"role": "user"
},
{
"content": "add_response",
"role": "assistant"
}
] |
def x(self, req):
if self._cache is None:
return None
if not isinstance(req, sc_messages.ServicecontrolServicesCheckRequest):
raise ValueError(u'Invalid request')
if req.serviceName != self.service_name:
_logger.error(u'bad check(): service_name %s does not match ours %s',
req.serviceName, self.service_name)
raise ValueError(u'Service name mismatch')
check_request = req.checkRequest
if check_request is None:
_logger.error(u'bad check(): no check_request in %s', req)
raise ValueError(u'Expected operation not set')
op = check_request.operation
if op is None:
_logger.error(u'bad check(): no operation in %s', req)
raise ValueError(u'Expected operation not set')
if op.importance != sc_messages.Operation.ImportanceValueValuesEnum.LOW:
return None
signature = sign(check_request)
with self._cache as cache:
_logger.debug(u'checking the cache for %r\n%s', signature, cache)
item = cache.get(signature)
if item is None:
return None
else:
return self._handle_cached_response(req, item)
|
check
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, req):\n if self._cache is None:\n return None\n if not isinstance(req, sc_messages.ServicecontrolServicesCheckRequest):\n raise ValueError(u'Invalid request')\n if req.serviceName != self.service_name:\n _logger.error(u'bad check(): service_name %s does not match ours %s',\n req.serviceName, self.service_name)\n raise ValueError(u'Service name mismatch')\n check_request = req.checkRequest\n if check_request is None:\n _logger.error(u'bad check(): no check_request in %s', req)\n raise ValueError(u'Expected operation not set')\n op = check_request.operation\n if op is None:\n _logger.error(u'bad check(): no operation in %s', req)\n raise ValueError(u'Expected operation not set')\n if op.importance != sc_messages.Operation.ImportanceValueValuesEnum.LOW:\n return None\n signature = sign(check_request)\n with self._cache as cache:\n _logger.debug(u'checking the cache for %r\\n%s', signature, cache)\n item = cache.get(signature)\n if item is None:\n return None\n else:\n return self._handle_cached_response(req, item)\n",
"role": "user"
},
{
"content": "check",
"role": "assistant"
}
] |
def x(a, b):
a_is_text = isinstance(a, basestring)
b_is_text = isinstance(b, basestring)
if type(a) != type(b) and not (a_is_text and b_is_text):
_logger.error(u'Cannot compare %s to %s, types differ %s!=%s', a, b,
type(a), type(b))
raise ValueError(u'cannot compare inputs of differing types')
if a_is_text:
a = from_rfc3339(a, with_nanos=True)
b = from_rfc3339(b, with_nanos=True)
if a < b:
return -1
elif a > b:
return 1
else:
return 0
|
compare
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b):\n a_is_text = isinstance(a, basestring)\n b_is_text = isinstance(b, basestring)\n if type(a) != type(b) and not (a_is_text and b_is_text):\n _logger.error(u'Cannot compare %s to %s, types differ %s!=%s', a, b,\n type(a), type(b))\n raise ValueError(u'cannot compare inputs of differing types')\n if a_is_text:\n a = from_rfc3339(a, with_nanos=True)\n b = from_rfc3339(b, with_nanos=True)\n if a < b:\n return -1\n elif a > b:\n return 1\n else:\n return 0\n",
"role": "user"
},
{
"content": "compare",
"role": "assistant"
}
] |
def x(timestamp):
if isinstance(timestamp, datetime.datetime):
timestamp = timestamp - _EPOCH_START
if not isinstance(timestamp, datetime.timedelta):
_logger.error(u'Could not convert %s to a rfc3339 time,', timestamp)
raise ValueError(u'Invalid timestamp type')
return strict_rfc3339.timestamp_to_rfc3339_utcoffset(timestamp.
total_seconds())
|
to_rfc3339
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(timestamp):\n if isinstance(timestamp, datetime.datetime):\n timestamp = timestamp - _EPOCH_START\n if not isinstance(timestamp, datetime.timedelta):\n _logger.error(u'Could not convert %s to a rfc3339 time,', timestamp)\n raise ValueError(u'Invalid timestamp type')\n return strict_rfc3339.timestamp_to_rfc3339_utcoffset(timestamp.\n total_seconds())\n",
"role": "user"
},
{
"content": "to_rfc3339",
"role": "assistant"
}
] |
def x(rfc3339_text, with_nanos=False):
timestamp = strict_rfc3339.rfc3339_to_timestamp(rfc3339_text)
result = datetime.datetime.utcfromtimestamp(timestamp)
if with_nanos:
return result, int((timestamp - int(timestamp)) * 1000000000.0)
else:
return result
|
from_rfc3339
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rfc3339_text, with_nanos=False):\n timestamp = strict_rfc3339.rfc3339_to_timestamp(rfc3339_text)\n result = datetime.datetime.utcfromtimestamp(timestamp)\n if with_nanos:\n return result, int((timestamp - int(timestamp)) * 1000000000.0)\n else:\n return result\n",
"role": "user"
},
{
"content": "from_rfc3339",
"role": "assistant"
}
] |
def x(self, timer=datetime.utcnow):
now = timer()
op = sc_messages.Operation(endTime=timestamp.to_rfc3339(now), startTime
=timestamp.to_rfc3339(now), importance=sc_messages.Operation.
ImportanceValueValuesEnum.LOW)
if self.operation_id:
op.operationId = self.operation_id
if self.operation_name:
op.operationName = self.operation_name
if self.api_key and self.api_key_valid:
op.consumerId = u'api_key:' + self.api_key
elif self.consumer_project_id:
op.consumerId = u'project:' + self.consumer_project_id
return op
|
as_operation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timer=datetime.utcnow):\n now = timer()\n op = sc_messages.Operation(endTime=timestamp.to_rfc3339(now), startTime\n =timestamp.to_rfc3339(now), importance=sc_messages.Operation.\n ImportanceValueValuesEnum.LOW)\n if self.operation_id:\n op.operationId = self.operation_id\n if self.operation_name:\n op.operationName = self.operation_name\n if self.api_key and self.api_key_valid:\n op.consumerId = u'api_key:' + self.api_key\n elif self.consumer_project_id:\n op.consumerId = u'project:' + self.consumer_project_id\n return op\n",
"role": "user"
},
{
"content": "as_operation",
"role": "assistant"
}
] |
def x(self):
result = encoding.CopyProtoMessage(self._op)
names = sorted(self._metric_values_by_name_then_sign.keys())
for name in names:
mvs = self._metric_values_by_name_then_sign[name]
result.metricValueSets.append(sc_messages.MetricValueSet(metricName
=name, metricValues=mvs.values()))
return result
|
as_operation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = encoding.CopyProtoMessage(self._op)\n names = sorted(self._metric_values_by_name_then_sign.keys())\n for name in names:\n mvs = self._metric_values_by_name_then_sign[name]\n result.metricValueSets.append(sc_messages.MetricValueSet(metricName\n =name, metricValues=mvs.values()))\n return result\n",
"role": "user"
},
{
"content": "as_operation",
"role": "assistant"
}
] |
def x(self, other_op):
self._op.logEntries.extend(other_op.logEntries)
self._merge_timestamps(other_op)
self._merge_metric_values(other_op)
|
add
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other_op):\n self._op.logEntries.extend(other_op.logEntries)\n self._merge_timestamps(other_op)\n self._merge_metric_values(other_op)\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(num_finite_buckets, growth_factor, scale):
if num_finite_buckets <= 0:
raise ValueError(_BAD_NUM_FINITE_BUCKETS)
if growth_factor <= 1.0:
raise ValueError(_BAD_FLOAT_ARG % (u'growth factor', 1.0))
if scale <= 0.0:
raise ValueError(_BAD_FLOAT_ARG % (u'scale', 0.0))
return sc_messages.Distribution(bucketCounts=[0] * (num_finite_buckets +
2), exponentialBuckets=sc_messages.ExponentialBuckets(
numFiniteBuckets=num_finite_buckets, growthFactor=growth_factor,
scale=scale))
|
create_exponential
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(num_finite_buckets, growth_factor, scale):\n if num_finite_buckets <= 0:\n raise ValueError(_BAD_NUM_FINITE_BUCKETS)\n if growth_factor <= 1.0:\n raise ValueError(_BAD_FLOAT_ARG % (u'growth factor', 1.0))\n if scale <= 0.0:\n raise ValueError(_BAD_FLOAT_ARG % (u'scale', 0.0))\n return sc_messages.Distribution(bucketCounts=[0] * (num_finite_buckets +\n 2), exponentialBuckets=sc_messages.ExponentialBuckets(\n numFiniteBuckets=num_finite_buckets, growthFactor=growth_factor,\n scale=scale))\n",
"role": "user"
},
{
"content": "create_exponential",
"role": "assistant"
}
] |
def x(num_finite_buckets, width, offset):
if num_finite_buckets <= 0:
raise ValueError(_BAD_NUM_FINITE_BUCKETS)
if width <= 0.0:
raise ValueError(_BAD_FLOAT_ARG % (u'width', 0.0))
return sc_messages.Distribution(bucketCounts=[0] * (num_finite_buckets +
2), linearBuckets=sc_messages.LinearBuckets(numFiniteBuckets=
num_finite_buckets, width=width, offset=offset))
|
create_linear
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(num_finite_buckets, width, offset):\n if num_finite_buckets <= 0:\n raise ValueError(_BAD_NUM_FINITE_BUCKETS)\n if width <= 0.0:\n raise ValueError(_BAD_FLOAT_ARG % (u'width', 0.0))\n return sc_messages.Distribution(bucketCounts=[0] * (num_finite_buckets +\n 2), linearBuckets=sc_messages.LinearBuckets(numFiniteBuckets=\n num_finite_buckets, width=width, offset=offset))\n",
"role": "user"
},
{
"content": "create_linear",
"role": "assistant"
}
] |
def x(bounds):
safe_bounds = sorted(float(x) for x in bounds)
if len(safe_bounds) != len(set(safe_bounds)):
raise ValueError(u'Detected two elements of bounds that are the same')
return sc_messages.Distribution(bucketCounts=[0] * (len(safe_bounds) +
1), explicitBuckets=sc_messages.ExplicitBuckets(bounds=safe_bounds))
|
create_explicit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bounds):\n safe_bounds = sorted(float(x) for x in bounds)\n if len(safe_bounds) != len(set(safe_bounds)):\n raise ValueError(u'Detected two elements of bounds that are the same')\n return sc_messages.Distribution(bucketCounts=[0] * (len(safe_bounds) + \n 1), explicitBuckets=sc_messages.ExplicitBuckets(bounds=safe_bounds))\n",
"role": "user"
},
{
"content": "create_explicit",
"role": "assistant"
}
] |
def x(a_float, dist):
dist_type, _ = _detect_bucket_option(dist)
if dist_type == u'exponentialBuckets':
_update_general_statistics(a_float, dist)
_update_exponential_bucket_count(a_float, dist)
elif dist_type == u'linearBuckets':
_update_general_statistics(a_float, dist)
_update_linear_bucket_count(a_float, dist)
elif dist_type == u'explicitBuckets':
_update_general_statistics(a_float, dist)
_update_explicit_bucket_count(a_float, dist)
else:
_logger.error(u'Could not determine bucket option type for %s', dist)
raise ValueError(u'Unknown bucket option type')
|
add_sample
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a_float, dist):\n dist_type, _ = _detect_bucket_option(dist)\n if dist_type == u'exponentialBuckets':\n _update_general_statistics(a_float, dist)\n _update_exponential_bucket_count(a_float, dist)\n elif dist_type == u'linearBuckets':\n _update_general_statistics(a_float, dist)\n _update_linear_bucket_count(a_float, dist)\n elif dist_type == u'explicitBuckets':\n _update_general_statistics(a_float, dist)\n _update_explicit_bucket_count(a_float, dist)\n else:\n _logger.error(u'Could not determine bucket option type for %s', dist)\n raise ValueError(u'Unknown bucket option type')\n",
"role": "user"
},
{
"content": "add_sample",
"role": "assistant"
}
] |
def x(prior, latest):
if not _buckets_nearly_equal(prior, latest):
_logger.error(u'Bucket options do not match. From %s To: %s', prior,
latest)
raise ValueError(u'Bucket options do not match')
if len(prior.bucketCounts) != len(latest.bucketCounts):
_logger.error(u'Bucket count sizes do not match. From %s To: %s',
prior, latest)
raise ValueError(u'Bucket count sizes do not match')
if prior.count <= 0:
return
old_count = latest.count
old_mean = latest.mean
old_summed_variance = latest.sumOfSquaredDeviation
bucket_counts = latest.bucketCounts
latest.count += prior.count
latest.maximum = max(prior.maximum, latest.maximum)
latest.minimum = min(prior.minimum, latest.minimum)
latest.mean = (old_count * old_mean + prior.count * prior.mean
) / latest.count
latest.sumOfSquaredDeviation = (old_summed_variance + prior.
sumOfSquaredDeviation + old_count * (latest.mean - old_mean) ** 2 +
prior.count * (latest.mean - prior.mean) ** 2)
for i, (x, y) in enumerate(zip(prior.bucketCounts, bucket_counts)):
bucket_counts[i] = x + y
|
merge
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prior, latest):\n if not _buckets_nearly_equal(prior, latest):\n _logger.error(u'Bucket options do not match. From %s To: %s', prior,\n latest)\n raise ValueError(u'Bucket options do not match')\n if len(prior.bucketCounts) != len(latest.bucketCounts):\n _logger.error(u'Bucket count sizes do not match. From %s To: %s',\n prior, latest)\n raise ValueError(u'Bucket count sizes do not match')\n if prior.count <= 0:\n return\n old_count = latest.count\n old_mean = latest.mean\n old_summed_variance = latest.sumOfSquaredDeviation\n bucket_counts = latest.bucketCounts\n latest.count += prior.count\n latest.maximum = max(prior.maximum, latest.maximum)\n latest.minimum = min(prior.minimum, latest.minimum)\n latest.mean = (old_count * old_mean + prior.count * prior.mean\n ) / latest.count\n latest.sumOfSquaredDeviation = (old_summed_variance + prior.\n sumOfSquaredDeviation + old_count * (latest.mean - old_mean) ** 2 +\n prior.count * (latest.mean - prior.mean) ** 2)\n for i, (x, y) in enumerate(zip(prior.bucketCounts, bucket_counts)):\n bucket_counts[i] = x + y\n",
"role": "user"
},
{
"content": "merge",
"role": "assistant"
}
] |
def x(a_dist, b_dist):
a_type, a_buckets = _detect_bucket_option(a_dist)
b_type, b_buckets = _detect_bucket_option(b_dist)
if a_type != b_type:
return False
elif a_type == u'linearBuckets':
return _linear_buckets_nearly_equal(a_buckets, b_buckets)
elif a_type == u'exponentialBuckets':
return _exponential_buckets_nearly_equal(a_buckets, b_buckets)
elif a_type == u'explicitBuckets':
return _explicit_buckets_nearly_equal(a_buckets, b_buckets)
else:
return False
|
buckets_nearly_equal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a_dist, b_dist):\n a_type, a_buckets = _detect_bucket_option(a_dist)\n b_type, b_buckets = _detect_bucket_option(b_dist)\n if a_type != b_type:\n return False\n elif a_type == u'linearBuckets':\n return _linear_buckets_nearly_equal(a_buckets, b_buckets)\n elif a_type == u'exponentialBuckets':\n return _exponential_buckets_nearly_equal(a_buckets, b_buckets)\n elif a_type == u'explicitBuckets':\n return _explicit_buckets_nearly_equal(a_buckets, b_buckets)\n else:\n return False\n",
"role": "user"
},
{
"content": "buckets_nearly_equal",
"role": "assistant"
}
] |
def x(a_float, dist):
if not dist.count:
dist.count = 1
dist.maximum = a_float
dist.minimum = a_float
dist.mean = a_float
dist.sumOfSquaredDeviation = 0
else:
old_count = dist.count
old_mean = dist.mean
new_mean = (old_count * old_mean + a_float) / (old_count + 1)
delta_sum_squares = (a_float - old_mean) * (a_float - new_mean)
dist.count += 1
dist.mean = new_mean
dist.maximum = max(a_float, dist.maximum)
dist.minimum = min(a_float, dist.minimum)
dist.sumOfSquaredDeviation += delta_sum_squares
|
update_general_statistics
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a_float, dist):\n if not dist.count:\n dist.count = 1\n dist.maximum = a_float\n dist.minimum = a_float\n dist.mean = a_float\n dist.sumOfSquaredDeviation = 0\n else:\n old_count = dist.count\n old_mean = dist.mean\n new_mean = (old_count * old_mean + a_float) / (old_count + 1)\n delta_sum_squares = (a_float - old_mean) * (a_float - new_mean)\n dist.count += 1\n dist.mean = new_mean\n dist.maximum = max(a_float, dist.maximum)\n dist.minimum = min(a_float, dist.minimum)\n dist.sumOfSquaredDeviation += delta_sum_squares\n",
"role": "user"
},
{
"content": "update_general_statistics",
"role": "assistant"
}
] |
def x(a_float, dist):
buckets = dist.exponentialBuckets
if buckets is None:
raise ValueError(_BAD_UNSET_BUCKETS % u'exponential buckets')
bucket_counts = dist.bucketCounts
num_finite_buckets = buckets.numFiniteBuckets
if len(bucket_counts) < num_finite_buckets + 2:
raise ValueError(_BAD_LOW_BUCKET_COUNT)
scale = buckets.scale
factor = buckets.growthFactor
if a_float <= scale:
index = 0
else:
index = 1 + int(math.log(a_float / scale) / math.log(factor))
index = min(index, num_finite_buckets + 1)
bucket_counts[index] += 1
_logger.debug(u'scale:%f, factor:%f, sample:%f, index:%d', scale,
factor, a_float, index)
|
update_exponential_bucket_count
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a_float, dist):\n buckets = dist.exponentialBuckets\n if buckets is None:\n raise ValueError(_BAD_UNSET_BUCKETS % u'exponential buckets')\n bucket_counts = dist.bucketCounts\n num_finite_buckets = buckets.numFiniteBuckets\n if len(bucket_counts) < num_finite_buckets + 2:\n raise ValueError(_BAD_LOW_BUCKET_COUNT)\n scale = buckets.scale\n factor = buckets.growthFactor\n if a_float <= scale:\n index = 0\n else:\n index = 1 + int(math.log(a_float / scale) / math.log(factor))\n index = min(index, num_finite_buckets + 1)\n bucket_counts[index] += 1\n _logger.debug(u'scale:%f, factor:%f, sample:%f, index:%d', scale,\n factor, a_float, index)\n",
"role": "user"
},
{
"content": "update_exponential_bucket_count",
"role": "assistant"
}
] |
def x(a_float, dist):
buckets = dist.linearBuckets
if buckets is None:
raise ValueError(_BAD_UNSET_BUCKETS % u'linear buckets')
bucket_counts = dist.bucketCounts
num_finite_buckets = buckets.numFiniteBuckets
if len(bucket_counts) < num_finite_buckets + 2:
raise ValueError(_BAD_LOW_BUCKET_COUNT)
width = buckets.width
lower = buckets.offset
upper = lower + num_finite_buckets * width
if a_float < lower:
index = 0
elif a_float >= upper:
index = num_finite_buckets + 1
else:
index = 1 + int((a_float - lower) / width)
bucket_counts[index] += 1
_logger.debug(u'upper:%f, lower:%f, width:%f, sample:%f, index:%d',
upper, lower, width, a_float, index)
|
update_linear_bucket_count
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a_float, dist):\n buckets = dist.linearBuckets\n if buckets is None:\n raise ValueError(_BAD_UNSET_BUCKETS % u'linear buckets')\n bucket_counts = dist.bucketCounts\n num_finite_buckets = buckets.numFiniteBuckets\n if len(bucket_counts) < num_finite_buckets + 2:\n raise ValueError(_BAD_LOW_BUCKET_COUNT)\n width = buckets.width\n lower = buckets.offset\n upper = lower + num_finite_buckets * width\n if a_float < lower:\n index = 0\n elif a_float >= upper:\n index = num_finite_buckets + 1\n else:\n index = 1 + int((a_float - lower) / width)\n bucket_counts[index] += 1\n _logger.debug(u'upper:%f, lower:%f, width:%f, sample:%f, index:%d',\n upper, lower, width, a_float, index)\n",
"role": "user"
},
{
"content": "update_linear_bucket_count",
"role": "assistant"
}
] |
def x(a_float, dist):
buckets = dist.explicitBuckets
if buckets is None:
raise ValueError(_BAD_UNSET_BUCKETS % u'explicit buckets')
bucket_counts = dist.bucketCounts
bounds = buckets.bounds
if len(bucket_counts) < len(bounds) + 1:
raise ValueError(_BAD_LOW_BUCKET_COUNT)
bucket_counts[bisect.bisect(bounds, a_float)] += 1
|
update_explicit_bucket_count
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a_float, dist):\n buckets = dist.explicitBuckets\n if buckets is None:\n raise ValueError(_BAD_UNSET_BUCKETS % u'explicit buckets')\n bucket_counts = dist.bucketCounts\n bounds = buckets.bounds\n if len(bucket_counts) < len(bounds) + 1:\n raise ValueError(_BAD_LOW_BUCKET_COUNT)\n bucket_counts[bisect.bisect(bounds, a_float)] += 1\n",
"role": "user"
},
{
"content": "update_explicit_bucket_count",
"role": "assistant"
}
] |
def x(self, time, priority, action, argument=(), kwargs=_sentinel):
if kwargs is _sentinel:
kwargs = {}
event = Event(time, priority, action, argument, kwargs)
with self._lock:
heapq.heappush(self._queue, event)
return event
|
enterabs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, time, priority, action, argument=(), kwargs=_sentinel):\n if kwargs is _sentinel:\n kwargs = {}\n event = Event(time, priority, action, argument, kwargs)\n with self._lock:\n heapq.heappush(self._queue, event)\n return event\n",
"role": "user"
},
{
"content": "enterabs",
"role": "assistant"
}
] |
def x(self, delay, priority, action, argument=(), kwargs=_sentinel):
time = self.timefunc() + delay
return self.enterabs(time, priority, action, argument, kwargs)
|
enter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, delay, priority, action, argument=(), kwargs=_sentinel):\n time = self.timefunc() + delay\n return self.enterabs(time, priority, action, argument, kwargs)\n",
"role": "user"
},
{
"content": "enter",
"role": "assistant"
}
] |
def x(self, event):
with self._lock:
self._queue.remove(event)
heapq.heapify(self._queue)
|
cancel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n with self._lock:\n self._queue.remove(event)\n heapq.heapify(self._queue)\n",
"role": "user"
},
{
"content": "cancel",
"role": "assistant"
}
] |
def x(self, blocking=True):
lock = self._lock
q = self._queue
delayfunc = self.delayfunc
timefunc = self.timefunc
pop = heapq.heappop
while True:
with lock:
if not q:
break
time, priority, action, argument, kwargs = q[0]
now = timefunc()
if time > now:
delay = True
else:
delay = False
pop(q)
if delay:
if not blocking:
return time - now
delayfunc(time - now)
else:
action(*argument, **kwargs)
delayfunc(0)
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, blocking=True):\n lock = self._lock\n q = self._queue\n delayfunc = self.delayfunc\n timefunc = self.timefunc\n pop = heapq.heappop\n while True:\n with lock:\n if not q:\n break\n time, priority, action, argument, kwargs = q[0]\n now = timefunc()\n if time > now:\n delay = True\n else:\n delay = False\n pop(q)\n if delay:\n if not blocking:\n return time - now\n delayfunc(time - now)\n else:\n action(*argument, **kwargs)\n delayfunc(0)\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(money):
if not isinstance(money, sc_messages.Money):
raise ValueError(u'Inputs should be of type %s' % (sc_messages.Money,))
currency = money.currencyCode
if not currency or len(currency) != 3:
raise ValueError(_MSG_3_LETTERS_LONG)
units = money.units
nanos = money.nanos
if units > 0 and nanos < 0 or units < 0 and nanos > 0:
raise ValueError(_MSG_UNITS_NANOS_MISMATCH)
if abs(nanos) > MAX_NANOS:
raise ValueError(_MSG_NANOS_OOB)
|
check_valid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(money):\n if not isinstance(money, sc_messages.Money):\n raise ValueError(u'Inputs should be of type %s' % (sc_messages.Money,))\n currency = money.currencyCode\n if not currency or len(currency) != 3:\n raise ValueError(_MSG_3_LETTERS_LONG)\n units = money.units\n nanos = money.nanos\n if units > 0 and nanos < 0 or units < 0 and nanos > 0:\n raise ValueError(_MSG_UNITS_NANOS_MISMATCH)\n if abs(nanos) > MAX_NANOS:\n raise ValueError(_MSG_NANOS_OOB)\n",
"role": "user"
},
{
"content": "check_valid",
"role": "assistant"
}
] |
def x(a, b, allow_overflow=False):
for m in (a, b):
if not isinstance(m, sc_messages.Money):
raise ValueError(u'Inputs should be of type %s' % (sc_messages.
Money,))
if a.currencyCode != b.currencyCode:
raise ValueError(u'Money values need the same currency to be summed')
nano_carry, nanos_sum = _sum_nanos(a, b)
units_sum_no_carry = a.units + b.units
units_sum = units_sum_no_carry + nano_carry
if units_sum > 0 and nanos_sum < 0:
units_sum -= 1
nanos_sum += _BILLION
elif units_sum < 0 and nanos_sum > 0:
units_sum += 1
nanos_sum -= _BILLION
sign_a = _sign_of(a)
sign_b = _sign_of(b)
if sign_a > 0 and sign_b > 0 and units_sum >= _INT64_MAX:
if not allow_overflow:
raise OverflowError(u'Money addition positive overflow')
else:
return sc_messages.Money(units=_INT64_MAX, nanos=MAX_NANOS,
currencyCode=a.currencyCode)
elif sign_a < 0 and sign_b < 0 and (units_sum_no_carry <= -_INT64_MAX or
units_sum <= -_INT64_MAX):
if not allow_overflow:
raise OverflowError(u'Money addition negative overflow')
else:
return sc_messages.Money(units=_INT64_MIN, nanos=-MAX_NANOS,
currencyCode=a.currencyCode)
else:
return sc_messages.Money(units=units_sum, nanos=nanos_sum,
currencyCode=a.currencyCode)
|
add
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b, allow_overflow=False):\n for m in (a, b):\n if not isinstance(m, sc_messages.Money):\n raise ValueError(u'Inputs should be of type %s' % (sc_messages.\n Money,))\n if a.currencyCode != b.currencyCode:\n raise ValueError(u'Money values need the same currency to be summed')\n nano_carry, nanos_sum = _sum_nanos(a, b)\n units_sum_no_carry = a.units + b.units\n units_sum = units_sum_no_carry + nano_carry\n if units_sum > 0 and nanos_sum < 0:\n units_sum -= 1\n nanos_sum += _BILLION\n elif units_sum < 0 and nanos_sum > 0:\n units_sum += 1\n nanos_sum -= _BILLION\n sign_a = _sign_of(a)\n sign_b = _sign_of(b)\n if sign_a > 0 and sign_b > 0 and units_sum >= _INT64_MAX:\n if not allow_overflow:\n raise OverflowError(u'Money addition positive overflow')\n else:\n return sc_messages.Money(units=_INT64_MAX, nanos=MAX_NANOS,\n currencyCode=a.currencyCode)\n elif sign_a < 0 and sign_b < 0 and (units_sum_no_carry <= -_INT64_MAX or\n units_sum <= -_INT64_MAX):\n if not allow_overflow:\n raise OverflowError(u'Money addition negative overflow')\n else:\n return sc_messages.Money(units=_INT64_MIN, nanos=-MAX_NANOS,\n currencyCode=a.currencyCode)\n else:\n return sc_messages.Money(units=units_sum, nanos=nanos_sum,\n currencyCode=a.currencyCode)\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(money):
units = money.units
nanos = money.nanos
if units:
if units > 0:
return 1
elif units < 0:
return -1
if nanos:
if nanos > 0:
return 1
elif nanos < 0:
return -1
return 0
|
sign_of
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(money):\n units = money.units\n nanos = money.nanos\n if units:\n if units > 0:\n return 1\n elif units < 0:\n return -1\n if nanos:\n if nanos > 0:\n return 1\n elif nanos < 0:\n return -1\n return 0\n",
"role": "user"
},
{
"content": "sign_of",
"role": "assistant"
}
] |
def x(jwt_claims):
current_time = time.time()
expiration = jwt_claims[u'exp']
if not isinstance(expiration, INT_TYPES):
raise suppliers.UnauthenticatedException(
u'Malformed claim: "exp" must be an integer')
if current_time >= expiration:
raise suppliers.UnauthenticatedException(
u'The auth token has already expired')
if u'nbf' not in jwt_claims:
return
not_before_time = jwt_claims[u'nbf']
if not isinstance(not_before_time, INT_TYPES):
raise suppliers.UnauthenticatedException(
u'Malformed claim: "nbf" must be an integer')
if current_time < not_before_time:
raise suppliers.UnauthenticatedException(
u'Current time is less than the "nbf" time')
|
check_jwt_claims
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(jwt_claims):\n current_time = time.time()\n expiration = jwt_claims[u'exp']\n if not isinstance(expiration, INT_TYPES):\n raise suppliers.UnauthenticatedException(\n u'Malformed claim: \"exp\" must be an integer')\n if current_time >= expiration:\n raise suppliers.UnauthenticatedException(\n u'The auth token has already expired')\n if u'nbf' not in jwt_claims:\n return\n not_before_time = jwt_claims[u'nbf']\n if not isinstance(not_before_time, INT_TYPES):\n raise suppliers.UnauthenticatedException(\n u'Malformed claim: \"nbf\" must be an integer')\n if current_time < not_before_time:\n raise suppliers.UnauthenticatedException(\n u'Current time is less than the \"nbf\" time')\n",
"role": "user"
},
{
"content": "check_jwt_claims",
"role": "assistant"
}
] |
def x(jwt_claims):
for claim_name in [u'aud', u'exp', u'iss', u'sub']:
if claim_name not in jwt_claims:
raise suppliers.UnauthenticatedException(u'Missing "%s" claim' %
claim_name)
|
verify_required_claims_exist
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(jwt_claims):\n for claim_name in [u'aud', u'exp', u'iss', u'sub']:\n if claim_name not in jwt_claims:\n raise suppliers.UnauthenticatedException(u'Missing \"%s\" claim' %\n claim_name)\n",
"role": "user"
},
{
"content": "verify_required_claims_exist",
"role": "assistant"
}
] |
def x(self, auth_token, auth_info, service_name):
try:
jwt_claims = self.get_jwt_claims(auth_token)
except Exception as error:
raise suppliers.UnauthenticatedException(
u'Cannot decode the auth token', error)
_check_jwt_claims(jwt_claims)
user_info = UserInfo(jwt_claims)
issuer = user_info.issuer
if issuer not in self._issuers_to_provider_ids:
raise suppliers.UnauthenticatedException(u'Unknown issuer: ' + issuer)
provider_id = self._issuers_to_provider_ids[issuer]
if not auth_info.is_provider_allowed(provider_id):
raise suppliers.UnauthenticatedException(
u'The requested method does not allow provider id: ' + provider_id)
audiences = user_info.audiences
has_service_name = service_name in audiences
allowed_audiences = auth_info.get_allowed_audiences(provider_id)
intersected_audiences = set(allowed_audiences).intersection(audiences)
if not has_service_name and not intersected_audiences:
raise suppliers.UnauthenticatedException(u'Audiences not allowed')
return user_info
|
authenticate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, auth_token, auth_info, service_name):\n try:\n jwt_claims = self.get_jwt_claims(auth_token)\n except Exception as error:\n raise suppliers.UnauthenticatedException(\n u'Cannot decode the auth token', error)\n _check_jwt_claims(jwt_claims)\n user_info = UserInfo(jwt_claims)\n issuer = user_info.issuer\n if issuer not in self._issuers_to_provider_ids:\n raise suppliers.UnauthenticatedException(u'Unknown issuer: ' + issuer)\n provider_id = self._issuers_to_provider_ids[issuer]\n if not auth_info.is_provider_allowed(provider_id):\n raise suppliers.UnauthenticatedException(\n u'The requested method does not allow provider id: ' + provider_id)\n audiences = user_info.audiences\n has_service_name = service_name in audiences\n allowed_audiences = auth_info.get_allowed_audiences(provider_id)\n intersected_audiences = set(allowed_audiences).intersection(audiences)\n if not has_service_name and not intersected_audiences:\n raise suppliers.UnauthenticatedException(u'Audiences not allowed')\n return user_info\n",
"role": "user"
},
{
"content": "authenticate",
"role": "assistant"
}
] |
def x(self, auth_token):
def x():
jwt_claims = jwt.JWT().unpack(auth_token).payload()
_verify_required_claims_exist(jwt_claims)
issuer = jwt_claims[u'iss']
keys = self._jwks_supplier.supply(issuer)
try:
return jws.JWS().verify_compact(auth_token, keys)
except (jwkest.BadSignature, jws.NoSuitableSigningKeys, jws.
SignerAlgError) as exception:
raise suppliers.UnauthenticatedException(
u'Signature verification failed', exception)
return self._cache.get_or_create(auth_token, _decode_and_verify)
|
get_jwt_claims
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, auth_token):\n\n def x():\n jwt_claims = jwt.JWT().unpack(auth_token).payload()\n _verify_required_claims_exist(jwt_claims)\n issuer = jwt_claims[u'iss']\n keys = self._jwks_supplier.supply(issuer)\n try:\n return jws.JWS().verify_compact(auth_token, keys)\n except (jwkest.BadSignature, jws.NoSuitableSigningKeys, jws.\n SignerAlgError) as exception:\n raise suppliers.UnauthenticatedException(\n u'Signature verification failed', exception)\n return self._cache.get_or_create(auth_token, _decode_and_verify)\n",
"role": "user"
},
{
"content": "get_jwt_claims",
"role": "assistant"
}
] |
def x(options, timer=None, use_deque=True):
if options is None:
return None
if not isinstance(options, (CheckOptions, QuotaOptions, ReportOptions)):
_logger.error(u'make_cache(): bad options %s', options)
raise ValueError(u'Invalid options')
if options.num_entries <= 0:
_logger.debug(u'did not create cache, options was %s', options)
return None
_logger.debug(u'creating a cache from %s', options)
if options.flush_interval > ZERO_INTERVAL:
ttl = getattr(options, u'expiration', options.flush_interval)
cache_cls = DequeOutTTLCache if use_deque else cachetools.TTLCache
return LockedObject(cache_cls(options.num_entries, ttl=ttl.
total_seconds(), timer=to_cache_timer(timer)))
cache_cls = DequeOutLRUCache if use_deque else cachetools.LRUCache
return LockedObject(cache_cls(options.num_entries))
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(options, timer=None, use_deque=True):\n if options is None:\n return None\n if not isinstance(options, (CheckOptions, QuotaOptions, ReportOptions)):\n _logger.error(u'make_cache(): bad options %s', options)\n raise ValueError(u'Invalid options')\n if options.num_entries <= 0:\n _logger.debug(u'did not create cache, options was %s', options)\n return None\n _logger.debug(u'creating a cache from %s', options)\n if options.flush_interval > ZERO_INTERVAL:\n ttl = getattr(options, u'expiration', options.flush_interval)\n cache_cls = DequeOutTTLCache if use_deque else cachetools.TTLCache\n return LockedObject(cache_cls(options.num_entries, ttl=ttl.\n total_seconds(), timer=to_cache_timer(timer)))\n cache_cls = DequeOutLRUCache if use_deque else cachetools.LRUCache\n return LockedObject(cache_cls(options.num_entries))\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(datetime_func):
if datetime_func is None:
datetime_func = datetime.utcnow
def x():
return (datetime_func() - datetime(1970, 1, 1)).total_seconds()
return _timer
|
to_cache_timer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(datetime_func):\n if datetime_func is None:\n datetime_func = datetime.utcnow\n\n def x():\n return (datetime_func() - datetime(1970, 1, 1)).total_seconds()\n return _timer\n",
"role": "user"
},
{
"content": "to_cache_timer",
"role": "assistant"
}
] |
def x(self):
self.expire()
expired = {k: v for k, v in self._tracking.items() if self.get(k) is None}
for k, v in expired.items():
del self._tracking[k]
self._out_deque.append(v)
return self._out_deque
|
out_deque
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.expire()\n expired = {k: v for k, v in self._tracking.items() if self.get(k) is None}\n for k, v in expired.items():\n del self._tracking[k]\n self._out_deque.append(v)\n return self._out_deque\n",
"role": "user"
},
{
"content": "out_deque",
"role": "assistant"
}
] |
def x(build):
build.packages.install('wheel')
build.packages.install('twine')
build.executables.run(['python', 'setup.py', 'sdist', 'bdist_wheel',
'--universal', 'upload'])
build.executables.run(['twine', 'upload', 'dist/*'])
|
distribute
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(build):\n build.packages.install('wheel')\n build.packages.install('twine')\n build.executables.run(['python', 'setup.py', 'sdist', 'bdist_wheel',\n '--universal', 'upload'])\n build.executables.run(['twine', 'upload', 'dist/*'])\n",
"role": "user"
},
{
"content": "distribute",
"role": "assistant"
}
] |
def x():
global _THREAD_CLASS
try:
from google.appengine.api.background_thread import background_thread
_THREAD_CLASS = background_thread.BackgroundThread
except ImportError:
_logger.error(
u'Could not install appengine background threads! Please install the python AppEngine SDK and use this from there'
)
|
use_gae_thread
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n global _THREAD_CLASS\n try:\n from google.appengine.api.background_thread import background_thread\n _THREAD_CLASS = background_thread.BackgroundThread\n except ImportError:\n _logger.error(\n u'Could not install appengine background threads! Please install the python AppEngine SDK and use this from there'\n )\n",
"role": "user"
},
{
"content": "use_gae_thread",
"role": "assistant"
}
] |
def x(self):
with self._lock:
if self._running:
return
self._stopped = False
self._running = True
self._start_idle_timer()
_logger.debug(u'starting thread of type %s to run the scheduler',
_THREAD_CLASS)
self._thread = create_thread(target=self._schedule_flushes)
try:
self._thread.start()
except Exception:
_logger.warn(
u'no scheduler thread, scheduler.run() will be invoked by report(...)'
, exc_info=True)
self._thread = None
self._initialize_flushing()
|
start
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with self._lock:\n if self._running:\n return\n self._stopped = False\n self._running = True\n self._start_idle_timer()\n _logger.debug(u'starting thread of type %s to run the scheduler',\n _THREAD_CLASS)\n self._thread = create_thread(target=self._schedule_flushes)\n try:\n self._thread.start()\n except Exception:\n _logger.warn(\n u'no scheduler thread, scheduler.run() will be invoked by report(...)'\n , exc_info=True)\n self._thread = None\n self._initialize_flushing()\n",
"role": "user"
},
{
"content": "start",
"role": "assistant"
}
] |
def x(self):
with self._lock:
if self._stopped:
_logger.debug(u'%s is already stopped', self)
return
self._flush_all_reports()
self._stopped = True
if self._run_scheduler_directly:
self._cleanup_if_stopped()
if self._scheduler and self._scheduler.empty():
self._running = False
self._scheduler = None
|
stop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with self._lock:\n if self._stopped:\n _logger.debug(u'%s is already stopped', self)\n return\n self._flush_all_reports()\n self._stopped = True\n if self._run_scheduler_directly:\n self._cleanup_if_stopped()\n if self._scheduler and self._scheduler.empty():\n self._running = False\n self._scheduler = None\n",
"role": "user"
},
{
"content": "stop",
"role": "assistant"
}
] |
def x(self, check_req):
self.start()
res = self._check_aggregator.check(check_req)
if res:
_logger.debug(u'using cached check response for %s: %s',
check_request, res)
return res
try:
transport = self._create_transport()
resp = transport.services.Check(check_req)
self._check_aggregator.add_response(check_req, resp)
return resp
except exceptions.Error:
_logger.error(u'direct send of check request failed %s',
check_request, exc_info=True)
return None
|
check
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, check_req):\n self.start()\n res = self._check_aggregator.check(check_req)\n if res:\n _logger.debug(u'using cached check response for %s: %s',\n check_request, res)\n return res\n try:\n transport = self._create_transport()\n resp = transport.services.Check(check_req)\n self._check_aggregator.add_response(check_req, resp)\n return resp\n except exceptions.Error:\n _logger.error(u'direct send of check request failed %s',\n check_request, exc_info=True)\n return None\n",
"role": "user"
},
{
"content": "check",
"role": "assistant"
}
] |
def x(self, report_req):
self.start()
if self._run_scheduler_directly:
self._scheduler.run(blocking=False)
if not self._report_aggregator.report(report_req):
_logger.debug(u'need to send a report request directly')
try:
transport = self._create_transport()
transport.services.Report(report_req)
except exceptions.Error:
_logger.error(u'direct send for report request failed',
exc_info=True)
|
report
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, report_req):\n self.start()\n if self._run_scheduler_directly:\n self._scheduler.run(blocking=False)\n if not self._report_aggregator.report(report_req):\n _logger.debug(u'need to send a report request directly')\n try:\n transport = self._create_transport()\n transport.services.Report(report_req)\n except exceptions.Error:\n _logger.error(u'direct send for report request failed',\n exc_info=True)\n",
"role": "user"
},
{
"content": "report",
"role": "assistant"
}
] |
def x(labels=None, **kw):
if labels is not None:
kw[u'labels'] = encoding.PyValueToMessage(MetricValue.LabelsValue,
labels)
return MetricValue(**kw)
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(labels=None, **kw):\n if labels is not None:\n kw[u'labels'] = encoding.PyValueToMessage(MetricValue.LabelsValue,\n labels)\n return MetricValue(**kw)\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(metric_kind, prior, latest):
prior_type, _ = _detect_value(prior)
latest_type, _ = _detect_value(latest)
if prior_type != latest_type:
_logger.warn(u'Metric values are not compatible: %s, %s', prior, latest
)
raise ValueError(u'Incompatible delta metric values')
if prior_type is None:
_logger.warn(u'Bad metric values, types not known for : %s, %s',
prior, latest)
raise ValueError(u'Unsupported delta metric types')
if metric_kind == MetricKind.DELTA:
return _merge_delta_metric(prior, latest)
else:
return _merge_cumulative_or_gauge_metrics(prior, latest)
|
merge
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(metric_kind, prior, latest):\n prior_type, _ = _detect_value(prior)\n latest_type, _ = _detect_value(latest)\n if prior_type != latest_type:\n _logger.warn(u'Metric values are not compatible: %s, %s', prior, latest\n )\n raise ValueError(u'Incompatible delta metric values')\n if prior_type is None:\n _logger.warn(u'Bad metric values, types not known for : %s, %s',\n prior, latest)\n raise ValueError(u'Unsupported delta metric types')\n if metric_kind == MetricKind.DELTA:\n return _merge_delta_metric(prior, latest)\n else:\n return _merge_cumulative_or_gauge_metrics(prior, latest)\n",
"role": "user"
},
{
"content": "merge",
"role": "assistant"
}
] |
def x(a_hash, mv):
if mv.labels:
signing.add_dict_to_hash(a_hash, encoding.MessageToPyValue(mv.labels))
money_value = mv.get_assigned_value(u'moneyValue')
if money_value is not None:
a_hash.update(b'\x00')
a_hash.update(money_value.currencyCode.encode('utf-8'))
|
update_hash
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a_hash, mv):\n if mv.labels:\n signing.add_dict_to_hash(a_hash, encoding.MessageToPyValue(mv.labels))\n money_value = mv.get_assigned_value(u'moneyValue')\n if money_value is not None:\n a_hash.update(b'\\x00')\n a_hash.update(money_value.currencyCode.encode('utf-8'))\n",
"role": "user"
},
{
"content": "update_hash",
"role": "assistant"
}
] |
def x(mv):
md5 = hashlib.md5()
update_hash(md5, mv)
return md5.digest()
|
sign
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mv):\n md5 = hashlib.md5()\n update_hash(md5, mv)\n return md5.digest()\n",
"role": "user"
},
{
"content": "sign",
"role": "assistant"
}
] |
def x(self, issuer):
issuer_uri_config = self._issuer_uri_configs.get(issuer)
if not issuer_uri_config:
return
jwks_uri = issuer_uri_config.jwks_uri
if jwks_uri:
return jwks_uri
open_id_valid = issuer_uri_config.open_id_valid
if open_id_valid:
discovered_jwks_uri = _discover_jwks_uri(issuer)
self._issuer_uri_configs[issuer] = IssuerUriConfig(False,
discovered_jwks_uri)
return discovered_jwks_uri
|
supply
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, issuer):\n issuer_uri_config = self._issuer_uri_configs.get(issuer)\n if not issuer_uri_config:\n return\n jwks_uri = issuer_uri_config.jwks_uri\n if jwks_uri:\n return jwks_uri\n open_id_valid = issuer_uri_config.open_id_valid\n if open_id_valid:\n discovered_jwks_uri = _discover_jwks_uri(issuer)\n self._issuer_uri_configs[issuer] = IssuerUriConfig(False,\n discovered_jwks_uri)\n return discovered_jwks_uri\n",
"role": "user"
},
{
"content": "supply",
"role": "assistant"
}
] |
def x(self, issuer):
def x():
jwks_uri = self._key_uri_supplier.supply(issuer)
if not jwks_uri:
raise UnauthenticatedException(
u'Cannot find the `jwks_uri` for issuer %s: either the issuer is unknown or the OpenID discovery failed'
% issuer)
try:
response = requests.get(jwks_uri)
json_response = response.json()
except Exception as exception:
message = (
u'Cannot retrieve valid verification keys from the `jwks_uri`')
raise UnauthenticatedException(message, exception)
if u'keys' in json_response:
jwks_keys = jwk.KEYS()
jwks_keys.load_jwks(response.text)
return jwks_keys._keys
else:
return _extract_x509_certificates(json_response)
return self._jwks_cache.get_or_create(issuer, _retrieve_jwks)
|
supply
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, issuer):\n\n def x():\n jwks_uri = self._key_uri_supplier.supply(issuer)\n if not jwks_uri:\n raise UnauthenticatedException(\n u'Cannot find the `jwks_uri` for issuer %s: either the issuer is unknown or the OpenID discovery failed'\n % issuer)\n try:\n response = requests.get(jwks_uri)\n json_response = response.json()\n except Exception as exception:\n message = (\n u'Cannot retrieve valid verification keys from the `jwks_uri`')\n raise UnauthenticatedException(message, exception)\n if u'keys' in json_response:\n jwks_keys = jwk.KEYS()\n jwks_keys.load_jwks(response.text)\n return jwks_keys._keys\n else:\n return _extract_x509_certificates(json_response)\n return self._jwks_cache.get_or_create(issuer, _retrieve_jwks)\n",
"role": "user"
},
{
"content": "supply",
"role": "assistant"
}
] |
def x(self, desc):
desc_value_type = desc.valueType or ValueType.STRING
return self.label_name == desc.key and self.value_type == desc_value_type
|
matches
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, desc):\n desc_value_type = desc.valueType or ValueType.STRING\n return self.label_name == desc.key and self.value_type == desc_value_type\n",
"role": "user"
},
{
"content": "matches",
"role": "assistant"
}
] |
def x(self, info, labels):
if self.update_label_func:
self.update_label_func(self.label_name, info, labels)
|
do_labels_update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, info, labels):\n if self.update_label_func:\n self.update_label_func(self.label_name, info, labels)\n",
"role": "user"
},
{
"content": "do_labels_update",
"role": "assistant"
}
] |
def x(cls, desc):
for l in cls:
if l.matches(desc):
return True
return False
|
is_supported
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, desc):\n for l in cls:\n if l.matches(desc):\n return True\n return False\n",
"role": "user"
},
{
"content": "is_supported",
"role": "assistant"
}
] |
def x(service, label_is_supported=label_descriptor.KnownLabels.is_supported,
metric_is_supported=metric_descriptor.KnownMetrics.is_supported):
resource_descs = service.monitoredResources
labels_dict = {}
logs = set()
if service.logging:
logs = _add_logging_destinations(service.logging.
producerDestinations, resource_descs, service.logs, labels_dict,
label_is_supported)
metrics_dict = {}
monitoring = service.monitoring
if monitoring:
for destinations in (monitoring.consumerDestinations, monitoring.
producerDestinations):
_add_monitoring_destinations(destinations, resource_descs,
service.metrics, metrics_dict, metric_is_supported,
labels_dict, label_is_supported)
return logs, metrics_dict.keys(), labels_dict.keys()
|
extract_report_spec
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(service, label_is_supported=label_descriptor.KnownLabels.is_supported,\n metric_is_supported=metric_descriptor.KnownMetrics.is_supported):\n resource_descs = service.monitoredResources\n labels_dict = {}\n logs = set()\n if service.logging:\n logs = _add_logging_destinations(service.logging.\n producerDestinations, resource_descs, service.logs, labels_dict,\n label_is_supported)\n metrics_dict = {}\n monitoring = service.monitoring\n if monitoring:\n for destinations in (monitoring.consumerDestinations, monitoring.\n producerDestinations):\n _add_monitoring_destinations(destinations, resource_descs,\n service.metrics, metrics_dict, metric_is_supported,\n labels_dict, label_is_supported)\n return logs, metrics_dict.keys(), labels_dict.keys()\n",
"role": "user"
},
{
"content": "extract_report_spec",
"role": "assistant"
}
] |
def x(self):
service = self._service
if not service.authentication:
return {}
auth_infos = {}
for auth_rule in service.authentication.rules:
selector = auth_rule.selector
provider_ids_to_audiences = {}
for requirement in auth_rule.requirements:
provider_id = requirement.providerId
if provider_id and requirement.audiences:
audiences = requirement.audiences.split(u',')
provider_ids_to_audiences[provider_id] = audiences
auth_infos[selector] = AuthInfo(provider_ids_to_audiences)
return auth_infos
|
extract_auth_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n service = self._service\n if not service.authentication:\n return {}\n auth_infos = {}\n for auth_rule in service.authentication.rules:\n selector = auth_rule.selector\n provider_ids_to_audiences = {}\n for requirement in auth_rule.requirements:\n provider_id = requirement.providerId\n if provider_id and requirement.audiences:\n audiences = requirement.audiences.split(u',')\n provider_ids_to_audiences[provider_id] = audiences\n auth_infos[selector] = AuthInfo(provider_ids_to_audiences)\n return auth_infos\n",
"role": "user"
},
{
"content": "extract_auth_config",
"role": "assistant"
}
] |
def x(self):
service = self._service
all_urls = set()
urls_with_options = set()
if not service.http:
return
for rule in service.http.rules:
http_method, url = _detect_pattern_option(rule)
if not url or not http_method or not rule.selector:
_logger.error(u'invalid HTTP binding encountered')
continue
method_info = self._get_or_create_method_info(rule.selector)
if rule.body:
method_info.body_field_path = rule.body
if not self._register(http_method, url, method_info):
continue
all_urls.add(url)
if http_method == self._OPTIONS:
urls_with_options.add(url)
self._add_cors_options_selectors(all_urls - urls_with_options)
self._update_usage()
self._update_system_parameters()
|
extract_methods
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n service = self._service\n all_urls = set()\n urls_with_options = set()\n if not service.http:\n return\n for rule in service.http.rules:\n http_method, url = _detect_pattern_option(rule)\n if not url or not http_method or not rule.selector:\n _logger.error(u'invalid HTTP binding encountered')\n continue\n method_info = self._get_or_create_method_info(rule.selector)\n if rule.body:\n method_info.body_field_path = rule.body\n if not self._register(http_method, url, method_info):\n continue\n all_urls.add(url)\n if http_method == self._OPTIONS:\n urls_with_options.add(url)\n self._add_cors_options_selectors(all_urls - urls_with_options)\n self._update_usage()\n self._update_system_parameters()\n",
"role": "user"
},
{
"content": "extract_methods",
"role": "assistant"
}
] |
async def get_blueprint_params(request, left: int, right: int) ->str:
"""
API Description: Multiply, left * right. This will show in the swagger page (localhost:8000/api/v1/).
"""
res = left * right
return '{left}*{right}={res}'.format(left=left, right=right, res=res)
|
get_blueprint_params
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def get_blueprint_params(request, left: int, right: int) ->str:\n \"\"\"\n API Description: Multiply, left * right. This will show in the swagger page (localhost:8000/api/v1/).\n \"\"\"\n res = left * right\n return '{left}*{right}={res}'.format(left=left, right=right, res=res)\n",
"role": "user"
},
{
"content": "get_blueprint_params",
"role": "assistant"
}
] |
def x(service_name=None, service_version=None):
if not service_name:
service_name = _get_env_var_or_raise(_SERVICE_NAME_ENV_KEY)
if not service_version:
service_version = _get_service_version(_SERVICE_VERSION_ENV_KEY,
service_name)
_logger.debug(
u'Contacting Service Management API for service %s version %s',
service_name, service_version)
response = _make_service_config_request(service_name, service_version)
_logger.debug(u'obtained service json from the management api:\n%s',
response.data)
service = encoding.JsonToMessage(messages.Service, response.data)
_validate_service_config(service, service_name, service_version)
return service
|
fetch_service_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(service_name=None, service_version=None):\n if not service_name:\n service_name = _get_env_var_or_raise(_SERVICE_NAME_ENV_KEY)\n if not service_version:\n service_version = _get_service_version(_SERVICE_VERSION_ENV_KEY,\n service_name)\n _logger.debug(\n u'Contacting Service Management API for service %s version %s',\n service_name, service_version)\n response = _make_service_config_request(service_name, service_version)\n _logger.debug(u'obtained service json from the management api:\\n%s',\n response.data)\n service = encoding.JsonToMessage(messages.Service, response.data)\n _validate_service_config(service, service_name, service_version)\n return service\n",
"role": "user"
},
{
"content": "fetch_service_config",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.