source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self): missing = [] for k, v in self._map.items(): attr = getattr(self, k, False) if not attr or attr == CONFIG_PLACEHOLDER: missing.append(v) if missing: return 'Missing or invalid config values: {}'.format(', '.join( sorted(missing)))
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n missing = []\n for k, v in self._map.items():\n attr = getattr(self, k, False)\n if not attr or attr == CONFIG_PLACEHOLDER:\n missing.append(v)\n if missing:\n return 'Missing or invalid config values: {}'.format(', '.join(\n sorted(missing)))\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(local_session, commit=False): try: yield local_session if commit: local_session.commit() logger.debug('DB session auto-committed as requested') except Exception as e: logger.exception( 'Exception during scoped worker transaction, rolling back.') local_session.rollback() raise e finally: local_session.remove() logger.debug('Session complete, db session closed')
sessions_scope
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(local_session, commit=False):\n try:\n yield local_session\n if commit:\n local_session.commit()\n logger.debug('DB session auto-committed as requested')\n except Exception as e:\n logger.exception(\n 'Exception during scoped worker transaction, rolling back.')\n local_session.rollback()\n raise e\n finally:\n local_session.remove()\n logger.debug('Session complete, db session closed')\n", "role": "user" }, { "content": "sessions_scope", "role": "assistant" } ]
def x(func): @wraps(func) def x(*args, **kwargs): with sessions_scope(session): logger.debug('Running worker %s in scoped DB session', func. __name__) return func(*args, **kwargs) return wrapper
scoped_session_decorator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n\n @wraps(func)\n def x(*args, **kwargs):\n with sessions_scope(session):\n logger.debug('Running worker %s in scoped DB session', func.\n __name__)\n return func(*args, **kwargs)\n return wrapper\n", "role": "user" }, { "content": "scoped_session_decorator", "role": "assistant" } ]
def x(drop_all=False, bind=engine): try: if drop_all: Base.metadata.drop_all(bind=bind) Base.metadata.create_all(bind=bind) except OperationalError as err: msg = 'password authentication failed for user "dallinger"' if msg in err.message: sys.stderr.write(db_user_warning) raise return session
init_db
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(drop_all=False, bind=engine):\n try:\n if drop_all:\n Base.metadata.drop_all(bind=bind)\n Base.metadata.create_all(bind=bind)\n except OperationalError as err:\n msg = 'password authentication failed for user \"dallinger\"'\n if msg in err.message:\n sys.stderr.write(db_user_warning)\n raise\n return session\n", "role": "user" }, { "content": "init_db", "role": "assistant" } ]
def x(func): @wraps(func) def x(*args, **kw): attempts = 100 session.remove() while attempts > 0: try: session.connection(execution_options={'isolation_level': 'SERIALIZABLE'}) result = func(*args, **kw) session.commit() return result except OperationalError as exc: session.rollback() if isinstance(exc.orig, TransactionRollbackError): if attempts > 0: attempts -= 1 else: raise Exception( 'Could not commit serialized transaction after 100 attempts.' ) else: raise finally: session.remove() time.sleep(random.expovariate(0.5)) return wrapper
serialized
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n\n @wraps(func)\n def x(*args, **kw):\n attempts = 100\n session.remove()\n while attempts > 0:\n try:\n session.connection(execution_options={'isolation_level':\n 'SERIALIZABLE'})\n result = func(*args, **kw)\n session.commit()\n return result\n except OperationalError as exc:\n session.rollback()\n if isinstance(exc.orig, TransactionRollbackError):\n if attempts > 0:\n attempts -= 1\n else:\n raise Exception(\n 'Could not commit serialized transaction after 100 attempts.'\n )\n else:\n raise\n finally:\n session.remove()\n time.sleep(random.expovariate(0.5))\n return wrapper\n", "role": "user" }, { "content": "serialized", "role": "assistant" } ]
def x(ws): lag_tolerance_secs = float(request.args.get('tolerance', 0.1)) client = Client(ws, lag_tolerance_secs=lag_tolerance_secs) client.subscribe(request.args.get('channel')) gevent.spawn(client.heartbeat) client.publish()
chat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ws):\n lag_tolerance_secs = float(request.args.get('tolerance', 0.1))\n client = Client(ws, lag_tolerance_secs=lag_tolerance_secs)\n client.subscribe(request.args.get('channel'))\n gevent.spawn(client.heartbeat)\n client.publish()\n", "role": "user" }, { "content": "chat", "role": "assistant" } ]
def x(self, client): self.clients.append(client) log('Subscribed client {} to channel {}'.format(client, self.name))
subscribe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client):\n self.clients.append(client)\n log('Subscribed client {} to channel {}'.format(client, self.name))\n", "role": "user" }, { "content": "subscribe", "role": "assistant" } ]
def x(self, client): if client in self.clients: self.clients.remove(client) log('Unsubscribed client {} from channel {}'.format(client, self.name))
unsubscribe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client):\n if client in self.clients:\n self.clients.remove(client)\n log('Unsubscribed client {} from channel {}'.format(client, self.name))\n", "role": "user" }, { "content": "unsubscribe", "role": "assistant" } ]
def x(self): pubsub = redis_conn.pubsub() name = self.name if isinstance(name, six.text_type): name = name.encode('utf-8') try: pubsub.subscribe([name]) except ConnectionError: app.logger.exception('Could not connect to redis.') log('Listening on channel {}'.format(self.name)) for message in pubsub.listen(): data = message.get('data') if message['type'] == 'message' and data != 'None': channel = message['channel'] payload = '{}:{}'.format(channel.decode('utf-8'), data.decode( 'utf-8')) for client in self.clients: gevent.spawn(client.send, payload) gevent.sleep(0.001)
listen
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n pubsub = redis_conn.pubsub()\n name = self.name\n if isinstance(name, six.text_type):\n name = name.encode('utf-8')\n try:\n pubsub.subscribe([name])\n except ConnectionError:\n app.logger.exception('Could not connect to redis.')\n log('Listening on channel {}'.format(self.name))\n for message in pubsub.listen():\n data = message.get('data')\n if message['type'] == 'message' and data != 'None':\n channel = message['channel']\n payload = '{}:{}'.format(channel.decode('utf-8'), data.decode(\n 'utf-8'))\n for client in self.clients:\n gevent.spawn(client.send, payload)\n gevent.sleep(0.001)\n", "role": "user" }, { "content": "listen", "role": "assistant" } ]
def x(self, client, channel_name): if channel_name not in self.channels: self.channels[channel_name] = channel = Channel(channel_name) channel.start() self.channels[channel_name].subscribe(client)
subscribe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client, channel_name):\n if channel_name not in self.channels:\n self.channels[channel_name] = channel = Channel(channel_name)\n channel.start()\n self.channels[channel_name].subscribe(client)\n", "role": "user" }, { "content": "subscribe", "role": "assistant" } ]
def x(self, client): for channel in self.channels.values(): channel.unsubscribe(client)
unsubscribe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client):\n for channel in self.channels.values():\n channel.unsubscribe(client)\n", "role": "user" }, { "content": "unsubscribe", "role": "assistant" } ]
def x(self, message): if isinstance(message, bytes): message = message.decode('utf8') with self.send_lock: try: self.ws.send(message) except socket.error: chat_backend.unsubscribe(self)
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message):\n if isinstance(message, bytes):\n message = message.decode('utf8')\n with self.send_lock:\n try:\n self.ws.send(message)\n except socket.error:\n chat_backend.unsubscribe(self)\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(self): while not self.ws.closed: gevent.sleep(HEARTBEAT_DELAY) gevent.spawn(self.send, 'ping')
heartbeat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n while not self.ws.closed:\n gevent.sleep(HEARTBEAT_DELAY)\n gevent.spawn(self.send, 'ping')\n", "role": "user" }, { "content": "heartbeat", "role": "assistant" } ]
def x(self): while not self.ws.closed: gevent.sleep(self.lag_tolerance_secs) message = self.ws.receive() if message is not None: channel_name, data = message.split(':', 1) redis_conn.publish(channel_name, data)
publish
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n while not self.ws.closed:\n gevent.sleep(self.lag_tolerance_secs)\n message = self.ws.receive()\n if message is not None:\n channel_name, data = message.split(':', 1)\n redis_conn.publish(channel_name, data)\n", "role": "user" }, { "content": "publish", "role": "assistant" } ]
def x(self): from dallinger.config import get_config config = get_config() if not config.ready: config.load() driver_url = config.get('webdriver_url', None) driver_type = config.get('webdriver_type') driver = None if driver_url: capabilities = CAPABILITY_MAP.get(driver_type.lower()) if capabilities is None: raise ValueError('Unsupported remote webdriver_type: {}'.format (driver_type)) driver = webdriver.Remote(desired_capabilities=capabilities, command_executor=driver_url) else: driver_class = DRIVER_MAP.get(driver_type.lower()) if driver_class is not None: driver = driver_class() if driver is None: raise ValueError('Unsupported webdriver_type: {}'.format(driver_type)) driver.set_window_size(1024, 768) logger.info('Created {} webdriver.'.format(driver_type)) return driver
driver
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n from dallinger.config import get_config\n config = get_config()\n if not config.ready:\n config.load()\n driver_url = config.get('webdriver_url', None)\n driver_type = config.get('webdriver_type')\n driver = None\n if driver_url:\n capabilities = CAPABILITY_MAP.get(driver_type.lower())\n if capabilities is None:\n raise ValueError('Unsupported remote webdriver_type: {}'.format\n (driver_type))\n driver = webdriver.Remote(desired_capabilities=capabilities,\n command_executor=driver_url)\n else:\n driver_class = DRIVER_MAP.get(driver_type.lower())\n if driver_class is not None:\n driver = driver_class()\n if driver is None:\n raise ValueError('Unsupported webdriver_type: {}'.format(driver_type))\n driver.set_window_size(1024, 768)\n logger.info('Created {} webdriver.'.format(driver_type))\n return driver\n", "role": "user" }, { "content": "driver", "role": "assistant" } ]
def x(self): try: self.driver.get(self.URL) logger.info('Loaded ad page.') begin = WebDriverWait(self.driver, 10).until(EC. element_to_be_clickable((By.CLASS_NAME, 'btn-primary'))) begin.click() logger.info('Clicked begin experiment button.') WebDriverWait(self.driver, 10).until(lambda d: len(d.window_handles ) == 2) self.driver.switch_to_window(self.driver.window_handles[-1]) self.driver.set_window_size(1024, 768) logger.info('Switched to experiment popup.') consent = WebDriverWait(self.driver, 10).until(EC. element_to_be_clickable((By.ID, 'consent'))) consent.click() logger.info('Clicked consent button.') participate = WebDriverWait(self.driver, 10).until(EC. element_to_be_clickable((By.CLASS_NAME, 'btn-success'))) participate.click() logger.info('Clicked start button.') return True except TimeoutException: logger.error('Error during experiment sign up.') return False
sign_up
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n self.driver.get(self.URL)\n logger.info('Loaded ad page.')\n begin = WebDriverWait(self.driver, 10).until(EC.\n element_to_be_clickable((By.CLASS_NAME, 'btn-primary')))\n begin.click()\n logger.info('Clicked begin experiment button.')\n WebDriverWait(self.driver, 10).until(lambda d: len(d.window_handles\n ) == 2)\n self.driver.switch_to_window(self.driver.window_handles[-1])\n self.driver.set_window_size(1024, 768)\n logger.info('Switched to experiment popup.')\n consent = WebDriverWait(self.driver, 10).until(EC.\n element_to_be_clickable((By.ID, 'consent')))\n consent.click()\n logger.info('Clicked consent button.')\n participate = WebDriverWait(self.driver, 10).until(EC.\n element_to_be_clickable((By.CLASS_NAME, 'btn-success')))\n participate.click()\n logger.info('Clicked start button.')\n return True\n except TimeoutException:\n logger.error('Error during experiment sign up.')\n return False\n", "role": "user" }, { "content": "sign_up", "role": "assistant" } ]
def x(self): logger.info('Complete questionnaire.') difficulty = self.driver.find_element_by_id('difficulty') difficulty.value = '4' engagement = self.driver.find_element_by_id('engagement') engagement.value = '3'
complete_questionnaire
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logger.info('Complete questionnaire.')\n difficulty = self.driver.find_element_by_id('difficulty')\n difficulty.value = '4'\n engagement = self.driver.find_element_by_id('engagement')\n engagement.value = '3'\n", "role": "user" }, { "content": "complete_questionnaire", "role": "assistant" } ]
def x(self): try: logger.info('Bot player signing off.') feedback = WebDriverWait(self.driver, 20).until(EC. presence_of_element_located((By.ID, 'submit-questionnaire'))) self.complete_questionnaire() feedback.click() logger.info('Clicked submit questionnaire button.') self.driver.switch_to_window(self.driver.window_handles[0]) self.driver.set_window_size(1024, 768) logger.info('Switched back to initial window.') return True except TimeoutException: logger.error('Error during experiment sign off.') return False
sign_off
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n logger.info('Bot player signing off.')\n feedback = WebDriverWait(self.driver, 20).until(EC.\n presence_of_element_located((By.ID, 'submit-questionnaire')))\n self.complete_questionnaire()\n feedback.click()\n logger.info('Clicked submit questionnaire button.')\n self.driver.switch_to_window(self.driver.window_handles[0])\n self.driver.set_window_size(1024, 768)\n logger.info('Switched back to initial window.')\n return True\n except TimeoutException:\n logger.error('Error during experiment sign off.')\n return False\n", "role": "user" }, { "content": "sign_off", "role": "assistant" } ]
def x(self, status): url = self.driver.current_url p = urllib.parse.urlparse(url) complete_url = '%s://%s/%s?participant_id=%s' complete_url = complete_url % (p.scheme, p.netloc, status, self. participant_id) self.driver.get(complete_url) logger.info('Forced call to %s: %s' % (status, complete_url))
complete_experiment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, status):\n url = self.driver.current_url\n p = urllib.parse.urlparse(url)\n complete_url = '%s://%s/%s?participant_id=%s'\n complete_url = complete_url % (p.scheme, p.netloc, status, self.\n participant_id)\n self.driver.get(complete_url)\n logger.info('Forced call to %s: %s' % (status, complete_url))\n", "role": "user" }, { "content": "complete_experiment", "role": "assistant" } ]
def x(self): try: self.sign_up() self.participate() if self.sign_off(): self.complete_experiment('worker_complete') else: self.complete_experiment('worker_failed') finally: self.driver.quit()
run_experiment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n self.sign_up()\n self.participate()\n if self.sign_off():\n self.complete_experiment('worker_complete')\n else:\n self.complete_experiment('worker_failed')\n finally:\n self.driver.quit()\n", "role": "user" }, { "content": "run_experiment", "role": "assistant" } ]
def x(self): self.sign_up() self.participate() if self.sign_off(): self.complete_experiment('worker_complete') else: self.complete_experiment('worker_failed')
run_experiment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.sign_up()\n self.participate()\n if self.sign_off():\n self.complete_experiment('worker_complete')\n else:\n self.complete_experiment('worker_failed')\n", "role": "user" }, { "content": "run_experiment", "role": "assistant" } ]
def x(self): self.log('Bot player signing up.') self.subscribe_to_quorum_channel() while True: url = ( '{host}/participant/{self.worker_id}/{self.hit_id}/{self.assignment_id}/debug?fingerprint_hash={hash}&recruiter=bots:{bot_name}' .format(host=self.host, self=self, hash=uuid.uuid4().hex, bot_name=self.__class__.__name__)) try: result = requests.post(url) result.raise_for_status() except RequestException: self.stochastic_sleep() continue if result.json()['status'] == 'error': self.stochastic_sleep() continue self.on_signup(result.json()) return True
sign_up
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.log('Bot player signing up.')\n self.subscribe_to_quorum_channel()\n while True:\n url = (\n '{host}/participant/{self.worker_id}/{self.hit_id}/{self.assignment_id}/debug?fingerprint_hash={hash}&recruiter=bots:{bot_name}'\n .format(host=self.host, self=self, hash=uuid.uuid4().hex,\n bot_name=self.__class__.__name__))\n try:\n result = requests.post(url)\n result.raise_for_status()\n except RequestException:\n self.stochastic_sleep()\n continue\n if result.json()['status'] == 'error':\n self.stochastic_sleep()\n continue\n self.on_signup(result.json())\n return True\n", "role": "user" }, { "content": "sign_up", "role": "assistant" } ]
def x(self, status): self.log('Bot player completing experiment. Status: {}'.format(status)) while True: url = '{host}/{status}?participant_id={participant_id}'.format(host =self.host, participant_id=self.participant_id, status=status) try: result = requests.get(url) result.raise_for_status() except RequestException: self.stochastic_sleep() continue return result
complete_experiment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, status):\n self.log('Bot player completing experiment. Status: {}'.format(status))\n while True:\n url = '{host}/{status}?participant_id={participant_id}'.format(host\n =self.host, participant_id=self.participant_id, status=status)\n try:\n result = requests.get(url)\n result.raise_for_status()\n except RequestException:\n self.stochastic_sleep()\n continue\n return result\n", "role": "user" }, { "content": "complete_experiment", "role": "assistant" } ]
def x(self): from dallinger.experiment_server.sockets import chat_backend self.log('Bot subscribing to quorum channel.') chat_backend.subscribe(self, 'quorum')
subscribe_to_quorum_channel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n from dallinger.experiment_server.sockets import chat_backend\n self.log('Bot subscribing to quorum channel.')\n chat_backend.subscribe(self, 'quorum')\n", "role": "user" }, { "content": "subscribe_to_quorum_channel", "role": "assistant" } ]
def x(self): while True: data = {'question': 'questionnaire', 'number': 1, 'response': json. dumps(self.question_responses)} url = '{host}/question/{self.participant_id}'.format(host=self.host, self=self) try: result = requests.post(url, data=data) result.raise_for_status() except RequestException: self.stochastic_sleep() continue return True
complete_questionnaire
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n while True:\n data = {'question': 'questionnaire', 'number': 1, 'response': json.\n dumps(self.question_responses)}\n url = '{host}/question/{self.participant_id}'.format(host=self.host,\n self=self)\n try:\n result = requests.post(url, data=data)\n result.raise_for_status()\n except RequestException:\n self.stochastic_sleep()\n continue\n return True\n", "role": "user" }, { "content": "complete_questionnaire", "role": "assistant" } ]
def x(self): try: return bool(self.mturk.get_account_balance()) except NoCredentialsError: raise MTurkServiceException('No AWS credentials set!') except ClientError: raise MTurkServiceException('Invalid AWS credentials!') except Exception as ex: raise MTurkServiceException('Error checking credentials: {}'.format (str(ex)))
check_credentials
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n return bool(self.mturk.get_account_balance())\n except NoCredentialsError:\n raise MTurkServiceException('No AWS credentials set!')\n except ClientError:\n raise MTurkServiceException('Invalid AWS credentials!')\n except Exception as ex:\n raise MTurkServiceException('Error checking credentials: {}'.format\n (str(ex)))\n", "role": "user" }, { "content": "check_credentials", "role": "assistant" } ]
def x(self, url, hit_type_id): ISO8601 = '%Y-%m-%dT%H:%M:%SZ' notification_version = '2006-05-05' API_version = '2014-08-15' data = {'AWSAccessKeyId': self.aws_key, 'HITTypeId': hit_type_id, 'Notification.1.Active': 'True', 'Notification.1.Destination': url, 'Notification.1.EventType.1': 'AssignmentAccepted', 'Notification.1.EventType.2': 'AssignmentAbandoned', 'Notification.1.EventType.3': 'AssignmentReturned', 'Notification.1.EventType.4': 'AssignmentSubmitted', 'Notification.1.EventType.5': 'HITReviewable', 'Notification.1.EventType.6': 'HITExpired', 'Notification.1.Transport': 'REST', 'Notification.1.Version': notification_version, 'Operation': 'SetHITTypeNotification', 'SignatureVersion': '1', 'Timestamp': time.strftime(ISO8601, time. gmtime()), 'Version': API_version} query_string, signature = self._calc_old_api_signature(data) body = query_string + '&Signature=' + urllib.parse.quote_plus(signature) data['Signature'] = signature headers = {'Content-Type': 'application/x-www-form-urlencoded; charset=UTF-8', 'Content-Length': str(len(body)), 'Host': self.legacy_host} resp = requests.post('https://' + self.legacy_host, headers=headers, data=body) return '<IsValid>True</IsValid>' in resp.text
set_rest_notification
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, hit_type_id):\n ISO8601 = '%Y-%m-%dT%H:%M:%SZ'\n notification_version = '2006-05-05'\n API_version = '2014-08-15'\n data = {'AWSAccessKeyId': self.aws_key, 'HITTypeId': hit_type_id,\n 'Notification.1.Active': 'True', 'Notification.1.Destination': url,\n 'Notification.1.EventType.1': 'AssignmentAccepted',\n 'Notification.1.EventType.2': 'AssignmentAbandoned',\n 'Notification.1.EventType.3': 'AssignmentReturned',\n 'Notification.1.EventType.4': 'AssignmentSubmitted',\n 'Notification.1.EventType.5': 'HITReviewable',\n 'Notification.1.EventType.6': 'HITExpired',\n 'Notification.1.Transport': 'REST', 'Notification.1.Version':\n notification_version, 'Operation': 'SetHITTypeNotification',\n 'SignatureVersion': '1', 'Timestamp': time.strftime(ISO8601, time.\n gmtime()), 'Version': API_version}\n query_string, signature = self._calc_old_api_signature(data)\n body = query_string + '&Signature=' + urllib.parse.quote_plus(signature)\n data['Signature'] = signature\n headers = {'Content-Type':\n 'application/x-www-form-urlencoded; charset=UTF-8',\n 'Content-Length': str(len(body)), 'Host': self.legacy_host}\n resp = requests.post('https://' + self.legacy_host, headers=headers,\n data=body)\n return '<IsValid>True</IsValid>' in resp.text\n", "role": "user" }, { "content": "set_rest_notification", "role": "assistant" } ]
def x(self, title, description, reward, duration_hours, keywords, qualifications): reward = str(reward) duration_secs = int(datetime.timedelta(hours=duration_hours). total_seconds()) hit_type = self.mturk.create_hit_type(Title=title, Description= description, Reward=reward, AssignmentDurationInSeconds= duration_secs, Keywords=','.join(keywords), AutoApprovalDelayInSeconds=0, QualificationRequirements=qualifications) return hit_type['HITTypeId']
register_hit_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, title, description, reward, duration_hours, keywords,\n qualifications):\n reward = str(reward)\n duration_secs = int(datetime.timedelta(hours=duration_hours).\n total_seconds())\n hit_type = self.mturk.create_hit_type(Title=title, Description=\n description, Reward=reward, AssignmentDurationInSeconds=\n duration_secs, Keywords=','.join(keywords),\n AutoApprovalDelayInSeconds=0, QualificationRequirements=qualifications)\n return hit_type['HITTypeId']\n", "role": "user" }, { "content": "register_hit_type", "role": "assistant" } ]
def x(self, approve_requirement, restrict_to_usa, blacklist): quals = [{'QualificationTypeId': PERCENTAGE_APPROVED_REQUIREMENT_ID, 'Comparator': 'GreaterThanOrEqualTo', 'IntegerValues': [ approve_requirement], 'RequiredToPreview': True}] if restrict_to_usa: quals.append({'QualificationTypeId': LOCALE_REQUIREMENT_ID, 'Comparator': 'EqualTo', 'LocaleValues': [{'Country': 'US'}], 'RequiredToPreview': True}) if blacklist is not None: for item in blacklist: qtype = self.get_qualification_type_by_name(item) if qtype: quals.append({'QualificationTypeId': qtype['id'], 'Comparator': 'DoesNotExist', 'RequiredToPreview': True}) return quals
build_hit_qualifications
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, approve_requirement, restrict_to_usa, blacklist):\n quals = [{'QualificationTypeId': PERCENTAGE_APPROVED_REQUIREMENT_ID,\n 'Comparator': 'GreaterThanOrEqualTo', 'IntegerValues': [\n approve_requirement], 'RequiredToPreview': True}]\n if restrict_to_usa:\n quals.append({'QualificationTypeId': LOCALE_REQUIREMENT_ID,\n 'Comparator': 'EqualTo', 'LocaleValues': [{'Country': 'US'}],\n 'RequiredToPreview': True})\n if blacklist is not None:\n for item in blacklist:\n qtype = self.get_qualification_type_by_name(item)\n if qtype:\n quals.append({'QualificationTypeId': qtype['id'],\n 'Comparator': 'DoesNotExist', 'RequiredToPreview': True})\n return quals\n", "role": "user" }, { "content": "build_hit_qualifications", "role": "assistant" } ]
def x(self, name, description, status='Active'): try: response = self.mturk.create_qualification_type(Name=name, Description=description, QualificationTypeStatus=status) except Exception as ex: if 'already created a QualificationType with this name' in str(ex): raise DuplicateQualificationNameError(str(ex)) return self._translate_qtype(response['QualificationType'])
create_qualification_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, description, status='Active'):\n try:\n response = self.mturk.create_qualification_type(Name=name,\n Description=description, QualificationTypeStatus=status)\n except Exception as ex:\n if 'already created a QualificationType with this name' in str(ex):\n raise DuplicateQualificationNameError(str(ex))\n return self._translate_qtype(response['QualificationType'])\n", "role": "user" }, { "content": "create_qualification_type", "role": "assistant" } ]
def x(self, name): max_fuzzy_matches_to_check = 100 query = name.upper() start = time.time() args = {'Query': query, 'MustBeRequestable': False, 'MustBeOwnedByCaller': True, 'MaxResults': max_fuzzy_matches_to_check} results = self.mturk.list_qualification_types(**args)['QualificationTypes'] while not results and time.time() - start < self.max_wait_secs: time.sleep(1) results = self.mturk.list_qualification_types(**args)[ 'QualificationTypes'] if not results: return None qualifications = [self._translate_qtype(r) for r in results] if len(qualifications) > 1: for qualification in qualifications: if qualification['name'].upper() == query: return qualification raise MTurkServiceException('{} was not a unique name'.format(query)) return qualifications[0]
get_qualification_type_by_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n max_fuzzy_matches_to_check = 100\n query = name.upper()\n start = time.time()\n args = {'Query': query, 'MustBeRequestable': False,\n 'MustBeOwnedByCaller': True, 'MaxResults': max_fuzzy_matches_to_check}\n results = self.mturk.list_qualification_types(**args)['QualificationTypes']\n while not results and time.time() - start < self.max_wait_secs:\n time.sleep(1)\n results = self.mturk.list_qualification_types(**args)[\n 'QualificationTypes']\n if not results:\n return None\n qualifications = [self._translate_qtype(r) for r in results]\n if len(qualifications) > 1:\n for qualification in qualifications:\n if qualification['name'].upper() == query:\n return qualification\n raise MTurkServiceException('{} was not a unique name'.format(query))\n return qualifications[0]\n", "role": "user" }, { "content": "get_qualification_type_by_name", "role": "assistant" } ]
def x(self, qualification_id, worker_id, score, notify=False): return self._is_ok(self.mturk.associate_qualification_with_worker( QualificationTypeId=qualification_id, WorkerId=worker_id, IntegerValue=score, SendNotification=notify))
assign_qualification
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, qualification_id, worker_id, score, notify=False):\n return self._is_ok(self.mturk.associate_qualification_with_worker(\n QualificationTypeId=qualification_id, WorkerId=worker_id,\n IntegerValue=score, SendNotification=notify))\n", "role": "user" }, { "content": "assign_qualification", "role": "assistant" } ]
def x(self, name, worker_id, notify=False): result = self.get_current_qualification_score(name, worker_id) current_score = result['score'] or 0 new_score = current_score + 1 qtype_id = result['qtype']['id'] self.assign_qualification(qtype_id, worker_id, new_score, notify) return {'qtype': result['qtype'], 'score': new_score}
increment_qualification_score
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, worker_id, notify=False):\n result = self.get_current_qualification_score(name, worker_id)\n current_score = result['score'] or 0\n new_score = current_score + 1\n qtype_id = result['qtype']['id']\n self.assign_qualification(qtype_id, worker_id, new_score, notify)\n return {'qtype': result['qtype'], 'score': new_score}\n", "role": "user" }, { "content": "increment_qualification_score", "role": "assistant" } ]
def x(self, qualification_id, worker_id): try: response = self.mturk.get_qualification_score(QualificationTypeId= qualification_id, WorkerId=worker_id) except ClientError as ex: error = str(ex) if 'does not exist' in error: raise WorkerLacksQualification( 'Worker {} does not have qualification {}.'.format( worker_id, qualification_id)) if 'operation can be called with a status of: Granted' in error: raise RevokedQualification( 'Worker {} has had qualification {} revoked.'.format( worker_id, qualification_id)) raise MTurkServiceException(error) return response['Qualification']['IntegerValue']
get_qualification_score
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, qualification_id, worker_id):\n try:\n response = self.mturk.get_qualification_score(QualificationTypeId=\n qualification_id, WorkerId=worker_id)\n except ClientError as ex:\n error = str(ex)\n if 'does not exist' in error:\n raise WorkerLacksQualification(\n 'Worker {} does not have qualification {}.'.format(\n worker_id, qualification_id))\n if 'operation can be called with a status of: Granted' in error:\n raise RevokedQualification(\n 'Worker {} has had qualification {} revoked.'.format(\n worker_id, qualification_id))\n raise MTurkServiceException(error)\n return response['Qualification']['IntegerValue']\n", "role": "user" }, { "content": "get_qualification_score", "role": "assistant" } ]
def x(self, name, worker_id): qtype = self.get_qualification_type_by_name(name) if qtype is None: raise QualificationNotFoundException( 'No Qualification exists with name "{}"'.format(name)) try: score = self.get_qualification_score(qtype['id'], worker_id) except (WorkerLacksQualification, RevokedQualification): score = None return {'qtype': qtype, 'score': score}
get_current_qualification_score
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, worker_id):\n qtype = self.get_qualification_type_by_name(name)\n if qtype is None:\n raise QualificationNotFoundException(\n 'No Qualification exists with name \"{}\"'.format(name))\n try:\n score = self.get_qualification_score(qtype['id'], worker_id)\n except (WorkerLacksQualification, RevokedQualification):\n score = None\n return {'qtype': qtype, 'score': score}\n", "role": "user" }, { "content": "get_current_qualification_score", "role": "assistant" } ]
def x(self, qualification_id): return self._is_ok(self.mturk.delete_qualification_type( QualificationTypeId=qualification_id))
dispose_qualification_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, qualification_id):\n return self._is_ok(self.mturk.delete_qualification_type(\n QualificationTypeId=qualification_id))\n", "role": "user" }, { "content": "dispose_qualification_type", "role": "assistant" } ]
def x(self, qualification_id): done = False next_token = None while not done: if next_token is not None: response = self.mturk.list_workers_with_qualification_type( QualificationTypeId=qualification_id, MaxResults= MAX_SUPPORTED_BATCH_SIZE, Status='Granted', NextToken= next_token) else: response = self.mturk.list_workers_with_qualification_type( QualificationTypeId=qualification_id, MaxResults= MAX_SUPPORTED_BATCH_SIZE, Status='Granted') if response: for r in response['Qualifications']: yield {'id': r['WorkerId'], 'score': r['IntegerValue']} if 'NextToken' in response: next_token = response['NextToken'] else: done = True
get_workers_with_qualification
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, qualification_id):\n done = False\n next_token = None\n while not done:\n if next_token is not None:\n response = self.mturk.list_workers_with_qualification_type(\n QualificationTypeId=qualification_id, MaxResults=\n MAX_SUPPORTED_BATCH_SIZE, Status='Granted', NextToken=\n next_token)\n else:\n response = self.mturk.list_workers_with_qualification_type(\n QualificationTypeId=qualification_id, MaxResults=\n MAX_SUPPORTED_BATCH_SIZE, Status='Granted')\n if response:\n for r in response['Qualifications']:\n yield {'id': r['WorkerId'], 'score': r['IntegerValue']}\n if 'NextToken' in response:\n next_token = response['NextToken']\n else:\n done = True\n", "role": "user" }, { "content": "get_workers_with_qualification", "role": "assistant" } ]
def x(self, title, description, keywords, reward, duration_hours, lifetime_days, ad_url, notification_url, approve_requirement, max_assignments, us_only, blacklist=None, annotation=None): frame_height = 600 mturk_question = self._external_question(ad_url, frame_height) qualifications = self.build_hit_qualifications(approve_requirement, us_only, blacklist) hit_type_id = self.register_hit_type(title, description, reward, duration_hours, keywords, qualifications) self.set_rest_notification(notification_url, hit_type_id) params = {'HITTypeId': hit_type_id, 'Question': mturk_question, 'LifetimeInSeconds': int(datetime.timedelta(days=lifetime_days). total_seconds()), 'MaxAssignments': max_assignments, 'UniqueRequestToken': self._request_token()} if annotation: params['RequesterAnnotation'] = annotation response = self.mturk.create_hit_with_hit_type(**params) if 'HIT' not in response: raise MTurkServiceException( 'HIT request was invalid for unknown reason.') return self._translate_hit(response['HIT'])
create_hit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, title, description, keywords, reward, duration_hours,\n lifetime_days, ad_url, notification_url, approve_requirement,\n max_assignments, us_only, blacklist=None, annotation=None):\n frame_height = 600\n mturk_question = self._external_question(ad_url, frame_height)\n qualifications = self.build_hit_qualifications(approve_requirement,\n us_only, blacklist)\n hit_type_id = self.register_hit_type(title, description, reward,\n duration_hours, keywords, qualifications)\n self.set_rest_notification(notification_url, hit_type_id)\n params = {'HITTypeId': hit_type_id, 'Question': mturk_question,\n 'LifetimeInSeconds': int(datetime.timedelta(days=lifetime_days).\n total_seconds()), 'MaxAssignments': max_assignments,\n 'UniqueRequestToken': self._request_token()}\n if annotation:\n params['RequesterAnnotation'] = annotation\n response = self.mturk.create_hit_with_hit_type(**params)\n if 'HIT' not in response:\n raise MTurkServiceException(\n 'HIT request was invalid for unknown reason.')\n return self._translate_hit(response['HIT'])\n", "role": "user" }, { "content": "create_hit", "role": "assistant" } ]
def x(self, hit_id, number, duration_hours=None): self.create_additional_assignments_for_hit(hit_id, number) if duration_hours is not None: self.update_expiration_for_hit(hit_id, duration_hours) return self.get_hit(hit_id)
extend_hit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, hit_id, number, duration_hours=None):\n self.create_additional_assignments_for_hit(hit_id, number)\n if duration_hours is not None:\n self.update_expiration_for_hit(hit_id, duration_hours)\n return self.get_hit(hit_id)\n", "role": "user" }, { "content": "extend_hit", "role": "assistant" } ]
def x(self, hit_id): try: self.mturk.update_expiration_for_hit(HITId=hit_id, ExpireAt=0) except Exception as ex: raise MTurkServiceException('Failed to expire HIT {}: {}'.format( hit_id, str(ex))) return True
expire_hit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, hit_id):\n try:\n self.mturk.update_expiration_for_hit(HITId=hit_id, ExpireAt=0)\n except Exception as ex:\n raise MTurkServiceException('Failed to expire HIT {}: {}'.format(\n hit_id, str(ex)))\n return True\n", "role": "user" }, { "content": "expire_hit", "role": "assistant" } ]
def x(self, assignment_id, amount, reason): assignment = self.get_assignment(assignment_id) worker_id = assignment['worker_id'] amount_str = '{:.2f}'.format(amount) try: return self._is_ok(self.mturk.send_bonus(WorkerId=worker_id, BonusAmount=amount_str, AssignmentId=assignment_id, Reason= reason, UniqueRequestToken=self._request_token())) except ClientError as ex: error = 'Failed to pay assignment {} bonus of {}: {}'.format( assignment_id, amount_str, str(ex)) raise MTurkServiceException(error)
grant_bonus
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, assignment_id, amount, reason):\n assignment = self.get_assignment(assignment_id)\n worker_id = assignment['worker_id']\n amount_str = '{:.2f}'.format(amount)\n try:\n return self._is_ok(self.mturk.send_bonus(WorkerId=worker_id,\n BonusAmount=amount_str, AssignmentId=assignment_id, Reason=\n reason, UniqueRequestToken=self._request_token()))\n except ClientError as ex:\n error = 'Failed to pay assignment {} bonus of {}: {}'.format(\n assignment_id, amount_str, str(ex))\n raise MTurkServiceException(error)\n", "role": "user" }, { "content": "grant_bonus", "role": "assistant" } ]
def x(self, assignment_id): try: response = self.mturk.get_assignment(AssignmentId=assignment_id) except ClientError as ex: if 'does not exist' in str(ex): return None raise return self._translate_assignment(response['Assignment'])
get_assignment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, assignment_id):\n try:\n response = self.mturk.get_assignment(AssignmentId=assignment_id)\n except ClientError as ex:\n if 'does not exist' in str(ex):\n return None\n raise\n return self._translate_assignment(response['Assignment'])\n", "role": "user" }, { "content": "get_assignment", "role": "assistant" } ]
def x(self, assignment_id): try: return self._is_ok(self.mturk.approve_assignment(AssignmentId= assignment_id)) except ClientError as ex: assignment = self.get_assignment(assignment_id) raise MTurkServiceException('Failed to approve assignment {}, {}: {}' .format(assignment_id, str(assignment), str(ex)))
approve_assignment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, assignment_id):\n try:\n return self._is_ok(self.mturk.approve_assignment(AssignmentId=\n assignment_id))\n except ClientError as ex:\n assignment = self.get_assignment(assignment_id)\n raise MTurkServiceException('Failed to approve assignment {}, {}: {}'\n .format(assignment_id, str(assignment), str(ex)))\n", "role": "user" }, { "content": "approve_assignment", "role": "assistant" } ]
def x(path): init_py = os.path.join(path, '__init__.py') if not os.path.exists(init_py): open(init_py, 'a').close() if sys.modules.get('dallinger_experiment') is not None: return dirname = os.path.dirname(path) basename = os.path.basename(path) sys.path.insert(0, dirname) package = __import__(basename) if path not in package.__path__: raise Exception('Package was not imported from the requested path!') sys.modules['dallinger_experiment'] = package package.__package__ = 'dallinger_experiment' sys.path.pop(0)
initialize_experiment_package
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n init_py = os.path.join(path, '__init__.py')\n if not os.path.exists(init_py):\n open(init_py, 'a').close()\n if sys.modules.get('dallinger_experiment') is not None:\n return\n dirname = os.path.dirname(path)\n basename = os.path.basename(path)\n sys.path.insert(0, dirname)\n package = __import__(basename)\n if path not in package.__path__:\n raise Exception('Package was not imported from the requested path!')\n sys.modules['dallinger_experiment'] = package\n package.__package__ = 'dallinger_experiment'\n sys.path.pop(0)\n", "role": "user" }, { "content": "initialize_experiment_package", "role": "assistant" } ]
def x(self): return {'type': self.type, 'recruiter': self.recruiter_id, 'assignment_id': self.assignment_id, 'hit_id': self.hit_id, 'mode': self.mode, 'end_time': self.end_time, 'base_pay': self.base_pay, 'bonus': self.bonus, 'status': self.status}
json_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return {'type': self.type, 'recruiter': self.recruiter_id,\n 'assignment_id': self.assignment_id, 'hit_id': self.hit_id, 'mode':\n self.mode, 'end_time': self.end_time, 'base_pay': self.base_pay,\n 'bonus': self.bonus, 'status': self.status}\n", "role": "user" }, { "content": "json_data", "role": "assistant" } ]
def x(self, type=None): if type is None: type = Question if not issubclass(type, Question): raise TypeError('{} is not a valid question type.'.format(type)) return type.query.filter_by(participant_id=self.id).all()
questions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, type=None):\n if type is None:\n type = Question\n if not issubclass(type, Question):\n raise TypeError('{} is not a valid question type.'.format(type))\n return type.query.filter_by(participant_id=self.id).all()\n", "role": "user" }, { "content": "questions", "role": "assistant" } ]
def x(self, type=None, failed=False): nodes = self.nodes(failed='all') infos = [] for n in nodes: infos.extend(n.infos(type=type, failed=failed)) return infos
infos
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, type=None, failed=False):\n nodes = self.nodes(failed='all')\n infos = []\n for n in nodes:\n infos.extend(n.infos(type=type, failed=failed))\n return infos\n", "role": "user" }, { "content": "infos", "role": "assistant" } ]
def x(self): return {'number': self.number, 'type': self.type, 'participant_id': self.participant_id, 'question': self.question, 'response': self. response}
json_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return {'number': self.number, 'type': self.type, 'participant_id':\n self.participant_id, 'question': self.question, 'response': self.\n response}\n", "role": "user" }, { "content": "json_data", "role": "assistant" } ]
def x(self): return {'type': self.type, 'max_size': self.max_size, 'full': self.full, 'role': self.role}
json_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return {'type': self.type, 'max_size': self.max_size, 'full': self.full,\n 'role': self.role}\n", "role": "user" }, { "content": "json_data", "role": "assistant" } ]
def x(self, type=None, failed=False, participant_id=None): if type is None: type = Node if not issubclass(type, Node): raise TypeError('{} is not a valid node type.'.format(type)) if failed not in ['all', False, True]: raise ValueError('{} is not a valid node failed'.format(failed)) if participant_id is not None: if failed == 'all': return type.query.filter_by(network_id=self.id, participant_id= participant_id).all() else: return type.query.filter_by(network_id=self.id, participant_id= participant_id, failed=failed).all() elif failed == 'all': return type.query.filter_by(network_id=self.id).all() else: return type.query.filter_by(failed=failed, network_id=self.id).all()
nodes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, type=None, failed=False, participant_id=None):\n if type is None:\n type = Node\n if not issubclass(type, Node):\n raise TypeError('{} is not a valid node type.'.format(type))\n if failed not in ['all', False, True]:\n raise ValueError('{} is not a valid node failed'.format(failed))\n if participant_id is not None:\n if failed == 'all':\n return type.query.filter_by(network_id=self.id, participant_id=\n participant_id).all()\n else:\n return type.query.filter_by(network_id=self.id, participant_id=\n participant_id, failed=failed).all()\n elif failed == 'all':\n return type.query.filter_by(network_id=self.id).all()\n else:\n return type.query.filter_by(failed=failed, network_id=self.id).all()\n", "role": "user" }, { "content": "nodes", "role": "assistant" } ]
def x(self, type=None, failed=False): return len(self.nodes(type=type, failed=failed))
size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, type=None, failed=False):\n return len(self.nodes(type=type, failed=failed))\n", "role": "user" }, { "content": "size", "role": "assistant" } ]
def x(self, type=None, failed=False): if type is None: type = Info if failed not in ['all', False, True]: raise ValueError('{} is not a valid failed'.format(failed)) if failed == 'all': return type.query.filter_by(network_id=self.id).all() else: return type.query.filter_by(network_id=self.id, failed=failed).all()
infos
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, type=None, failed=False):\n if type is None:\n type = Info\n if failed not in ['all', False, True]:\n raise ValueError('{} is not a valid failed'.format(failed))\n if failed == 'all':\n return type.query.filter_by(network_id=self.id).all()\n else:\n return type.query.filter_by(network_id=self.id, failed=failed).all()\n", "role": "user" }, { "content": "infos", "role": "assistant" } ]
def x(self, status='all', failed=False): if status not in ['all', 'pending', 'received']: raise ValueError('You cannot get transmission of status {}.'.format (status) + 'Status can only be pending, received or all') if failed not in ['all', False, True]: raise ValueError('{} is not a valid failed'.format(failed)) if status == 'all': if failed == 'all': return Transmission.query.filter_by(network_id=self.id).all() else: return Transmission.query.filter_by(network_id=self.id, failed= failed).all() elif failed == 'all': return Transmission.query.filter_by(network_id=self.id, status=status ).all() else: return Transmission.query.filter_by(network_id=self.id, status= status, failed=failed).all()
transmissions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, status='all', failed=False):\n if status not in ['all', 'pending', 'received']:\n raise ValueError('You cannot get transmission of status {}.'.format\n (status) + 'Status can only be pending, received or all')\n if failed not in ['all', False, True]:\n raise ValueError('{} is not a valid failed'.format(failed))\n if status == 'all':\n if failed == 'all':\n return Transmission.query.filter_by(network_id=self.id).all()\n else:\n return Transmission.query.filter_by(network_id=self.id, failed=\n failed).all()\n elif failed == 'all':\n return Transmission.query.filter_by(network_id=self.id, status=status\n ).all()\n else:\n return Transmission.query.filter_by(network_id=self.id, status=\n status, failed=failed).all()\n", "role": "user" }, { "content": "transmissions", "role": "assistant" } ]
def x(self, failed=False): if failed not in ['all', False, True]: raise ValueError('{} is not a valid vector failed'.format(failed)) if failed == 'all': return Vector.query.filter_by(network_id=self.id).all() else: return Vector.query.filter_by(network_id=self.id, failed=failed).all()
vectors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, failed=False):\n if failed not in ['all', False, True]:\n raise ValueError('{} is not a valid vector failed'.format(failed))\n if failed == 'all':\n return Vector.query.filter_by(network_id=self.id).all()\n else:\n return Vector.query.filter_by(network_id=self.id, failed=failed).all()\n", "role": "user" }, { "content": "vectors", "role": "assistant" } ]
def x(self, type=None, direction='to', failed=None): if type is None: type = Node if not issubclass(type, Node): raise ValueError( '{} is not a valid neighbor type,needs to be a subclass of Node.' .format(type)) if direction not in ['both', 'either', 'from', 'to']: raise ValueError( '{} not a valid neighbor connection.Should be both, either, to or from.' .format(direction)) if failed is not None: raise ValueError( 'You should not pass a failed argument to neighbors(). Neighbors is unusual in that a failed argument cannot be passed. This is because there is inherent uncertainty in what it means for a neighbor to be failed. The neighbors function will only ever return not-failed nodes connected to you via not-failed vectors. If you want to do more elaborate queries, for example, getting not-failed nodes connected to you via failed vectors, you should do so via sql queries.' ) neighbors = [] if direction == 'to': outgoing_vectors = Vector.query.with_entities(Vector.destination_id ).filter_by(origin_id=self.id, failed=False).all() neighbor_ids = [v.destination_id for v in outgoing_vectors] if neighbor_ids: neighbors = Node.query.filter(Node.id.in_(neighbor_ids)).all() neighbors = [n for n in neighbors if isinstance(n, type)] if direction == 'from': incoming_vectors = Vector.query.with_entities(Vector.origin_id ).filter_by(destination_id=self.id, failed=False).all() neighbor_ids = [v.origin_id for v in incoming_vectors] if neighbor_ids: neighbors = Node.query.filter(Node.id.in_(neighbor_ids)).all() neighbors = [n for n in neighbors if isinstance(n, type)] if direction == 'either': neighbors = list(set(self.neighbors(type=type, direction='to') + self.neighbors(type=type, direction='from'))) if direction == 'both': neighbors = list(set(self.neighbors(type=type, direction='to')) & set(self.neighbors(type=type, direction='from'))) return neighbors
neighbors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, type=None, direction='to', failed=None):\n if type is None:\n type = Node\n if not issubclass(type, Node):\n raise ValueError(\n '{} is not a valid neighbor type,needs to be a subclass of Node.'\n .format(type))\n if direction not in ['both', 'either', 'from', 'to']:\n raise ValueError(\n '{} not a valid neighbor connection.Should be both, either, to or from.'\n .format(direction))\n if failed is not None:\n raise ValueError(\n 'You should not pass a failed argument to neighbors(). Neighbors is unusual in that a failed argument cannot be passed. This is because there is inherent uncertainty in what it means for a neighbor to be failed. The neighbors function will only ever return not-failed nodes connected to you via not-failed vectors. If you want to do more elaborate queries, for example, getting not-failed nodes connected to you via failed vectors, you should do so via sql queries.'\n )\n neighbors = []\n if direction == 'to':\n outgoing_vectors = Vector.query.with_entities(Vector.destination_id\n ).filter_by(origin_id=self.id, failed=False).all()\n neighbor_ids = [v.destination_id for v in outgoing_vectors]\n if neighbor_ids:\n neighbors = Node.query.filter(Node.id.in_(neighbor_ids)).all()\n neighbors = [n for n in neighbors if isinstance(n, type)]\n if direction == 'from':\n incoming_vectors = Vector.query.with_entities(Vector.origin_id\n ).filter_by(destination_id=self.id, failed=False).all()\n neighbor_ids = [v.origin_id for v in incoming_vectors]\n if neighbor_ids:\n neighbors = Node.query.filter(Node.id.in_(neighbor_ids)).all()\n neighbors = [n for n in neighbors if isinstance(n, type)]\n if direction == 'either':\n neighbors = list(set(self.neighbors(type=type, direction='to') +\n self.neighbors(type=type, direction='from')))\n if direction == 'both':\n neighbors = list(set(self.neighbors(type=type, direction='to')) &\n set(self.neighbors(type=type, direction='from')))\n return neighbors\n", "role": "user" }, { "content": "neighbors", "role": "assistant" } ]
def x(self, whom, direction='to', failed=None): if failed is not None: raise ValueError( 'You should not pass a failed argument to is_connected.is_connected is unusual in that a failed argument cannot be passed. This is because there is inherent uncertainty in what it means for a connection to be failed. The is_connected function will only ever check along not-failed vectors. If you want to check along failed vectors you should do so via sql queries.' ) if isinstance(whom, list): is_list = True else: whom = [whom] is_list = False whom_ids = [n.id for n in whom] for node in whom: if not isinstance(node, Node): raise TypeError('is_connected cannot parse objects of type {}.' .format(type(node))) if direction not in ['to', 'from', 'either', 'both']: raise ValueError('{} is not a valid direction for is_connected'. format(direction)) connected = [] if direction == 'to': vectors = Vector.query.with_entities(Vector.destination_id).filter_by( origin_id=self.id, failed=False).all() destinations = set([v.destination_id for v in vectors]) for w in whom_ids: connected.append(w in destinations) elif direction == 'from': vectors = Vector.query.with_entities(Vector.origin_id).filter_by( destination_id=self.id, failed=False).all() origins = set([v.origin_id for v in vectors]) for w in whom_ids: connected.append(w in origins) elif direction in ['either', 'both']: vectors = Vector.query.with_entities(Vector.origin_id, Vector. destination_id).filter(and_(Vector.failed == false(), or_( Vector.destination_id == self.id, Vector.origin_id == self.id)) ).all() destinations = set([v.destination_id for v in vectors]) origins = set([v.origin_id for v in vectors]) if direction == 'either': origins_destinations = destinations.union(origins) elif direction == 'both': origins_destinations = destinations.intersection(origins) for w in whom_ids: connected.append(w in origins_destinations) if is_list: return connected else: return connected[0]
is_connected
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, whom, direction='to', failed=None):\n if failed is not None:\n raise ValueError(\n 'You should not pass a failed argument to is_connected.is_connected is unusual in that a failed argument cannot be passed. This is because there is inherent uncertainty in what it means for a connection to be failed. The is_connected function will only ever check along not-failed vectors. If you want to check along failed vectors you should do so via sql queries.'\n )\n if isinstance(whom, list):\n is_list = True\n else:\n whom = [whom]\n is_list = False\n whom_ids = [n.id for n in whom]\n for node in whom:\n if not isinstance(node, Node):\n raise TypeError('is_connected cannot parse objects of type {}.'\n .format(type(node)))\n if direction not in ['to', 'from', 'either', 'both']:\n raise ValueError('{} is not a valid direction for is_connected'.\n format(direction))\n connected = []\n if direction == 'to':\n vectors = Vector.query.with_entities(Vector.destination_id).filter_by(\n origin_id=self.id, failed=False).all()\n destinations = set([v.destination_id for v in vectors])\n for w in whom_ids:\n connected.append(w in destinations)\n elif direction == 'from':\n vectors = Vector.query.with_entities(Vector.origin_id).filter_by(\n destination_id=self.id, failed=False).all()\n origins = set([v.origin_id for v in vectors])\n for w in whom_ids:\n connected.append(w in origins)\n elif direction in ['either', 'both']:\n vectors = Vector.query.with_entities(Vector.origin_id, Vector.\n destination_id).filter(and_(Vector.failed == false(), or_(\n Vector.destination_id == self.id, Vector.origin_id == self.id))\n ).all()\n destinations = set([v.destination_id for v in vectors])\n origins = set([v.origin_id for v in vectors])\n if direction == 'either':\n origins_destinations = destinations.union(origins)\n elif direction == 'both':\n origins_destinations = destinations.intersection(origins)\n for w in whom_ids:\n connected.append(w in origins_destinations)\n if is_list:\n return connected\n else:\n return connected[0]\n", "role": "user" }, { "content": "is_connected", "role": "assistant" } ]
def x(self, type=None, failed=False): if type is None: type = Info if not issubclass(type, Info): raise TypeError( 'Cannot get infos of type {} as it is not a valid type.'.format (type)) if failed not in ['all', False, True]: raise ValueError('{} is not a valid vector failed'.format(failed)) if failed == 'all': return type.query.filter_by(origin_id=self.id).all() else: return type.query.filter_by(origin_id=self.id, failed=failed).all()
infos
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, type=None, failed=False):\n if type is None:\n type = Info\n if not issubclass(type, Info):\n raise TypeError(\n 'Cannot get infos of type {} as it is not a valid type.'.format\n (type))\n if failed not in ['all', False, True]:\n raise ValueError('{} is not a valid vector failed'.format(failed))\n if failed == 'all':\n return type.query.filter_by(origin_id=self.id).all()\n else:\n return type.query.filter_by(origin_id=self.id, failed=failed).all()\n", "role": "user" }, { "content": "infos", "role": "assistant" } ]
def x(self, type=None, failed=None): if failed is not None: raise ValueError( 'You should not pass a failed argument to received_infos. received_infos is unusual in that a failed argument cannot be passed. This is because there is inherent uncertainty in what it means for a received info to be failed. The received_infos function will only ever check not-failed transmissions. If you want to check failed transmissions you should do so via sql queries.' ) if type is None: type = Info if not issubclass(type, Info): raise TypeError( 'Cannot get infos of type {} as it is not a valid type.'.format (type)) transmissions = Transmission.query.with_entities(Transmission.info_id ).filter_by(destination_id=self.id, status='received', failed=False ).all() info_ids = [t.info_id for t in transmissions] if info_ids: return type.query.filter(type.id.in_(info_ids)).all() else: return []
received_infos
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, type=None, failed=None):\n if failed is not None:\n raise ValueError(\n 'You should not pass a failed argument to received_infos. received_infos is unusual in that a failed argument cannot be passed. This is because there is inherent uncertainty in what it means for a received info to be failed. The received_infos function will only ever check not-failed transmissions. If you want to check failed transmissions you should do so via sql queries.'\n )\n if type is None:\n type = Info\n if not issubclass(type, Info):\n raise TypeError(\n 'Cannot get infos of type {} as it is not a valid type.'.format\n (type))\n transmissions = Transmission.query.with_entities(Transmission.info_id\n ).filter_by(destination_id=self.id, status='received', failed=False\n ).all()\n info_ids = [t.info_id for t in transmissions]\n if info_ids:\n return type.query.filter(type.id.in_(info_ids)).all()\n else:\n return []\n", "role": "user" }, { "content": "received_infos", "role": "assistant" } ]
def x(self, type=None, failed=False): if failed not in ['all', False, True]: raise ValueError('{} is not a valid transmission failed'.format(failed) ) if type is None: type = Transformation if failed == 'all': return type.query.filter_by(node_id=self.id).all() else: return type.query.filter_by(node_id=self.id, failed=failed).all()
transformations
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, type=None, failed=False):\n if failed not in ['all', False, True]:\n raise ValueError('{} is not a valid transmission failed'.format(failed)\n )\n if type is None:\n type = Transformation\n if failed == 'all':\n return type.query.filter_by(node_id=self.id).all()\n else:\n return type.query.filter_by(node_id=self.id, failed=failed).all()\n", "role": "user" }, { "content": "transformations", "role": "assistant" } ]
def x(self): if self.failed is True: raise AttributeError('Cannot fail {} - it has already failed.'. format(self)) else: self.failed = True self.time_of_death = timenow() self.network.calculate_full() for v in self.vectors(): v.fail() for i in self.infos(): i.fail() for t in self.transmissions(direction='all'): t.fail() for t in self.transformations(): t.fail()
fail
[ { "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.failed is True:\n raise AttributeError('Cannot fail {} - it has already failed.'.\n format(self))\n else:\n self.failed = True\n self.time_of_death = timenow()\n self.network.calculate_full()\n for v in self.vectors():\n v.fail()\n for i in self.infos():\n i.fail()\n for t in self.transmissions(direction='all'):\n t.fail()\n for t in self.transformations():\n t.fail()\n", "role": "user" }, { "content": "fail", "role": "assistant" } ]
def x(self, whom, direction='to'): if direction not in ['to', 'from', 'both']: raise ValueError('{} is not a valid direction for connect()'.format (direction)) whom = self.flatten([whom]) new_vectors = [] if direction in ['to', 'both']: already_connected_to = self.flatten([self.is_connected(direction= 'to', whom=whom)]) for node, connected in zip(whom, already_connected_to): if connected: print( 'Warning! {} already connected to {}, instruction to connect will be ignored.' .format(self, node)) else: new_vectors.append(Vector(origin=self, destination=node)) if direction in ['from', 'both']: already_connected_from = self.flatten([self.is_connected(direction= 'from', whom=whom)]) for node, connected in zip(whom, already_connected_from): if connected: print( 'Warning! {} already connected from {}, instruction to connect will be ignored.' .format(self, node)) else: new_vectors.append(Vector(origin=node, destination=self)) return new_vectors
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, whom, direction='to'):\n if direction not in ['to', 'from', 'both']:\n raise ValueError('{} is not a valid direction for connect()'.format\n (direction))\n whom = self.flatten([whom])\n new_vectors = []\n if direction in ['to', 'both']:\n already_connected_to = self.flatten([self.is_connected(direction=\n 'to', whom=whom)])\n for node, connected in zip(whom, already_connected_to):\n if connected:\n print(\n 'Warning! {} already connected to {}, instruction to connect will be ignored.'\n .format(self, node))\n else:\n new_vectors.append(Vector(origin=self, destination=node))\n if direction in ['from', 'both']:\n already_connected_from = self.flatten([self.is_connected(direction=\n 'from', whom=whom)])\n for node, connected in zip(whom, already_connected_from):\n if connected:\n print(\n 'Warning! {} already connected from {}, instruction to connect will be ignored.'\n .format(self, node))\n else:\n new_vectors.append(Vector(origin=node, destination=self))\n return new_vectors\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(self, lst): if lst == []: return lst if isinstance(lst[0], list): return self.flatten(lst[0]) + self.flatten(lst[1:]) return lst[:1] + self.flatten(lst[1:])
flatten
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lst):\n if lst == []:\n return lst\n if isinstance(lst[0], list):\n return self.flatten(lst[0]) + self.flatten(lst[1:])\n return lst[:1] + self.flatten(lst[1:])\n", "role": "user" }, { "content": "flatten", "role": "assistant" } ]
def x(self, what=None, to_whom=None): whats = set() for what in self.flatten([what]): if what is None: what = self._what() if inspect.isclass(what) and issubclass(what, Info): whats.update(self.infos(type=what)) else: whats.add(what) to_whoms = set() for to_whom in self.flatten([to_whom]): if to_whom is None: to_whom = self._to_whom() if inspect.isclass(to_whom) and issubclass(to_whom, Node): to_whoms.update(self.neighbors(direction='to', type=to_whom)) else: to_whoms.add(to_whom) transmissions = [] vectors = self.vectors(direction='outgoing') for what in whats: for to_whom in to_whoms: try: vector = [v for v in vectors if v.destination_id == to_whom.id ][0] except IndexError: raise ValueError( '{} cannot transmit to {} as it does not have a connection to them' .format(self, to_whom)) t = Transmission(info=what, vector=vector) transmissions.append(t) return transmissions
transmit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, what=None, to_whom=None):\n whats = set()\n for what in self.flatten([what]):\n if what is None:\n what = self._what()\n if inspect.isclass(what) and issubclass(what, Info):\n whats.update(self.infos(type=what))\n else:\n whats.add(what)\n to_whoms = set()\n for to_whom in self.flatten([to_whom]):\n if to_whom is None:\n to_whom = self._to_whom()\n if inspect.isclass(to_whom) and issubclass(to_whom, Node):\n to_whoms.update(self.neighbors(direction='to', type=to_whom))\n else:\n to_whoms.add(to_whom)\n transmissions = []\n vectors = self.vectors(direction='outgoing')\n for what in whats:\n for to_whom in to_whoms:\n try:\n vector = [v for v in vectors if v.destination_id == to_whom.id\n ][0]\n except IndexError:\n raise ValueError(\n '{} cannot transmit to {} as it does not have a connection to them'\n .format(self, to_whom))\n t = Transmission(info=what, vector=vector)\n transmissions.append(t)\n return transmissions\n", "role": "user" }, { "content": "transmit", "role": "assistant" } ]
def x(self): if self.failed is True: raise AttributeError('Cannot fail {} - it has already failed.'. format(self)) else: self.failed = True self.time_of_death = timenow() for t in self.transmissions(): t.fail()
fail
[ { "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.failed is True:\n raise AttributeError('Cannot fail {} - it has already failed.'.\n format(self))\n else:\n self.failed = True\n self.time_of_death = timenow()\n for t in self.transmissions():\n t.fail()\n", "role": "user" }, { "content": "fail", "role": "assistant" } ]
def x(self): return {'type': self.type, 'origin_id': self.origin_id, 'network_id': self.network_id, 'contents': self.contents}
json_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return {'type': self.type, 'origin_id': self.origin_id, 'network_id':\n self.network_id, 'contents': self.contents}\n", "role": "user" }, { "content": "json_data", "role": "assistant" } ]
def x(self, relationship='all'): if relationship not in ['all', 'parent', 'child']: raise ValueError( 'You cannot get transformations of relationship {}'.format( relationship) + 'Relationship can only be parent, child or all.') if relationship == 'all': return Transformation.query.filter(and_(Transformation.failed == false(), or_(Transformation.info_in == self, Transformation. info_out == self))).all() if relationship == 'parent': return Transformation.query.filter_by(info_in_id=self.id, failed=False ).all() if relationship == 'child': return Transformation.query.filter_by(info_out_id=self.id, failed=False ).all()
transformations
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, relationship='all'):\n if relationship not in ['all', 'parent', 'child']:\n raise ValueError(\n 'You cannot get transformations of relationship {}'.format(\n relationship) + 'Relationship can only be parent, child or all.')\n if relationship == 'all':\n return Transformation.query.filter(and_(Transformation.failed ==\n false(), or_(Transformation.info_in == self, Transformation.\n info_out == self))).all()\n if relationship == 'parent':\n return Transformation.query.filter_by(info_in_id=self.id, failed=False\n ).all()\n if relationship == 'child':\n return Transformation.query.filter_by(info_out_id=self.id, failed=False\n ).all()\n", "role": "user" }, { "content": "transformations", "role": "assistant" } ]
def x(self): return {'vector_id': self.vector_id, 'origin_id': self.origin_id, 'destination_id': self.destination_id, 'info_id': self.info_id, 'network_id': self.network_id, 'receive_time': self.receive_time, 'status': self.status}
json_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return {'vector_id': self.vector_id, 'origin_id': self.origin_id,\n 'destination_id': self.destination_id, 'info_id': self.info_id,\n 'network_id': self.network_id, 'receive_time': self.receive_time,\n 'status': self.status}\n", "role": "user" }, { "content": "json_data", "role": "assistant" } ]
def x(self): return {'info_in_id': self.info_in_id, 'info_out_id': self.info_out_id, 'node_id': self.node_id, 'network_id': self.network_id}
json_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return {'info_in_id': self.info_in_id, 'info_out_id': self.info_out_id,\n 'node_id': self.node_id, 'network_id': self.network_id}\n", "role": "user" }, { "content": "json_data", "role": "assistant" } ]
def x(): dist = get_distribution('dallinger') src_base = os.path.join(dist.location, dist.project_name) return src_base
dallinger_package_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n dist = get_distribution('dallinger')\n src_base = os.path.join(dist.location, dist.project_name)\n return src_base\n", "role": "user" }, { "content": "dallinger_package_path", "role": "assistant" } ]
def x(size=6, chars=string.ascii_uppercase + string.digits): return ''.join(random.choice(chars) for x in range(size))
generate_random_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(size=6, chars=string.ascii_uppercase + string.digits):\n return ''.join(random.choice(chars) for x in range(size))\n", "role": "user" }, { "content": "generate_random_id", "role": "assistant" } ]
def x(cmd, out, ignore_errors=False): tempdir = tempfile.mkdtemp() output_file = os.path.join(tempdir, 'stderr') original_cmd = ' '.join(cmd) p = subprocess.Popen(cmd, stdout=out, stderr=subprocess.PIPE) t = subprocess.Popen(['tee', output_file], stdin=p.stderr, stdout=out) t.wait() p.communicate() p.stderr.close() if p.returncode != 0 and not ignore_errors: with open(output_file, 'r') as output: error = output.read() message = 'Command: "{}": Error: "{}"'.format(original_cmd, error. replace('\n', '')) shutil.rmtree(tempdir, ignore_errors=True) raise CommandError(message) shutil.rmtree(tempdir, ignore_errors=True) return p.returncode
run_command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cmd, out, ignore_errors=False):\n tempdir = tempfile.mkdtemp()\n output_file = os.path.join(tempdir, 'stderr')\n original_cmd = ' '.join(cmd)\n p = subprocess.Popen(cmd, stdout=out, stderr=subprocess.PIPE)\n t = subprocess.Popen(['tee', output_file], stdin=p.stderr, stdout=out)\n t.wait()\n p.communicate()\n p.stderr.close()\n if p.returncode != 0 and not ignore_errors:\n with open(output_file, 'r') as output:\n error = output.read()\n message = 'Command: \"{}\": Error: \"{}\"'.format(original_cmd, error.\n replace('\\n', ''))\n shutil.rmtree(tempdir, ignore_errors=True)\n raise CommandError(message)\n shutil.rmtree(tempdir, ignore_errors=True)\n return p.returncode\n", "role": "user" }, { "content": "run_command", "role": "assistant" } ]
def x(msg, delay=0.5, chevrons=True, verbose=True): if verbose: if chevrons: click.echo('\n❯❯ ' + msg) else: click.echo(msg) time.sleep(delay)
log
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(msg, delay=0.5, chevrons=True, verbose=True):\n if verbose:\n if chevrons:\n click.echo('\\n❯❯ ' + msg)\n else:\n click.echo(msg)\n time.sleep(delay)\n", "role": "user" }, { "content": "log", "role": "assistant" } ]
def x(msg, delay=0.5, chevrons=True, verbose=True): if verbose: if chevrons: click.secho('\n❯❯ ' + msg, err=True, fg='red') else: click.secho(msg, err=True, fg='red') time.sleep(delay)
error
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(msg, delay=0.5, chevrons=True, verbose=True):\n if verbose:\n if chevrons:\n click.secho('\\n❯❯ ' + msg, err=True, fg='red')\n else:\n click.secho(msg, err=True, fg='red')\n time.sleep(delay)\n", "role": "user" }, { "content": "error", "role": "assistant" } ]
def x(seconds): def x(func): def x(*args, **kwargs): def x(signum, frame): config = get_config() if not config.ready: config.load() message = {'subject': 'Idle Experiment.', 'body': idle_template.format(app_id=config.get('id'), minutes_so_far=round(seconds / 60))} log('Reporting problem with idle experiment...') get_messenger(config).send(message) signal.signal(signal.SIGALRM, _handle_timeout) signal.alarm(seconds) try: result = func(*args, **kwargs) finally: signal.alarm(0) return result return wraps(func)(wrapper) return decorator
report_idle_after
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(seconds):\n\n def x(func):\n\n def x(*args, **kwargs):\n\n def x(signum, frame):\n config = get_config()\n if not config.ready:\n config.load()\n message = {'subject': 'Idle Experiment.', 'body':\n idle_template.format(app_id=config.get('id'),\n minutes_so_far=round(seconds / 60))}\n log('Reporting problem with idle experiment...')\n get_messenger(config).send(message)\n signal.signal(signal.SIGALRM, _handle_timeout)\n signal.alarm(seconds)\n try:\n result = func(*args, **kwargs)\n finally:\n signal.alarm(0)\n return result\n return wraps(func)(wrapper)\n return decorator\n", "role": "user" }, { "content": "report_idle_after", "role": "assistant" } ]
def x(ctx, param, app): if app is None: raise TypeError('Select an experiment using the --app parameter.') elif app[0:5] == 'dlgr-': raise ValueError( 'The --app parameter requires the full UUID beginning with {}-...' .format(app[5:13])) return app
verify_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx, param, app):\n if app is None:\n raise TypeError('Select an experiment using the --app parameter.')\n elif app[0:5] == 'dlgr-':\n raise ValueError(\n 'The --app parameter requires the full UUID beginning with {}-...'\n .format(app[5:13]))\n return app\n", "role": "user" }, { "content": "verify_id", "role": "assistant" } ]
def x(verbose=True, max_size_mb=50): ok = True mb_to_bytes = 1000 * 1000 expected_files = ['config.txt', 'experiment.py'] for f in expected_files: if os.path.exists(f): log('✓ {} is PRESENT'.format(f), chevrons=False, verbose=verbose) else: log('✗ {} is MISSING'.format(f), chevrons=False, verbose=verbose) ok = False max_size = max_size_mb * mb_to_bytes size = size_on_copy() if size > max_size: size_in_mb = round(size / mb_to_bytes) log('✗ {}MB is TOO BIG (greater than {}MB)'.format(size_in_mb, max_size_mb), chevrons=False, verbose=verbose) ok = False return ok
verify_directory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(verbose=True, max_size_mb=50):\n ok = True\n mb_to_bytes = 1000 * 1000\n expected_files = ['config.txt', 'experiment.py']\n for f in expected_files:\n if os.path.exists(f):\n log('✓ {} is PRESENT'.format(f), chevrons=False, verbose=verbose)\n else:\n log('✗ {} is MISSING'.format(f), chevrons=False, verbose=verbose)\n ok = False\n max_size = max_size_mb * mb_to_bytes\n size = size_on_copy()\n if size > max_size:\n size_in_mb = round(size / mb_to_bytes)\n log('✗ {}MB is TOO BIG (greater than {}MB)'.format(size_in_mb,\n max_size_mb), chevrons=False, verbose=verbose)\n ok = False\n return ok\n", "role": "user" }, { "content": "verify_directory", "role": "assistant" } ]
def x(verbose): ok = True if not os.path.exists('experiment.py'): return False temp_package_name = 'TEMP_VERIFICATION_PACKAGE' tmp = tempfile.mkdtemp() clone_dir = os.path.join(tmp, temp_package_name) to_ignore = shutil.ignore_patterns(os.path.join('.git', '*'), '*.db', 'snapshots', 'data', 'server.log') shutil.copytree(os.getcwd(), clone_dir, ignore=to_ignore) initialize_experiment_package(clone_dir) from dallinger_experiment import experiment if clone_dir not in experiment.__file__: raise ImportError('Checking the wrong experiment.py... aborting.') classes = inspect.getmembers(experiment, inspect.isclass) exps = [c for c in classes if c[1].__bases__[0].__name__ in 'Experiment'] for entry in [k for k in sys.modules if temp_package_name in k]: del sys.modules[entry] if len(exps) == 0: log('✗ experiment.py does not define an experiment class.', delay=0, chevrons=False, verbose=verbose) ok = False elif len(exps) == 1: log('✓ experiment.py defines 1 experiment', delay=0, chevrons=False, verbose=verbose) else: log('✗ experiment.py defines more than one experiment class.', delay=0, chevrons=False, verbose=verbose) ok = False return ok
verify_experiment_module
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(verbose):\n ok = True\n if not os.path.exists('experiment.py'):\n return False\n temp_package_name = 'TEMP_VERIFICATION_PACKAGE'\n tmp = tempfile.mkdtemp()\n clone_dir = os.path.join(tmp, temp_package_name)\n to_ignore = shutil.ignore_patterns(os.path.join('.git', '*'), '*.db',\n 'snapshots', 'data', 'server.log')\n shutil.copytree(os.getcwd(), clone_dir, ignore=to_ignore)\n initialize_experiment_package(clone_dir)\n from dallinger_experiment import experiment\n if clone_dir not in experiment.__file__:\n raise ImportError('Checking the wrong experiment.py... aborting.')\n classes = inspect.getmembers(experiment, inspect.isclass)\n exps = [c for c in classes if c[1].__bases__[0].__name__ in 'Experiment']\n for entry in [k for k in sys.modules if temp_package_name in k]:\n del sys.modules[entry]\n if len(exps) == 0:\n log('✗ experiment.py does not define an experiment class.', delay=0,\n chevrons=False, verbose=verbose)\n ok = False\n elif len(exps) == 1:\n log('✓ experiment.py defines 1 experiment', delay=0, chevrons=False,\n verbose=verbose)\n else:\n log('✗ experiment.py defines more than one experiment class.',\n delay=0, chevrons=False, verbose=verbose)\n ok = False\n return ok\n", "role": "user" }, { "content": "verify_experiment_module", "role": "assistant" } ]
def x(verbose=True): ok = True config = get_config() if not config.ready: config.load() try: base_pay = config.get('base_payment') except KeyError: log('✗ No value for base_pay.', delay=0, chevrons=False, verbose= verbose) else: dollarFormat = '{:.2f}'.format(base_pay) if base_pay <= 0: log('✗ base_payment must be positive value in config.txt.', delay=0, chevrons=False, verbose=verbose) ok = False if float(dollarFormat) != float(base_pay): log('✗ base_payment must be in [dollars].[cents] format in config.txt. Try changing {0} to {1}.' .format(base_pay, dollarFormat), delay=0, chevrons=False, verbose=verbose) ok = False return ok
verify_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(verbose=True):\n ok = True\n config = get_config()\n if not config.ready:\n config.load()\n try:\n base_pay = config.get('base_payment')\n except KeyError:\n log('✗ No value for base_pay.', delay=0, chevrons=False, verbose=\n verbose)\n else:\n dollarFormat = '{:.2f}'.format(base_pay)\n if base_pay <= 0:\n log('✗ base_payment must be positive value in config.txt.',\n delay=0, chevrons=False, verbose=verbose)\n ok = False\n if float(dollarFormat) != float(base_pay):\n log('✗ base_payment must be in [dollars].[cents] format in config.txt. Try changing {0} to {1}.'\n .format(base_pay, dollarFormat), delay=0, chevrons=False,\n verbose=verbose)\n ok = False\n return ok\n", "role": "user" }, { "content": "verify_config", "role": "assistant" } ]
def x(verbose=True): conflicts = False reserved_files = [os.path.join('templates', 'complete.html'), os.path. join('templates', 'error.html'), os.path.join('templates', 'error-complete.html'), os.path.join('templates', 'launch.html'), os.path.join('templates', 'thanks.html'), os.path.join('static', 'css', 'dallinger.css'), os.path.join('static', 'scripts', 'dallinger2.js'), os.path.join('static', 'scripts', 'reqwest.min.js'), os.path.join('static', 'scripts', 'store+json2.min.js'), os.path.join('static', 'scripts', 'tracker.js'), os.path.join('static', 'robots.txt')] for f in reserved_files: if os.path.exists(f): log('✗ {} OVERWRITES shared frontend files inserted at run-time' .format(f), delay=0, chevrons=False, verbose=verbose) conflicts = True if not conflicts: log('✓ no file conflicts', delay=0, chevrons=False, verbose=verbose) return True
verify_no_conflicts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(verbose=True):\n conflicts = False\n reserved_files = [os.path.join('templates', 'complete.html'), os.path.\n join('templates', 'error.html'), os.path.join('templates',\n 'error-complete.html'), os.path.join('templates', 'launch.html'),\n os.path.join('templates', 'thanks.html'), os.path.join('static',\n 'css', 'dallinger.css'), os.path.join('static', 'scripts',\n 'dallinger2.js'), os.path.join('static', 'scripts',\n 'reqwest.min.js'), os.path.join('static', 'scripts',\n 'store+json2.min.js'), os.path.join('static', 'scripts',\n 'tracker.js'), os.path.join('static', 'robots.txt')]\n for f in reserved_files:\n if os.path.exists(f):\n log('✗ {} OVERWRITES shared frontend files inserted at run-time'\n .format(f), delay=0, chevrons=False, verbose=verbose)\n conflicts = True\n if not conflicts:\n log('✓ no file conflicts', delay=0, chevrons=False, verbose=verbose)\n return True\n", "role": "user" }, { "content": "verify_no_conflicts", "role": "assistant" } ]
def x(verbose=True): results = verify_directory(verbose), verify_experiment_module(verbose ), verify_config(verbose), verify_no_conflicts(verbose) ok = all(results) return ok
verify_package
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(verbose=True):\n results = verify_directory(verbose), verify_experiment_module(verbose\n ), verify_config(verbose), verify_no_conflicts(verbose)\n ok = all(results)\n return ok\n", "role": "user" }, { "content": "verify_package", "role": "assistant" } ]
def x(f): error = 'The current directory is not a valid Dallinger experiment.' @wraps(f) def x(**kwargs): if not verify_directory(kwargs.get('verbose')): raise click.UsageError(error) return f(**kwargs) return wrapper
require_exp_directory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f):\n error = 'The current directory is not a valid Dallinger experiment.'\n\n @wraps(f)\n def x(**kwargs):\n if not verify_directory(kwargs.get('verbose')):\n raise click.UsageError(error)\n return f(**kwargs)\n return wrapper\n", "role": "user" }, { "content": "require_exp_directory", "role": "assistant" } ]
def x(): from logging.config import fileConfig fileConfig(os.path.join(os.path.dirname(__file__), 'logging.ini'), disable_existing_loggers=False)
dallinger
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n from logging.config import fileConfig\n fileConfig(os.path.join(os.path.dirname(__file__), 'logging.ini'),\n disable_existing_loggers=False)\n", "role": "user" }, { "content": "dallinger", "role": "assistant" } ]
def x(verbose, bot, proxy, exp_config=None): debugger = DebugDeployment(Output(), verbose, bot, proxy, exp_config) log(header, chevrons=False) debugger.run()
debug
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(verbose, bot, proxy, exp_config=None):\n debugger = DebugDeployment(Output(), verbose, bot, proxy, exp_config)\n log(header, chevrons=False)\n debugger.run()\n", "role": "user" }, { "content": "debug", "role": "assistant" } ]
def x(verbose, app): if app: verify_id(None, None, app) log(header, chevrons=False) _deploy_in_mode('sandbox', app=app, verbose=verbose, log=log)
sandbox
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(verbose, app):\n if app:\n verify_id(None, None, app)\n log(header, chevrons=False)\n _deploy_in_mode('sandbox', app=app, verbose=verbose, log=log)\n", "role": "user" }, { "content": "sandbox", "role": "assistant" } ]
def x(workers, qualification, value, by_name, notify, sandbox): if not (workers and qualification and value): raise click.BadParameter( 'Must specify a qualification ID, value/score, and at least one worker ID' ) mturk = _mturk_service_from_config(sandbox) if by_name: result = mturk.get_qualification_type_by_name(qualification) if result is None: raise click.BadParameter('No qualification with name "{}" exists.' .format(qualification)) qid = result['id'] else: qid = qualification click.echo('Assigning qualification {} with value {} to {} worker{}...' .format(qid, value, len(workers), 's' if len(workers) > 1 else '')) for worker in workers: if mturk.set_qualification_score(qid, worker, int(value), notify=notify ): click.echo('{} OK'.format(worker)) results = list(mturk.get_workers_with_qualification(qid)) click.echo('{} workers with qualification {}:'.format(len(results), qid)) for score, count in Counter([r['score'] for r in results]).items(): click.echo('{} with value {}'.format(count, score))
qualify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(workers, qualification, value, by_name, notify, sandbox):\n if not (workers and qualification and value):\n raise click.BadParameter(\n 'Must specify a qualification ID, value/score, and at least one worker ID'\n )\n mturk = _mturk_service_from_config(sandbox)\n if by_name:\n result = mturk.get_qualification_type_by_name(qualification)\n if result is None:\n raise click.BadParameter('No qualification with name \"{}\" exists.'\n .format(qualification))\n qid = result['id']\n else:\n qid = qualification\n click.echo('Assigning qualification {} with value {} to {} worker{}...'\n .format(qid, value, len(workers), 's' if len(workers) > 1 else ''))\n for worker in workers:\n if mturk.set_qualification_score(qid, worker, int(value), notify=notify\n ):\n click.echo('{} OK'.format(worker))\n results = list(mturk.get_workers_with_qualification(qid))\n click.echo('{} workers with qualification {}:'.format(len(results), qid))\n for score, count in Counter([r['score'] for r in results]).items():\n click.echo('{} with value {}'.format(count, score))\n", "role": "user" }, { "content": "qualify", "role": "assistant" } ]
def x(workers, qualification, by_name, reason, sandbox): if not (workers and qualification): raise click.BadParameter( 'Must specify a qualification ID or name, and at least one worker ID' ) mturk = _mturk_service_from_config(sandbox) if by_name: result = mturk.get_qualification_type_by_name(qualification) if result is None: raise click.BadParameter('No qualification with name "{}" exists.' .format(qualification)) qid = result['id'] else: qid = qualification if not click.confirm( """ You are about to revoke qualification "{}" for these workers: {} This will send an email to each of them from Amazon MTurk. Continue?""" .format(qid, '\n\t'.join(workers))): click.echo('Aborting...') return for worker in workers: if mturk.revoke_qualification(qid, worker, reason): click.echo('Revoked qualification "{}" from worker "{}"'.format (qid, worker)) results = list(mturk.get_workers_with_qualification(qid)) click.echo('There are now {} workers with qualification "{}"'.format( len(results), qid))
revoke
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(workers, qualification, by_name, reason, sandbox):\n if not (workers and qualification):\n raise click.BadParameter(\n 'Must specify a qualification ID or name, and at least one worker ID'\n )\n mturk = _mturk_service_from_config(sandbox)\n if by_name:\n result = mturk.get_qualification_type_by_name(qualification)\n if result is None:\n raise click.BadParameter('No qualification with name \"{}\" exists.'\n .format(qualification))\n qid = result['id']\n else:\n qid = qualification\n if not click.confirm(\n \"\"\"\n\nYou are about to revoke qualification \"{}\" for these workers:\n\t{}\n\nThis will send an email to each of them from Amazon MTurk. Continue?\"\"\"\n .format(qid, '\\n\\t'.join(workers))):\n click.echo('Aborting...')\n return\n for worker in workers:\n if mturk.revoke_qualification(qid, worker, reason):\n click.echo('Revoked qualification \"{}\" from worker \"{}\"'.format\n (qid, worker))\n results = list(mturk.get_workers_with_qualification(qid))\n click.echo('There are now {} workers with qualification \"{}\"'.format(\n len(results), qid))\n", "role": "user" }, { "content": "revoke", "role": "assistant" } ]
def x(app): log('The database backup URL is...') backup_url = data.backup(app) log(backup_url) log('Scaling down the web servers...') heroku_app = HerokuApp(app) heroku_app.scale_down_dynos() log('Removing addons...') addons = ['heroku-postgresql', 'heroku-redis'] for addon in addons: heroku_app.addon_destroy(addon)
hibernate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app):\n log('The database backup URL is...')\n backup_url = data.backup(app)\n log(backup_url)\n log('Scaling down the web servers...')\n heroku_app = HerokuApp(app)\n heroku_app.scale_down_dynos()\n log('Removing addons...')\n addons = ['heroku-postgresql', 'heroku-redis']\n for addon in addons:\n heroku_app.addon_destroy(addon)\n", "role": "user" }, { "content": "hibernate", "role": "assistant" } ]
def x(app, sandbox): hit_list = list(_current_hits(_mturk_service_from_config(sandbox), app)) out = Output() out.log('Found {} hits for this experiment id: {}'.format(len(hit_list), ', '.join(h['id'] for h in hit_list)))
hits
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app, sandbox):\n hit_list = list(_current_hits(_mturk_service_from_config(sandbox), app))\n out = Output()\n out.log('Found {} hits for this experiment id: {}'.format(len(hit_list),\n ', '.join(h['id'] for h in hit_list)))\n", "role": "user" }, { "content": "hits", "role": "assistant" } ]
def x(app, sandbox, exit=True): success = [] failures = [] service = _mturk_service_from_config(sandbox) hits = _current_hits(service, app) for hit in hits: hit_id = hit['id'] try: service.expire_hit(hit_id) success.append(hit_id) except MTurkServiceException: failures.append(hit_id) out = Output() if success: out.log('Expired {} hits: {}'.format(len(success), ', '.join(success))) if failures: out.log('Could not expire {} hits: {}'.format(len(failures), ', '. join(failures))) if not success and not failures: out.log('No hits found for this application.') if not sandbox: out.log( 'If this experiment was run in the MTurk sandbox, use: `dallinger expire --sandbox --app {}`' .format(app)) if exit and not success: sys.exit(1)
expire
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app, sandbox, exit=True):\n success = []\n failures = []\n service = _mturk_service_from_config(sandbox)\n hits = _current_hits(service, app)\n for hit in hits:\n hit_id = hit['id']\n try:\n service.expire_hit(hit_id)\n success.append(hit_id)\n except MTurkServiceException:\n failures.append(hit_id)\n out = Output()\n if success:\n out.log('Expired {} hits: {}'.format(len(success), ', '.join(success)))\n if failures:\n out.log('Could not expire {} hits: {}'.format(len(failures), ', '.\n join(failures)))\n if not success and not failures:\n out.log('No hits found for this application.')\n if not sandbox:\n out.log(\n 'If this experiment was run in the MTurk sandbox, use: `dallinger expire --sandbox --app {}`'\n .format(app))\n if exit and not success:\n sys.exit(1)\n", "role": "user" }, { "content": "expire", "role": "assistant" } ]
def x(ctx, app, expire_hit, sandbox): if expire_hit: ctx.invoke(expire, app=app, sandbox=sandbox, exit=False) HerokuApp(app).destroy()
destroy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx, app, expire_hit, sandbox):\n if expire_hit:\n ctx.invoke(expire, app=app, sandbox=sandbox, exit=False)\n HerokuApp(app).destroy()\n", "role": "user" }, { "content": "destroy", "role": "assistant" } ]
def x(app, databaseurl): id = app config = get_config() config.load() bucket = data.user_s3_bucket() key = bucket.lookup('{}.dump'.format(id)) url = key.generate_url(expires_in=300) heroku_app = HerokuApp(id, output=None, team=None) heroku_app.addon('heroku-postgresql:{}'.format(config.get('database_size')) ) time.sleep(60) heroku_app.pg_wait() time.sleep(10) heroku_app.addon('heroku-redis:{}'.format(config.get('redis_size'))) heroku_app.restore(url) log('Scaling up the dynos...') size = config.get('dyno_type') for process in ['web', 'worker']: qty = config.get('num_dynos_' + process) heroku_app.scale_up_dyno(process, qty, size) if config.get('clock_on'): heroku_app.scale_up_dyno('clock', 1, size)
awaken
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app, databaseurl):\n id = app\n config = get_config()\n config.load()\n bucket = data.user_s3_bucket()\n key = bucket.lookup('{}.dump'.format(id))\n url = key.generate_url(expires_in=300)\n heroku_app = HerokuApp(id, output=None, team=None)\n heroku_app.addon('heroku-postgresql:{}'.format(config.get('database_size'))\n )\n time.sleep(60)\n heroku_app.pg_wait()\n time.sleep(10)\n heroku_app.addon('heroku-redis:{}'.format(config.get('redis_size')))\n heroku_app.restore(url)\n log('Scaling up the dynos...')\n size = config.get('dyno_type')\n for process in ['web', 'worker']:\n qty = config.get('num_dynos_' + process)\n heroku_app.scale_up_dyno(process, qty, size)\n if config.get('clock_on'):\n heroku_app.scale_up_dyno('clock', 1, size)\n", "role": "user" }, { "content": "awaken", "role": "assistant" } ]
def x(app, local, no_scrub): log(header, chevrons=False) data.export(str(app), local=local, scrub_pii=not no_scrub)
export
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app, local, no_scrub):\n log(header, chevrons=False)\n data.export(str(app), local=local, scrub_pii=not no_scrub)\n", "role": "user" }, { "content": "export", "role": "assistant" } ]
def x(app, verbose, replay, exp_config=None): if replay: exp_config = exp_config or {} exp_config['replay'] = True log(header, chevrons=False) loader = LoaderDeployment(app, Output(), verbose, exp_config) loader.run()
load
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app, verbose, replay, exp_config=None):\n if replay:\n exp_config = exp_config or {}\n exp_config['replay'] = True\n log(header, chevrons=False)\n loader = LoaderDeployment(app, Output(), verbose, exp_config)\n loader.run()\n", "role": "user" }, { "content": "load", "role": "assistant" } ]
def x(app): heroku_app = HerokuApp(dallinger_uid=app) webbrowser.open(heroku_app.dashboard_url) webbrowser.open('https://requester.mturk.com/mturk/manageHITs') heroku_app.open_logs() check_call(['open', heroku_app.db_uri]) while _keep_running(): summary = get_summary(app) click.clear() click.echo(header) click.echo('\nExperiment {}\n'.format(app)) click.echo(summary) time.sleep(10)
monitor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app):\n heroku_app = HerokuApp(dallinger_uid=app)\n webbrowser.open(heroku_app.dashboard_url)\n webbrowser.open('https://requester.mturk.com/mturk/manageHITs')\n heroku_app.open_logs()\n check_call(['open', heroku_app.db_uri])\n while _keep_running():\n summary = get_summary(app)\n click.clear()\n click.echo(header)\n click.echo('\\nExperiment {}\\n'.format(app))\n click.echo(summary)\n time.sleep(10)\n", "role": "user" }, { "content": "monitor", "role": "assistant" } ]
def x(app, debug): if debug is None: verify_id(None, None, app) id, tmp = setup_experiment(log) if debug: url = debug else: heroku_app = HerokuApp(dallinger_uid=app) worker = generate_random_id() hit = generate_random_id() assignment = generate_random_id() ad_url = '{}/ad'.format(heroku_app.url) ad_parameters = 'assignmentId={}&hitId={}&workerId={}&mode=sandbox' ad_parameters = ad_parameters.format(assignment, hit, worker) url = '{}?{}'.format(ad_url, ad_parameters) bot = bot_factory(url) bot.run_experiment()
bot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app, debug):\n if debug is None:\n verify_id(None, None, app)\n id, tmp = setup_experiment(log)\n if debug:\n url = debug\n else:\n heroku_app = HerokuApp(dallinger_uid=app)\n worker = generate_random_id()\n hit = generate_random_id()\n assignment = generate_random_id()\n ad_url = '{}/ad'.format(heroku_app.url)\n ad_parameters = 'assignmentId={}&hitId={}&workerId={}&mode=sandbox'\n ad_parameters = ad_parameters.format(assignment, hit, worker)\n url = '{}?{}'.format(ad_url, ad_parameters)\n bot = bot_factory(url)\n bot.run_experiment()\n", "role": "user" }, { "content": "bot", "role": "assistant" } ]
def x(): verbose = True log('Verifying current directory as a Dallinger experiment...', delay=0, verbose=verbose) ok = verify_package(verbose=verbose) if ok: log('✓ Everything looks good!', delay=0, verbose=verbose) else: log('☹ Some problems were found.', delay=0, verbose=verbose)
verify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n verbose = True\n log('Verifying current directory as a Dallinger experiment...', delay=0,\n verbose=verbose)\n ok = verify_package(verbose=verbose)\n if ok:\n log('✓ Everything looks good!', delay=0, verbose=verbose)\n else:\n log('☹ Some problems were found.', delay=0, verbose=verbose)\n", "role": "user" }, { "content": "verify", "role": "assistant" } ]
def x(): infos = Info.query.all() sketches = [json.loads(info.contents) for info in infos] return jsonify(drawings=sketches)
getdrawings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n infos = Info.query.all()\n sketches = [json.loads(info.contents) for info in infos]\n return jsonify(drawings=sketches)\n", "role": "user" }, { "content": "getdrawings", "role": "assistant" } ]
def x(): config = _config() html = ( '<html><head></head><body><h1>Dallinger Experiment in progress</h1><dl>' ) for item in sorted(config.as_dict().items()): html += ( '<dt style="font-weight:bold;margin-top:15px;">{}</dt><dd>{}</dd>' .format(*item)) html += '</dl></body></html>' return html
index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n config = _config()\n html = (\n '<html><head></head><body><h1>Dallinger Experiment in progress</h1><dl>'\n )\n for item in sorted(config.as_dict().items()):\n html += (\n '<dt style=\"font-weight:bold;margin-top:15px;\">{}</dt><dd>{}</dd>'\n .format(*item))\n html += '</dl></body></html>'\n return html\n", "role": "user" }, { "content": "index", "role": "assistant" } ]
def x(**data): data_out = {} data_out['status'] = 'success' data_out.update(data) js = dumps(data_out, default=date_handler) return Response(js, status=200, mimetype='application/json')
success_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**data):\n data_out = {}\n data_out['status'] = 'success'\n data_out.update(data)\n js = dumps(data_out, default=date_handler)\n return Response(js, status=200, mimetype='application/json')\n", "role": "user" }, { "content": "success_response", "role": "assistant" } ]
def x(error_type='Internal server error', error_text='', status=400, participant=None, simple=False, request_data=''): last_exception = sys.exc_info() if last_exception[0]: db.logger.error('Failure for request: {!r}'.format(dict(request. args)), exc_info=last_exception) data = {'status': 'error'} if simple: data['message'] = error_text else: data['html'] = error_page(error_text=error_text, error_type= error_type, participant=participant, request_data=request_data ).get_data().decode('utf-8') return Response(dumps(data), status=status, mimetype='application/json')
error_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(error_type='Internal server error', error_text='', status=400,\n participant=None, simple=False, request_data=''):\n last_exception = sys.exc_info()\n if last_exception[0]:\n db.logger.error('Failure for request: {!r}'.format(dict(request.\n args)), exc_info=last_exception)\n data = {'status': 'error'}\n if simple:\n data['message'] = error_text\n else:\n data['html'] = error_page(error_text=error_text, error_type=\n error_type, participant=participant, request_data=request_data\n ).get_data().decode('utf-8')\n return Response(dumps(data), status=status, mimetype='application/json')\n", "role": "user" }, { "content": "error_response", "role": "assistant" } ]