source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, gbuuid): gradebook = self.get('gradebook', params={'uuid': gbuuid}) if 'data' not in gradebook: failure_messsage = ('Error in get_gradebook_id for {0} - no data'. format(gradebook)) log.error(failure_messsage) raise PyLmodUnexpectedData(failure_messsage) return gradebook['data']['gradebookId']
get_gradebook_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, gbuuid):\n gradebook = self.get('gradebook', params={'uuid': gbuuid})\n if 'data' not in gradebook:\n failure_messsage = ('Error in get_gradebook_id for {0} - no data'.\n format(gradebook))\n log.error(failure_messsage)\n raise PyLmodUnexpectedData(failure_messsage)\n return gradebook['data']['gradebookId']\n", "role": "user" }, { "content": "get_gradebook_id", "role": "assistant" } ]
def x(self, gradebook_id): end_point = 'gradebook/options/{gradebookId}'.format(gradebookId= gradebook_id or self.gradebook_id) options = self.get(end_point) return options['data']
get_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, gradebook_id):\n end_point = 'gradebook/options/{gradebookId}'.format(gradebookId=\n gradebook_id or self.gradebook_id)\n options = self.get(end_point)\n return options['data']\n", "role": "user" }, { "content": "get_options", "role": "assistant" } ]
def x(self, gradebook_id='', simple=False, max_points=True, avg_stats=False, grading_stats=False): params = dict(includeMaxPoints=json.dumps(max_points), includeAvgStats= json.dumps(avg_stats), includeGradingStats=json.dumps(grading_stats)) assignments = self.get('assignments/{gradebookId}'.format(gradebookId= gradebook_id or self.gradebook_id), params=params) if simple: return [{'AssignmentName': x['name']} for x in assignments['data']] return assignments['data']
get_assignments
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, gradebook_id='', simple=False, max_points=True, avg_stats=False,\n grading_stats=False):\n params = dict(includeMaxPoints=json.dumps(max_points), includeAvgStats=\n json.dumps(avg_stats), includeGradingStats=json.dumps(grading_stats))\n assignments = self.get('assignments/{gradebookId}'.format(gradebookId=\n gradebook_id or self.gradebook_id), params=params)\n if simple:\n return [{'AssignmentName': x['name']} for x in assignments['data']]\n return assignments['data']\n", "role": "user" }, { "content": "get_assignments", "role": "assistant" } ]
def x(self, assignment_name, assignments=None): if assignments is None: assignments = self.get_assignments() for assignment in assignments: if assignment['name'] == assignment_name: return assignment['assignmentId'], assignment return None, None
get_assignment_by_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, assignment_name, assignments=None):\n if assignments is None:\n assignments = self.get_assignments()\n for assignment in assignments:\n if assignment['name'] == assignment_name:\n return assignment['assignmentId'], assignment\n return None, None\n", "role": "user" }, { "content": "get_assignment_by_name", "role": "assistant" } ]
def x(self, name, short_name, weight, max_points, due_date_str, gradebook_id='', **kwargs): data = {'name': name, 'shortName': short_name, 'weight': weight, 'graderVisible': False, 'gradingSchemeType': 'NUMERIC', 'gradebookId': gradebook_id or self.gradebook_id, 'maxPointsTotal': max_points, 'dueDateString': due_date_str} data.update(kwargs) log.info('Creating assignment %s', name) response = self.post('assignment', data) log.debug('Received response data: %s', response) return response
create_assignment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, short_name, weight, max_points, due_date_str,\n gradebook_id='', **kwargs):\n data = {'name': name, 'shortName': short_name, 'weight': weight,\n 'graderVisible': False, 'gradingSchemeType': 'NUMERIC',\n 'gradebookId': gradebook_id or self.gradebook_id, 'maxPointsTotal':\n max_points, 'dueDateString': due_date_str}\n data.update(kwargs)\n log.info('Creating assignment %s', name)\n response = self.post('assignment', data)\n log.debug('Received response data: %s', response)\n return response\n", "role": "user" }, { "content": "create_assignment", "role": "assistant" } ]
def x(self, assignment_id, student_id, grade_value, gradebook_id='', **kwargs): grade_info = {'studentId': student_id, 'assignmentId': assignment_id, 'mode': 2, 'comment': 'from MITx {0}'.format(time.ctime(time.time() )), 'numericGradeValue': str(grade_value), 'isGradeApproved': False} grade_info.update(kwargs) log.info('student %s set_grade=%s for assignment %s', student_id, grade_value, assignment_id) return self.post('grades/{gradebookId}'.format(gradebookId=gradebook_id or self.gradebook_id), data=grade_info)
set_grade
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, assignment_id, student_id, grade_value, gradebook_id='', **kwargs):\n grade_info = {'studentId': student_id, 'assignmentId': assignment_id,\n 'mode': 2, 'comment': 'from MITx {0}'.format(time.ctime(time.time()\n )), 'numericGradeValue': str(grade_value), 'isGradeApproved': False}\n grade_info.update(kwargs)\n log.info('student %s set_grade=%s for assignment %s', student_id,\n grade_value, assignment_id)\n return self.post('grades/{gradebookId}'.format(gradebookId=gradebook_id or\n self.gradebook_id), data=grade_info)\n", "role": "user" }, { "content": "set_grade", "role": "assistant" } ]
def x(self, grade_array, gradebook_id=''): log.info('Sending grades: %r', grade_array) return self.post('multiGrades/{gradebookId}'.format(gradebookId= gradebook_id or self.gradebook_id), data=grade_array)
multi_grade
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, grade_array, gradebook_id=''):\n log.info('Sending grades: %r', grade_array)\n return self.post('multiGrades/{gradebookId}'.format(gradebookId=\n gradebook_id or self.gradebook_id), data=grade_array)\n", "role": "user" }, { "content": "multi_grade", "role": "assistant" } ]
def x(self, gradebook_id='', simple=False): params = dict(includeMembers='false') section_data = self.get('sections/{gradebookId}'.format(gradebookId= gradebook_id or self.gradebook_id), params=params) if simple: sections = self.unravel_sections(section_data['data']) return [{'SectionName': x['name']} for x in sections] return section_data['data']
get_sections
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, gradebook_id='', simple=False):\n params = dict(includeMembers='false')\n section_data = self.get('sections/{gradebookId}'.format(gradebookId=\n gradebook_id or self.gradebook_id), params=params)\n if simple:\n sections = self.unravel_sections(section_data['data'])\n return [{'SectionName': x['name']} for x in sections]\n return section_data['data']\n", "role": "user" }, { "content": "get_sections", "role": "assistant" } ]
def x(self, section_name): sections = self.unravel_sections(self.get_sections()) for section in sections: if section['name'] == section_name: return section['groupId'], section return None, None
get_section_by_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, section_name):\n sections = self.unravel_sections(self.get_sections())\n for section in sections:\n if section['name'] == section_name:\n return section['groupId'], section\n return None, None\n", "role": "user" }, { "content": "get_section_by_name", "role": "assistant" } ]
def x(self, gradebook_id='', simple=False, section_name='', include_photo= False, include_grade_info=False, include_grade_history=False, include_makeup_grades=False): params = dict(includePhoto=json.dumps(include_photo), includeGradeInfo= json.dumps(include_grade_info), includeGradeHistory=json.dumps( include_grade_history), includeMakeupGrades=json.dumps( include_makeup_grades)) url = 'students/{gradebookId}' if section_name: group_id, _ = self.get_section_by_name(section_name) if group_id is None: failure_message = ( 'in get_students -- Error: No such section %s' % section_name) log.critical(failure_message) raise PyLmodNoSuchSection(failure_message) url += '/section/{0}'.format(group_id) student_data = self.get(url.format(gradebookId=gradebook_id or self. gradebook_id), params=params) if simple: student_map = dict(accountEmail='email', displayName='name', section='section') def x(students): newx = dict((student_map[k], students[k]) for k in student_map) newx['email'] = newx['email'].replace('@mit.edu', '@MIT.EDU') return newx return [remap(x) for x in student_data['data']] return student_data['data']
get_students
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, gradebook_id='', simple=False, section_name='', include_photo=\n False, include_grade_info=False, include_grade_history=False,\n include_makeup_grades=False):\n params = dict(includePhoto=json.dumps(include_photo), includeGradeInfo=\n json.dumps(include_grade_info), includeGradeHistory=json.dumps(\n include_grade_history), includeMakeupGrades=json.dumps(\n include_makeup_grades))\n url = 'students/{gradebookId}'\n if section_name:\n group_id, _ = self.get_section_by_name(section_name)\n if group_id is None:\n failure_message = (\n 'in get_students -- Error: No such section %s' % section_name)\n log.critical(failure_message)\n raise PyLmodNoSuchSection(failure_message)\n url += '/section/{0}'.format(group_id)\n student_data = self.get(url.format(gradebookId=gradebook_id or self.\n gradebook_id), params=params)\n if simple:\n student_map = dict(accountEmail='email', displayName='name',\n section='section')\n\n def x(students):\n newx = dict((student_map[k], students[k]) for k in student_map)\n newx['email'] = newx['email'].replace('@mit.edu', '@MIT.EDU')\n return newx\n return [remap(x) for x in student_data['data']]\n return student_data['data']\n", "role": "user" }, { "content": "get_students", "role": "assistant" } ]
def x(self, email, students=None): if students is None: students = self.get_students() email = email.lower() for student in students: if student['accountEmail'].lower() == email: return student['studentId'], student return None, None
get_student_by_email
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, email, students=None):\n if students is None:\n students = self.get_students()\n email = email.lower()\n for student in students:\n if student['accountEmail'].lower() == email:\n return student['studentId'], student\n return None, None\n", "role": "user" }, { "content": "get_student_by_email", "role": "assistant" } ]
def x(self, csv_reader, email_field, non_assignment_fields, approve_grades= False, use_max_points_column=False, max_points_column=None, normalize_column=None): if use_max_points_column: if max_points_column is None: raise ValueError( 'max_points_column must be set if use_max_points_column is set' ) if normalize_column is None: raise ValueError( 'normalize_column must be set if use_max_points_column is set') assignments = self.get_assignments() students = self.get_students() assignment2id = {} grade_array = [] for row in csv_reader: email = row[email_field] sid, _ = self.get_student_by_email(email, students) if sid is None: log.warning( 'Error in spreadsheet2gradebook: cannot find student id for email="%s"\n' , email) continue for field in row.keys(): if field in non_assignment_fields: continue if field not in assignment2id: assignment_id, _ = self.get_assignment_by_name(field, assignments=assignments) if assignment_id is None: name = field shortname = field[0:3] + field[-2:] log.info('calling create_assignment from multi') max_points = DEFAULT_MAX_POINTS if use_max_points_column: normalize_value = True normalize_value_str = row.get(normalize_column) if normalize_value_str is not None: try: normalize_value = bool(int(normalize_value_str) ) except ValueError as ex: log.warning( 'Bool conversion error in normalize column for value: %s, exception: %s' , normalize_value_str, ex) if not normalize_value: max_points_str = row.get(max_points_column) if max_points_str is not None: try: max_points = float(max_points_str) except ValueError as ex: log.warning( 'Floating point conversion error in max points column for value: %s, exception: %s' , max_points_str, ex) response = self.create_assignment(name, shortname, 1.0, max_points, '12-15-2013') if not response.get('data', '' ) or 'assignmentId' not in response.get('data'): failure_message = ( 'Error! Failed to create assignment {0}, got {1}' .format(name, response)) log.critical(failure_message) raise PyLmodFailedAssignmentCreation(failure_message) assignment_id = response['data']['assignmentId'] log.info('Assignment %s has Id=%s', field, assignment_id) assignment2id[field] = assignment_id assignment_id = assignment2id[field] successful = True try: gradeval = float(row[field]) * 1.0 log.debug( 'Received grade value %s(converted to %s) for student %s on assignment %s' , row[field], gradeval, sid, assignment_id) except ValueError as err: log.exception( 'Failed in converting grade for student %s, row=%s, err=%s' , sid, row, err) successful = False if successful: grade_array.append({'studentId': sid, 'assignmentId': assignment_id, 'numericGradeValue': gradeval, 'mode': 2, 'isGradeApproved': approve_grades}) log.info('Data read from file, doing multiGrades API call (%d grades)', len(grade_array)) tstart = time.time() response = self.multi_grade(grade_array) duration = time.time() - tstart log.info('multiGrades API call done (%d bytes returned) dt=%6.2f seconds.', len(json.dumps(response)), duration) return response, duration
spreadsheet2gradebook_multi
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, csv_reader, email_field, non_assignment_fields, approve_grades=\n False, use_max_points_column=False, max_points_column=None,\n normalize_column=None):\n if use_max_points_column:\n if max_points_column is None:\n raise ValueError(\n 'max_points_column must be set if use_max_points_column is set'\n )\n if normalize_column is None:\n raise ValueError(\n 'normalize_column must be set if use_max_points_column is set')\n assignments = self.get_assignments()\n students = self.get_students()\n assignment2id = {}\n grade_array = []\n for row in csv_reader:\n email = row[email_field]\n sid, _ = self.get_student_by_email(email, students)\n if sid is None:\n log.warning(\n 'Error in spreadsheet2gradebook: cannot find student id for email=\"%s\"\\n'\n , email)\n continue\n for field in row.keys():\n if field in non_assignment_fields:\n continue\n if field not in assignment2id:\n assignment_id, _ = self.get_assignment_by_name(field,\n assignments=assignments)\n if assignment_id is None:\n name = field\n shortname = field[0:3] + field[-2:]\n log.info('calling create_assignment from multi')\n max_points = DEFAULT_MAX_POINTS\n if use_max_points_column:\n normalize_value = True\n normalize_value_str = row.get(normalize_column)\n if normalize_value_str is not None:\n try:\n normalize_value = bool(int(normalize_value_str)\n )\n except ValueError as ex:\n log.warning(\n 'Bool conversion error in normalize column for value: %s, exception: %s'\n , normalize_value_str, ex)\n if not normalize_value:\n max_points_str = row.get(max_points_column)\n if max_points_str is not None:\n try:\n max_points = float(max_points_str)\n except ValueError as ex:\n log.warning(\n 'Floating point conversion error in max points column for value: %s, exception: %s'\n , max_points_str, ex)\n response = self.create_assignment(name, shortname, 1.0,\n max_points, '12-15-2013')\n if not response.get('data', ''\n ) or 'assignmentId' not in response.get('data'):\n failure_message = (\n 'Error! Failed to create assignment {0}, got {1}'\n .format(name, response))\n log.critical(failure_message)\n raise PyLmodFailedAssignmentCreation(failure_message)\n assignment_id = response['data']['assignmentId']\n log.info('Assignment %s has Id=%s', field, assignment_id)\n assignment2id[field] = assignment_id\n assignment_id = assignment2id[field]\n successful = True\n try:\n gradeval = float(row[field]) * 1.0\n log.debug(\n 'Received grade value %s(converted to %s) for student %s on assignment %s'\n , row[field], gradeval, sid, assignment_id)\n except ValueError as err:\n log.exception(\n 'Failed in converting grade for student %s, row=%s, err=%s'\n , sid, row, err)\n successful = False\n if successful:\n grade_array.append({'studentId': sid, 'assignmentId':\n assignment_id, 'numericGradeValue': gradeval, 'mode': 2,\n 'isGradeApproved': approve_grades})\n log.info('Data read from file, doing multiGrades API call (%d grades)',\n len(grade_array))\n tstart = time.time()\n response = self.multi_grade(grade_array)\n duration = time.time() - tstart\n log.info('multiGrades API call done (%d bytes returned) dt=%6.2f seconds.',\n len(json.dumps(response)), duration)\n return response, duration\n", "role": "user" }, { "content": "spreadsheet2gradebook_multi", "role": "assistant" } ]
def x(self, csv_file, email_field=None, approve_grades=False, use_max_points_column=False, max_points_column=None, normalize_column=None ): non_assignment_fields = ['ID', 'Username', 'Full Name', 'edX email', 'External email'] if max_points_column is not None: non_assignment_fields.append(max_points_column) if normalize_column is not None: non_assignment_fields.append(normalize_column) if email_field is not None: non_assignment_fields.append(email_field) else: email_field = 'External email' if not hasattr(csv_file, 'read'): file_pointer = open(csv_file) else: file_pointer = csv_file csv_reader = csv.DictReader(file_pointer, dialect='excel') response = self._spreadsheet2gradebook_multi(csv_reader, email_field, non_assignment_fields, approve_grades=approve_grades, use_max_points_column=use_max_points_column, max_points_column= max_points_column, normalize_column=normalize_column) return response
spreadsheet2gradebook
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, csv_file, email_field=None, approve_grades=False,\n use_max_points_column=False, max_points_column=None, normalize_column=None\n ):\n non_assignment_fields = ['ID', 'Username', 'Full Name', 'edX email',\n 'External email']\n if max_points_column is not None:\n non_assignment_fields.append(max_points_column)\n if normalize_column is not None:\n non_assignment_fields.append(normalize_column)\n if email_field is not None:\n non_assignment_fields.append(email_field)\n else:\n email_field = 'External email'\n if not hasattr(csv_file, 'read'):\n file_pointer = open(csv_file)\n else:\n file_pointer = csv_file\n csv_reader = csv.DictReader(file_pointer, dialect='excel')\n response = self._spreadsheet2gradebook_multi(csv_reader, email_field,\n non_assignment_fields, approve_grades=approve_grades,\n use_max_points_column=use_max_points_column, max_points_column=\n max_points_column, normalize_column=normalize_column)\n return response\n", "role": "user" }, { "content": "spreadsheet2gradebook", "role": "assistant" } ]
def x(self, gradebook_id, simple=False): staff_data = self.get('staff/{gradebookId}'.format(gradebookId= gradebook_id or self.gradebook_id), params=None) if simple: simple_list = [] unraveled_list = self.unravel_staff(staff_data) for member in unraveled_list.__iter__(): simple_list.append({'accountEmail': member['accountEmail'], 'displayName': member['displayName'], 'role': member['role']}) return simple_list return staff_data['data']
get_staff
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, gradebook_id, simple=False):\n staff_data = self.get('staff/{gradebookId}'.format(gradebookId=\n gradebook_id or self.gradebook_id), params=None)\n if simple:\n simple_list = []\n unraveled_list = self.unravel_staff(staff_data)\n for member in unraveled_list.__iter__():\n simple_list.append({'accountEmail': member['accountEmail'],\n 'displayName': member['displayName'], 'role': member['role']})\n return simple_list\n return staff_data['data']\n", "role": "user" }, { "content": "get_staff", "role": "assistant" } ]
def x(self, uuid=None): if uuid is None: uuid = self.uuid group_data = self.get('group', params={'uuid': uuid}) return group_data
get_group
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, uuid=None):\n if uuid is None:\n uuid = self.uuid\n group_data = self.get('group', params={'uuid': uuid})\n return group_data\n", "role": "user" }, { "content": "get_group", "role": "assistant" } ]
def x(self, uuid=None): group_data = self.get_group(uuid) try: return group_data['response']['docs'][0]['id'] except (KeyError, IndexError): failure_message = 'Error in get_group response data - got {0}'.format( group_data) log.exception(failure_message) raise PyLmodUnexpectedData(failure_message)
get_group_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, uuid=None):\n group_data = self.get_group(uuid)\n try:\n return group_data['response']['docs'][0]['id']\n except (KeyError, IndexError):\n failure_message = 'Error in get_group response data - got {0}'.format(\n group_data)\n log.exception(failure_message)\n raise PyLmodUnexpectedData(failure_message)\n", "role": "user" }, { "content": "get_group_id", "role": "assistant" } ]
def x(self, uuid=None): group_id = self.get_group_id(uuid=uuid) uri = 'group/{group_id}/member' mbr_data = self.get(uri.format(group_id=group_id), params=None) return mbr_data
get_membership
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, uuid=None):\n group_id = self.get_group_id(uuid=uuid)\n uri = 'group/{group_id}/member'\n mbr_data = self.get(uri.format(group_id=group_id), params=None)\n return mbr_data\n", "role": "user" }, { "content": "get_membership", "role": "assistant" } ]
def x(self, email, role_name, uuid=None): mbr_data = self.get_membership(uuid=uuid) docs = [] try: docs = mbr_data['response']['docs'] except KeyError: failure_message = 'KeyError in membership data - got {0}'.format( mbr_data) log.exception(failure_message) raise PyLmodUnexpectedData(failure_message) if len(docs) == 0: return False has_role = any(x.get('email') == email and x.get('roleType') == role_name for x in docs) if has_role: return True return False
email_has_role
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, email, role_name, uuid=None):\n mbr_data = self.get_membership(uuid=uuid)\n docs = []\n try:\n docs = mbr_data['response']['docs']\n except KeyError:\n failure_message = 'KeyError in membership data - got {0}'.format(\n mbr_data)\n log.exception(failure_message)\n raise PyLmodUnexpectedData(failure_message)\n if len(docs) == 0:\n return False\n has_role = any(x.get('email') == email and x.get('roleType') ==\n role_name for x in docs)\n if has_role:\n return True\n return False\n", "role": "user" }, { "content": "email_has_role", "role": "assistant" } ]
def x(self, course_uuid): course_data = self.get('courseguide/course?uuid={uuid}'.format(uuid= course_uuid or self.course_id), params=None) try: return course_data['response']['docs'][0]['id'] except KeyError: failure_message = 'KeyError in get_course_id - got {0}'.format( course_data) log.exception(failure_message) raise PyLmodUnexpectedData(failure_message) except TypeError: failure_message = 'TypeError in get_course_id - got {0}'.format( course_data) log.exception(failure_message) raise PyLmodUnexpectedData(failure_message)
get_course_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, course_uuid):\n course_data = self.get('courseguide/course?uuid={uuid}'.format(uuid=\n course_uuid or self.course_id), params=None)\n try:\n return course_data['response']['docs'][0]['id']\n except KeyError:\n failure_message = 'KeyError in get_course_id - got {0}'.format(\n course_data)\n log.exception(failure_message)\n raise PyLmodUnexpectedData(failure_message)\n except TypeError:\n failure_message = 'TypeError in get_course_id - got {0}'.format(\n course_data)\n log.exception(failure_message)\n raise PyLmodUnexpectedData(failure_message)\n", "role": "user" }, { "content": "get_course_id", "role": "assistant" } ]
def x(self, course_id=''): staff_data = self.get('courseguide/course/{courseId}/staff'.format( courseId=course_id or self.course_id), params=None) return staff_data['response']['docs']
get_course_guide_staff
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, course_id=''):\n staff_data = self.get('courseguide/course/{courseId}/staff'.format(\n courseId=course_id or self.course_id), params=None)\n return staff_data['response']['docs']\n", "role": "user" }, { "content": "get_course_guide_staff", "role": "assistant" } ]
def x(data): if type(data) not in [str, unicode]: data = json.dumps(data) return data
data_to_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data):\n if type(data) not in [str, unicode]:\n data = json.dumps(data)\n return data\n", "role": "user" }, { "content": "data_to_json", "role": "assistant" } ]
def x(self, service): base_service_url = '{base}{service}'.format(base=self.urlbase, service= service) return base_service_url
url_format
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service):\n base_service_url = '{base}{service}'.format(base=self.urlbase, service=\n service)\n return base_service_url\n", "role": "user" }, { "content": "url_format", "role": "assistant" } ]
def x(self, service, params=None): url = self._url_format(service) if params is None: params = {} return self.rest_action(self._session.get, url, params=params)
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service, params=None):\n url = self._url_format(service)\n if params is None:\n params = {}\n return self.rest_action(self._session.get, url, params=params)\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, service, data): url = self._url_format(service) data = Base._data_to_json(data) headers = {'content-type': 'application/json'} return self.rest_action(self._session.post, url, data=data, headers=headers )
post
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service, data):\n url = self._url_format(service)\n data = Base._data_to_json(data)\n headers = {'content-type': 'application/json'}\n return self.rest_action(self._session.post, url, data=data, headers=headers\n )\n", "role": "user" }, { "content": "post", "role": "assistant" } ]
def x(self, service): url = self._url_format(service) return self.rest_action(self._session.delete, url)
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service):\n url = self._url_format(service)\n return self.rest_action(self._session.delete, url)\n", "role": "user" }, { "content": "delete", "role": "assistant" } ]
def x(secret, data, options=None): if not isinstance(secret, basestring): raise ValueError( 'firebase_token_generator.create_token: secret must be a string.') if not options and not data: raise ValueError( 'firebase_token_generator.create_token: data is empty and no options are set. This token will have no effect on Firebase.' ) if not options: options = {} is_admin_token = 'admin' in options and options['admin'] == True _validate_data(data, is_admin_token) claims = _create_options_claims(options) claims['v'] = TOKEN_VERSION claims['iat'] = int(time.time()) claims['d'] = data token = _encode_token(secret, claims) if len(token) > 1024: raise RuntimeError( 'firebase_token_generator.create_token: generated token is too long.' ) return token
create_token
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(secret, data, options=None):\n if not isinstance(secret, basestring):\n raise ValueError(\n 'firebase_token_generator.create_token: secret must be a string.')\n if not options and not data:\n raise ValueError(\n 'firebase_token_generator.create_token: data is empty and no options are set. This token will have no effect on Firebase.'\n )\n if not options:\n options = {}\n is_admin_token = 'admin' in options and options['admin'] == True\n _validate_data(data, is_admin_token)\n claims = _create_options_claims(options)\n claims['v'] = TOKEN_VERSION\n claims['iat'] = int(time.time())\n claims['d'] = data\n token = _encode_token(secret, claims)\n if len(token) > 1024:\n raise RuntimeError(\n 'firebase_token_generator.create_token: generated token is too long.'\n )\n return token\n", "role": "user" }, { "content": "create_token", "role": "assistant" } ]
def x(fileobj, encoding): parser = HTMLParser(encoding=encoding, remove_blank_text=True) return parse(fileobj, parser)
parse_html
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fileobj, encoding):\n parser = HTMLParser(encoding=encoding, remove_blank_text=True)\n return parse(fileobj, parser)\n", "role": "user" }, { "content": "parse_html", "role": "assistant" } ]
def x(self, seq_id, start=None, end=None): rec = self._db.execute( 'select * from seqinfo where seq_id = ? order by added desc', [seq_id] ).fetchone() if rec is None: raise KeyError(seq_id) if self._writing and self._writing['relpath'] == rec['relpath']: logger.warning( """Fetching from file opened for writing; closing first ({})""" .format(rec['relpath'])) self.commit() path = os.path.join(self._root_dir, rec['relpath']) fabgz = self._open_for_reading(path) return fabgz.fetch(seq_id, start, end)
fetch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, seq_id, start=None, end=None):\n rec = self._db.execute(\n 'select * from seqinfo where seq_id = ? order by added desc', [seq_id]\n ).fetchone()\n if rec is None:\n raise KeyError(seq_id)\n if self._writing and self._writing['relpath'] == rec['relpath']:\n logger.warning(\n \"\"\"Fetching from file opened for writing;\n closing first ({})\"\"\"\n .format(rec['relpath']))\n self.commit()\n path = os.path.join(self._root_dir, rec['relpath'])\n fabgz = self._open_for_reading(path)\n return fabgz.fetch(seq_id, start, end)\n", "role": "user" }, { "content": "fetch", "role": "assistant" } ]
def x(self, seq_id, seq): if not self._writeable: raise RuntimeError('Cannot write -- opened read-only') if self._writing is None: reldir = datetime.datetime.utcnow().strftime('%Y/%m%d/%H%M') basename = str(time.time()) + '.fa.bgz' relpath = os.path.join(reldir, basename) dir_ = os.path.join(self._root_dir, reldir) path = os.path.join(self._root_dir, reldir, basename) makedirs(dir_, exist_ok=True) fabgz = FabgzWriter(path) self._writing = {'relpath': relpath, 'fabgz': fabgz} logger.info('Opened for writing: ' + path) self._writing['fabgz'].store(seq_id, seq) alpha = ''.join(sorted(set(seq))) self._db.execute( """insert into seqinfo (seq_id, len, alpha, relpath) values (?, ?, ?,?)""" , (seq_id, len(seq), alpha, self._writing['relpath'])) return seq_id
store
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, seq_id, seq):\n if not self._writeable:\n raise RuntimeError('Cannot write -- opened read-only')\n if self._writing is None:\n reldir = datetime.datetime.utcnow().strftime('%Y/%m%d/%H%M')\n basename = str(time.time()) + '.fa.bgz'\n relpath = os.path.join(reldir, basename)\n dir_ = os.path.join(self._root_dir, reldir)\n path = os.path.join(self._root_dir, reldir, basename)\n makedirs(dir_, exist_ok=True)\n fabgz = FabgzWriter(path)\n self._writing = {'relpath': relpath, 'fabgz': fabgz}\n logger.info('Opened for writing: ' + path)\n self._writing['fabgz'].store(seq_id, seq)\n alpha = ''.join(sorted(set(seq)))\n self._db.execute(\n \"\"\"insert into seqinfo (seq_id, len, alpha, relpath)\n values (?, ?, ?,?)\"\"\"\n , (seq_id, len(seq), alpha, self._writing['relpath']))\n return seq_id\n", "role": "user" }, { "content": "store", "role": "assistant" } ]
def x(source, dest, engine_or_conn, **flags): dialect = postgresql.dialect() statement = getattr(source, 'statement', source) compiled = statement.compile(dialect=dialect) conn, autoclose = raw_connection_from(engine_or_conn) cursor = conn.cursor() query = cursor.mogrify(compiled.string, compiled.params).decode() formatted_flags = '({})'.format(format_flags(flags)) if flags else '' copy = 'COPY ({}) TO STDOUT {}'.format(query, formatted_flags) cursor.copy_expert(copy, dest) if autoclose: conn.close()
copy_to
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source, dest, engine_or_conn, **flags):\n dialect = postgresql.dialect()\n statement = getattr(source, 'statement', source)\n compiled = statement.compile(dialect=dialect)\n conn, autoclose = raw_connection_from(engine_or_conn)\n cursor = conn.cursor()\n query = cursor.mogrify(compiled.string, compiled.params).decode()\n formatted_flags = '({})'.format(format_flags(flags)) if flags else ''\n copy = 'COPY ({}) TO STDOUT {}'.format(query, formatted_flags)\n cursor.copy_expert(copy, dest)\n if autoclose:\n conn.close()\n", "role": "user" }, { "content": "copy_to", "role": "assistant" } ]
def x(source, dest, engine_or_conn, columns=(), **flags): tbl = dest.__table__ if is_model(dest) else dest conn, autoclose = raw_connection_from(engine_or_conn) cursor = conn.cursor() relation = '.'.join('"{}"'.format(part) for part in (tbl.schema, tbl. name) if part) formatted_columns = '({})'.format(','.join(columns)) if columns else '' formatted_flags = '({})'.format(format_flags(flags)) if flags else '' copy = 'COPY {} {} FROM STDIN {}'.format(relation, formatted_columns, formatted_flags) cursor.copy_expert(copy, source) if autoclose: conn.commit() conn.close()
copy_from
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source, dest, engine_or_conn, columns=(), **flags):\n tbl = dest.__table__ if is_model(dest) else dest\n conn, autoclose = raw_connection_from(engine_or_conn)\n cursor = conn.cursor()\n relation = '.'.join('\"{}\"'.format(part) for part in (tbl.schema, tbl.\n name) if part)\n formatted_columns = '({})'.format(','.join(columns)) if columns else ''\n formatted_flags = '({})'.format(format_flags(flags)) if flags else ''\n copy = 'COPY {} {} FROM STDIN {}'.format(relation, formatted_columns,\n formatted_flags)\n cursor.copy_expert(copy, source)\n if autoclose:\n conn.commit()\n conn.close()\n", "role": "user" }, { "content": "copy_from", "role": "assistant" } ]
def x(engine_or_conn): if hasattr(engine_or_conn, 'cursor'): return engine_or_conn, False if hasattr(engine_or_conn, 'connection'): return engine_or_conn.connection, False return engine_or_conn.raw_connection(), True
raw_connection_from
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(engine_or_conn):\n if hasattr(engine_or_conn, 'cursor'):\n return engine_or_conn, False\n if hasattr(engine_or_conn, 'connection'):\n return engine_or_conn.connection, False\n return engine_or_conn.raw_connection(), True\n", "role": "user" }, { "content": "raw_connection_from", "role": "assistant" } ]
def x(name, mode=511, exist_ok=False): if os.path.exists(name): if not exist_ok: raise FileExistsError('File exists: ' + name) else: os.makedirs(name, mode)
makedirs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, mode=511, exist_ok=False):\n if os.path.exists(name):\n if not exist_ok:\n raise FileExistsError('File exists: ' + name)\n else:\n os.makedirs(name, mode)\n", "role": "user" }, { "content": "makedirs", "role": "assistant" } ]
def x(sr, nsa): def x(q, nsa): pid, ppid = os.getpid(), os.getppid() q.put((pid, ppid, sr[nsa])) q = Queue() p = Process(target=fetch_seq, args=(q, nsa)) p.start() pid, ppid, seq = q.get() p.join() assert pid != ppid, 'sequence was not fetched from thread' return pid, ppid, seq
fetch_in_thread
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sr, nsa):\n\n def x(q, nsa):\n pid, ppid = os.getpid(), os.getppid()\n q.put((pid, ppid, sr[nsa]))\n q = Queue()\n p = Process(target=fetch_seq, args=(q, nsa))\n p.start()\n pid, ppid, seq = q.get()\n p.join()\n assert pid != ppid, 'sequence was not fetched from thread'\n return pid, ppid, seq\n", "role": "user" }, { "content": "fetch_in_thread", "role": "assistant" } ]
def x(self): try: self.linux.verify_system_status() except InstallSkipError: Log.info('Install skipped.') return work_dir = tempfile.mkdtemp(suffix='-rpm-py-installer') Log.info("Created working directory '{0}'".format(work_dir)) with Cmd.pushd(work_dir): self.rpm_py.download_and_install() if not self.python.is_python_binding_installed(): message = ( 'RPM Python binding failed to install with unknown reason.') raise InstallError(message) if self.is_work_dir_removed: shutil.rmtree(work_dir) Log.info("Removed working directory '{0}'".format(work_dir)) else: Log.info("Saved working directory '{0}'".format(work_dir))
run
[ { "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.linux.verify_system_status()\n except InstallSkipError:\n Log.info('Install skipped.')\n return\n work_dir = tempfile.mkdtemp(suffix='-rpm-py-installer')\n Log.info(\"Created working directory '{0}'\".format(work_dir))\n with Cmd.pushd(work_dir):\n self.rpm_py.download_and_install()\n if not self.python.is_python_binding_installed():\n message = (\n 'RPM Python binding failed to install with unknown reason.')\n raise InstallError(message)\n if self.is_work_dir_removed:\n shutil.rmtree(work_dir)\n Log.info(\"Removed working directory '{0}'\".format(work_dir))\n else:\n Log.info(\"Saved working directory '{0}'\".format(work_dir))\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self): if self.is_installed_from_bin: try: self.installer.install_from_rpm_py_package() return except RpmPyPackageNotFoundError as e: Log.warn('RPM Py Package not found. reason: {0}'.format(e)) pass top_dir_name = self.downloader.download_and_expand() rpm_py_dir = os.path.join(top_dir_name, 'python') setup_py_in_found = False with Cmd.pushd(rpm_py_dir): if self.installer.setup_py.exists_in_path(): setup_py_in_found = True self.installer.run() if not setup_py_in_found: self.installer.install_from_rpm_py_package()
download_and_install
[ { "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.is_installed_from_bin:\n try:\n self.installer.install_from_rpm_py_package()\n return\n except RpmPyPackageNotFoundError as e:\n Log.warn('RPM Py Package not found. reason: {0}'.format(e))\n pass\n top_dir_name = self.downloader.download_and_expand()\n rpm_py_dir = os.path.join(top_dir_name, 'python')\n setup_py_in_found = False\n with Cmd.pushd(rpm_py_dir):\n if self.installer.setup_py.exists_in_path():\n setup_py_in_found = True\n self.installer.run()\n if not setup_py_in_found:\n self.installer.install_from_rpm_py_package()\n", "role": "user" }, { "content": "download_and_install", "role": "assistant" } ]
def x(self): info = self.info return 'rpm-{major}.{minor}.x'.format(major=info[0], minor=info[1])
git_branch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n info = self.info\n return 'rpm-{major}.{minor}.x'.format(major=info[0], minor=info[1])\n", "role": "user" }, { "content": "git_branch", "role": "assistant" } ]
def x(self, lib_dir, include_dir): additional_patches = [{'src': "pkgconfig\\('--libs-only-L'\\)", 'dest': "['{0}']".format(lib_dir)}, {'src': "pkgconfig\\('--libs(-only-l)?'\\)", 'dest': "['rpm', 'rpmio']", 'required': True}, {'src': "pkgconfig\\('--cflags'\\)", 'dest': "['{0}']".format(include_dir), 'required': True}] self.patches.extend(additional_patches)
add_patchs_to_build_without_pkg_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lib_dir, include_dir):\n additional_patches = [{'src': \"pkgconfig\\\\('--libs-only-L'\\\\)\", 'dest':\n \"['{0}']\".format(lib_dir)}, {'src':\n \"pkgconfig\\\\('--libs(-only-l)?'\\\\)\", 'dest': \"['rpm', 'rpmio']\",\n 'required': True}, {'src': \"pkgconfig\\\\('--cflags'\\\\)\", 'dest':\n \"['{0}']\".format(include_dir), 'required': True}]\n self.patches.extend(additional_patches)\n", "role": "user" }, { "content": "add_patchs_to_build_without_pkg_config", "role": "assistant" } ]
def x(self): patches = self.patches content = None with open(self.IN_PATH) as f_in: content = f_in.read() for key in self.replaced_word_dict: content = content.replace(key, self.replaced_word_dict[key]) out_patches = [] for patch in patches: pattern = re.compile(patch['src'], re.MULTILINE) content, subs_num = re.subn(pattern, patch['dest'], content) if subs_num > 0: patch['applied'] = True out_patches.append(patch) for patch in out_patches: if patch.get('required') and not patch.get('applied'): Log.warn('Patch not applied {0}'.format(patch['src'])) with open(self.OUT_PATH, 'w') as f_out: f_out.write(content) self.pathces = out_patches content = None
apply_and_save
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n patches = self.patches\n content = None\n with open(self.IN_PATH) as f_in:\n content = f_in.read()\n for key in self.replaced_word_dict:\n content = content.replace(key, self.replaced_word_dict[key])\n out_patches = []\n for patch in patches:\n pattern = re.compile(patch['src'], re.MULTILINE)\n content, subs_num = re.subn(pattern, patch['dest'], content)\n if subs_num > 0:\n patch['applied'] = True\n out_patches.append(patch)\n for patch in out_patches:\n if patch.get('required') and not patch.get('applied'):\n Log.warn('Patch not applied {0}'.format(patch['src']))\n with open(self.OUT_PATH, 'w') as f_out:\n f_out.write(content)\n self.pathces = out_patches\n content = None\n", "role": "user" }, { "content": "apply_and_save", "role": "assistant" } ]
def x(self): top_dir_name = None if self.git_branch: top_dir_name = self._download_and_expand_by_git() else: try: top_dir_name = self._download_and_expand_from_archive_url() except RemoteFileNotFoundError: Log.info('Try to download by git clone.') top_dir_name = self._download_and_expand_by_git() return top_dir_name
download_and_expand
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n top_dir_name = None\n if self.git_branch:\n top_dir_name = self._download_and_expand_by_git()\n else:\n try:\n top_dir_name = self._download_and_expand_from_archive_url()\n except RemoteFileNotFoundError:\n Log.info('Try to download by git clone.')\n top_dir_name = self._download_and_expand_by_git()\n return top_dir_name\n", "role": "user" }, { "content": "download_and_expand", "role": "assistant" } ]
def x(self): self._make_lib_file_symbolic_links() self._copy_each_include_files_to_include_dir() self._make_dep_lib_file_sym_links_and_copy_include_files() self.setup_py.add_patchs_to_build_without_pkg_config(self.rpm.lib_dir, self.rpm.include_dir) self.setup_py.apply_and_save() self._build_and_install()
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._make_lib_file_symbolic_links()\n self._copy_each_include_files_to_include_dir()\n self._make_dep_lib_file_sym_links_and_copy_include_files()\n self.setup_py.add_patchs_to_build_without_pkg_config(self.rpm.lib_dir,\n self.rpm.include_dir)\n self.setup_py.apply_and_save()\n self._build_and_install()\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self): so_file_dict = {'rpmio': {'sym_src_dir': self.rpm.lib_dir, 'sym_dst_dir': 'rpmio/.libs', 'require': True}, 'rpm': { 'sym_src_dir': self.rpm.lib_dir, 'sym_dst_dir': 'lib/.libs', 'require': True}, 'rpmbuild': {'sym_src_dir': self.rpm.lib_dir, 'sym_dst_dir': 'build/.libs', 'require': True}, 'rpmsign': { 'sym_src_dir': self.rpm.lib_dir, 'sym_dst_dir': 'sign/.libs'}} self._update_sym_src_dirs_conditionally(so_file_dict) for name in so_file_dict: so_dict = so_file_dict[name] pattern = 'lib{0}.so*'.format(name) so_files = Cmd.find(so_dict['sym_src_dir'], pattern) if not so_files: is_required = so_dict.get('require', False) if not is_required: message_format = ( "Skip creating symbolic link of not existing so file '{0}'" ) Log.debug(message_format.format(name)) continue message = 'so file pattern {0} not found at {1}'.format(pattern, so_dict['sym_src_dir']) raise InstallError(message) sym_dst_dir = os.path.abspath('../{0}'.format(so_dict['sym_dst_dir'])) if not os.path.isdir(sym_dst_dir): Cmd.mkdir_p(sym_dst_dir) cmd = 'ln -sf {0} {1}/lib{2}.so'.format(so_files[0], sym_dst_dir, name) Cmd.sh_e(cmd)
make_lib_file_symbolic_links
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n so_file_dict = {'rpmio': {'sym_src_dir': self.rpm.lib_dir,\n 'sym_dst_dir': 'rpmio/.libs', 'require': True}, 'rpm': {\n 'sym_src_dir': self.rpm.lib_dir, 'sym_dst_dir': 'lib/.libs',\n 'require': True}, 'rpmbuild': {'sym_src_dir': self.rpm.lib_dir,\n 'sym_dst_dir': 'build/.libs', 'require': True}, 'rpmsign': {\n 'sym_src_dir': self.rpm.lib_dir, 'sym_dst_dir': 'sign/.libs'}}\n self._update_sym_src_dirs_conditionally(so_file_dict)\n for name in so_file_dict:\n so_dict = so_file_dict[name]\n pattern = 'lib{0}.so*'.format(name)\n so_files = Cmd.find(so_dict['sym_src_dir'], pattern)\n if not so_files:\n is_required = so_dict.get('require', False)\n if not is_required:\n message_format = (\n \"Skip creating symbolic link of not existing so file '{0}'\"\n )\n Log.debug(message_format.format(name))\n continue\n message = 'so file pattern {0} not found at {1}'.format(pattern,\n so_dict['sym_src_dir'])\n raise InstallError(message)\n sym_dst_dir = os.path.abspath('../{0}'.format(so_dict['sym_dst_dir']))\n if not os.path.isdir(sym_dst_dir):\n Cmd.mkdir_p(sym_dst_dir)\n cmd = 'ln -sf {0} {1}/lib{2}.so'.format(so_files[0], sym_dst_dir, name)\n Cmd.sh_e(cmd)\n", "role": "user" }, { "content": "make_lib_file_symbolic_links", "role": "assistant" } ]
def x(self): src_header_dirs = ['rpmio', 'lib', 'build', 'sign'] with Cmd.pushd('..'): src_include_dir = os.path.abspath('./include') for header_dir in src_header_dirs: if not os.path.isdir(header_dir): message_format = "Skip not existing header directory '{0}'" Log.debug(message_format.format(header_dir)) continue header_files = Cmd.find(header_dir, '*.h') for header_file in header_files: pattern = '^{0}/'.format(header_dir) dst_header_file, subs_num = re.subn(pattern, '', header_file) if subs_num == 0: message = 'Failed to replace header_file: {0}'.format( header_file) raise ValueError(message) dst_header_file = os.path.abspath(os.path.join( src_include_dir, 'rpm', dst_header_file)) dst_dir = os.path.dirname(dst_header_file) if not os.path.isdir(dst_dir): Cmd.mkdir_p(dst_dir) shutil.copyfile(header_file, dst_header_file)
copy_each_include_files_to_include_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n src_header_dirs = ['rpmio', 'lib', 'build', 'sign']\n with Cmd.pushd('..'):\n src_include_dir = os.path.abspath('./include')\n for header_dir in src_header_dirs:\n if not os.path.isdir(header_dir):\n message_format = \"Skip not existing header directory '{0}'\"\n Log.debug(message_format.format(header_dir))\n continue\n header_files = Cmd.find(header_dir, '*.h')\n for header_file in header_files:\n pattern = '^{0}/'.format(header_dir)\n dst_header_file, subs_num = re.subn(pattern, '', header_file)\n if subs_num == 0:\n message = 'Failed to replace header_file: {0}'.format(\n header_file)\n raise ValueError(message)\n dst_header_file = os.path.abspath(os.path.join(\n src_include_dir, 'rpm', dst_header_file))\n dst_dir = os.path.dirname(dst_header_file)\n if not os.path.isdir(dst_dir):\n Cmd.mkdir_p(dst_dir)\n shutil.copyfile(header_file, dst_header_file)\n", "role": "user" }, { "content": "copy_each_include_files_to_include_dir", "role": "assistant" } ]
def x(self): if not self._rpm_py_has_popt_devel_dep(): message = 'The RPM Python binding does not have popt-devel dependency' Log.debug(message) return if self._is_popt_devel_installed(): message = '{0} package is installed.'.format(self. pacakge_popt_devel_name) Log.debug(message) return if not self._is_package_downloadable(): message = ( '\nInstall a {0} download plugin or\ninstall the {0} pacakge [{1}].\n' .format(self.package_sys_name, self.pacakge_popt_devel_name)) raise InstallError(message) if not self._is_popt_installed(): message = ( '\nRequired {0} not installed: [{1}],\nInstall the {0} package.\n' .format(self.package_sys_name, self.pacakge_popt_name)) raise InstallError(message) self._download_and_extract_popt_devel() popt_lib_dirs = [self.rpm.lib_dir, '/lib64', '/lib'] pattern = 'libpopt.so*' popt_so_file = None for popt_lib_dir in popt_lib_dirs: so_files = Cmd.find(popt_lib_dir, pattern) if so_files: popt_so_file = so_files[0] break if not popt_so_file: message = 'so file pattern {0} not found at {1}'.format(pattern, str(popt_lib_dirs)) raise InstallError(message) cmd = 'ln -sf {0} ../lib/.libs/libpopt.so'.format(popt_so_file) Cmd.sh_e(cmd) shutil.copy('./usr/include/popt.h', '../include')
make_dep_lib_file_sym_links_and_copy_include_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self._rpm_py_has_popt_devel_dep():\n message = 'The RPM Python binding does not have popt-devel dependency'\n Log.debug(message)\n return\n if self._is_popt_devel_installed():\n message = '{0} package is installed.'.format(self.\n pacakge_popt_devel_name)\n Log.debug(message)\n return\n if not self._is_package_downloadable():\n message = (\n '\\nInstall a {0} download plugin or\\ninstall the {0} pacakge [{1}].\\n'\n .format(self.package_sys_name, self.pacakge_popt_devel_name))\n raise InstallError(message)\n if not self._is_popt_installed():\n message = (\n '\\nRequired {0} not installed: [{1}],\\nInstall the {0} package.\\n'\n .format(self.package_sys_name, self.pacakge_popt_name))\n raise InstallError(message)\n self._download_and_extract_popt_devel()\n popt_lib_dirs = [self.rpm.lib_dir, '/lib64', '/lib']\n pattern = 'libpopt.so*'\n popt_so_file = None\n for popt_lib_dir in popt_lib_dirs:\n so_files = Cmd.find(popt_lib_dir, pattern)\n if so_files:\n popt_so_file = so_files[0]\n break\n if not popt_so_file:\n message = 'so file pattern {0} not found at {1}'.format(pattern,\n str(popt_lib_dirs))\n raise InstallError(message)\n cmd = 'ln -sf {0} ../lib/.libs/libpopt.so'.format(popt_so_file)\n Cmd.sh_e(cmd)\n shutil.copy('./usr/include/popt.h', '../include')\n", "role": "user" }, { "content": "make_dep_lib_file_sym_links_and_copy_include_files", "role": "assistant" } ]
def x(self): found = False with open('../include/rpm/rpmlib.h') as f_in: for line in f_in: if re.match('^#include .*popt.h.*$', line): found = True break return found
rpm_py_has_popt_devel_dep
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n found = False\n with open('../include/rpm/rpmlib.h') as f_in:\n for line in f_in:\n if re.match('^#include .*popt.h.*$', line):\n found = True\n break\n return found\n", "role": "user" }, { "content": "rpm_py_has_popt_devel_dep", "role": "assistant" } ]
def x(self): try: if not self._is_rpm_all_lib_include_files_installed(): self._make_lib_file_symbolic_links() self._copy_each_include_files_to_include_dir() self._make_dep_lib_file_sym_links_and_copy_include_files() self.setup_py.add_patchs_to_build_without_pkg_config(self.rpm. lib_dir, self.rpm.include_dir) self.setup_py.apply_and_save() self._build_and_install() except InstallError as e: if not self._is_rpm_all_lib_include_files_installed(): org_message = str(e) message = """ Install failed without rpm-devel package by below reason. Can you install the RPM package, and run this installer again? """ message += org_message raise InstallError(message) else: raise e
run
[ { "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 if not self._is_rpm_all_lib_include_files_installed():\n self._make_lib_file_symbolic_links()\n self._copy_each_include_files_to_include_dir()\n self._make_dep_lib_file_sym_links_and_copy_include_files()\n self.setup_py.add_patchs_to_build_without_pkg_config(self.rpm.\n lib_dir, self.rpm.include_dir)\n self.setup_py.apply_and_save()\n self._build_and_install()\n except InstallError as e:\n if not self._is_rpm_all_lib_include_files_installed():\n org_message = str(e)\n message = \"\"\"\nInstall failed without rpm-devel package by below reason.\nCan you install the RPM package, and run this installer again?\n\"\"\"\n message += org_message\n raise InstallError(message)\n else:\n raise e\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self): self._download_and_extract_rpm_py_package() if self.rpm.has_set_up_py_in(): py_dir_name = 'python{0}.{1}'.format(sys.version_info[0], sys. version_info[1]) else: py_dir_name = '*' python_lib_dir_pattern = os.path.join('usr', '*', py_dir_name, 'site-packages') rpm_dir_pattern = os.path.join(python_lib_dir_pattern, 'rpm') downloaded_rpm_dirs = glob.glob(rpm_dir_pattern) if not downloaded_rpm_dirs: message = 'Directory with a pattern: {0} not found.'.format( rpm_dir_pattern) raise RpmPyPackageNotFoundError(message) src_rpm_dir = downloaded_rpm_dirs[0] for rpm_dir in self.python.python_lib_rpm_dirs: if os.path.isdir(rpm_dir): Log.debug('Remove existing rpm directory {0}'.format(rpm_dir)) shutil.rmtree(rpm_dir) dst_rpm_dir = self.python.python_lib_rpm_dir Log.debug("Copy directory from '{0}' to '{1}'".format(src_rpm_dir, dst_rpm_dir)) shutil.copytree(src_rpm_dir, dst_rpm_dir) file_name_pattern = 'rpm-*.egg-info' rpm_egg_info_pattern = os.path.join(python_lib_dir_pattern, file_name_pattern) downloaded_rpm_egg_infos = glob.glob(rpm_egg_info_pattern) if downloaded_rpm_egg_infos: existing_rpm_egg_info_pattern = os.path.join(self.python. python_lib_dir, file_name_pattern) existing_rpm_egg_infos = glob.glob(existing_rpm_egg_info_pattern) for existing_rpm_egg_info in existing_rpm_egg_infos: Log.debug("Remove existing rpm egg info file '{0}'".format( existing_rpm_egg_info)) os.remove(existing_rpm_egg_info) Log.debug("Copy file from '{0}' to '{1}'".format( downloaded_rpm_egg_infos[0], self.python.python_lib_dir)) shutil.copy2(downloaded_rpm_egg_infos[0], self.python.python_lib_dir)
install_from_rpm_py_package
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._download_and_extract_rpm_py_package()\n if self.rpm.has_set_up_py_in():\n py_dir_name = 'python{0}.{1}'.format(sys.version_info[0], sys.\n version_info[1])\n else:\n py_dir_name = '*'\n python_lib_dir_pattern = os.path.join('usr', '*', py_dir_name,\n 'site-packages')\n rpm_dir_pattern = os.path.join(python_lib_dir_pattern, 'rpm')\n downloaded_rpm_dirs = glob.glob(rpm_dir_pattern)\n if not downloaded_rpm_dirs:\n message = 'Directory with a pattern: {0} not found.'.format(\n rpm_dir_pattern)\n raise RpmPyPackageNotFoundError(message)\n src_rpm_dir = downloaded_rpm_dirs[0]\n for rpm_dir in self.python.python_lib_rpm_dirs:\n if os.path.isdir(rpm_dir):\n Log.debug('Remove existing rpm directory {0}'.format(rpm_dir))\n shutil.rmtree(rpm_dir)\n dst_rpm_dir = self.python.python_lib_rpm_dir\n Log.debug(\"Copy directory from '{0}' to '{1}'\".format(src_rpm_dir,\n dst_rpm_dir))\n shutil.copytree(src_rpm_dir, dst_rpm_dir)\n file_name_pattern = 'rpm-*.egg-info'\n rpm_egg_info_pattern = os.path.join(python_lib_dir_pattern,\n file_name_pattern)\n downloaded_rpm_egg_infos = glob.glob(rpm_egg_info_pattern)\n if downloaded_rpm_egg_infos:\n existing_rpm_egg_info_pattern = os.path.join(self.python.\n python_lib_dir, file_name_pattern)\n existing_rpm_egg_infos = glob.glob(existing_rpm_egg_info_pattern)\n for existing_rpm_egg_info in existing_rpm_egg_infos:\n Log.debug(\"Remove existing rpm egg info file '{0}'\".format(\n existing_rpm_egg_info))\n os.remove(existing_rpm_egg_info)\n Log.debug(\"Copy file from '{0}' to '{1}'\".format(\n downloaded_rpm_egg_infos[0], self.python.python_lib_dir))\n shutil.copy2(downloaded_rpm_egg_infos[0], self.python.python_lib_dir)\n", "role": "user" }, { "content": "install_from_rpm_py_package", "role": "assistant" } ]
def x(cls, python, rpm_path, **kwargs): linux = None if Cmd.which('apt-get'): linux = DebianLinux(python, rpm_path, **kwargs) else: linux = FedoraLinux(python, rpm_path, **kwargs) return linux
get_instance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, python, rpm_path, **kwargs):\n linux = None\n if Cmd.which('apt-get'):\n linux = DebianLinux(python, rpm_path, **kwargs)\n else:\n linux = FedoraLinux(python, rpm_path, **kwargs)\n return linux\n", "role": "user" }, { "content": "get_instance", "role": "assistant" } ]
def x(self): if not sys.platform.startswith('linux'): raise InstallError('Supported platform is Linux only.') if self.python.is_system_python(): if self.python.is_python_binding_installed(): message = ( '\nRPM Python binding already installed on system Python.\nNothing to do.\n' ) Log.info(message) raise InstallSkipError(message) elif self.sys_installed: pass else: message = """ RPM Python binding on system Python should be installed manually. Install the proper RPM package of python{,2,3}-rpm, or set a environment variable RPM_PY_SYS=true """ raise InstallError(message) if self.rpm.is_system_rpm(): self.verify_package_status()
verify_system_status
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not sys.platform.startswith('linux'):\n raise InstallError('Supported platform is Linux only.')\n if self.python.is_system_python():\n if self.python.is_python_binding_installed():\n message = (\n '\\nRPM Python binding already installed on system Python.\\nNothing to do.\\n'\n )\n Log.info(message)\n raise InstallSkipError(message)\n elif self.sys_installed:\n pass\n else:\n message = \"\"\"\nRPM Python binding on system Python should be installed manually.\nInstall the proper RPM package of python{,2,3}-rpm,\nor set a environment variable RPM_PY_SYS=true\n\"\"\"\n raise InstallError(message)\n if self.rpm.is_system_rpm():\n self.verify_package_status()\n", "role": "user" }, { "content": "verify_system_status", "role": "assistant" } ]
def x(self): self.rpm.verify_packages_installed(['rpm-libs']) message_format = """ RPM: {0} or RPM download tool (dnf-plugins-core (dnf) or yum-utils (yum)) required. Install any of those. """ if self.rpm.has_composed_rpm_bulid_libs(): if not self.rpm.is_package_installed('rpm-build-libs' ) and not self.rpm.is_downloadable(): raise InstallError(message_format.format('rpm-build-libs')) else: pass
verify_package_status
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.rpm.verify_packages_installed(['rpm-libs'])\n message_format = \"\"\"\nRPM: {0} or\nRPM download tool (dnf-plugins-core (dnf) or yum-utils (yum)) required.\nInstall any of those.\n\"\"\"\n if self.rpm.has_composed_rpm_bulid_libs():\n if not self.rpm.is_package_installed('rpm-build-libs'\n ) and not self.rpm.is_downloadable():\n raise InstallError(message_format.format('rpm-build-libs'))\n else:\n pass\n", "role": "user" }, { "content": "verify_package_status", "role": "assistant" } ]
def x(self, rpm_py_version, **kwargs): return FedoraInstaller(rpm_py_version, self.python, self.rpm, **kwargs)
create_installer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rpm_py_version, **kwargs):\n return FedoraInstaller(rpm_py_version, self.python, self.rpm, **kwargs)\n", "role": "user" }, { "content": "create_installer", "role": "assistant" } ]
def x(self, rpm_py_version, **kwargs): return DebianInstaller(rpm_py_version, self.python, self.rpm, **kwargs)
create_installer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rpm_py_version, **kwargs):\n return DebianInstaller(rpm_py_version, self.python, self.rpm, **kwargs)\n", "role": "user" }, { "content": "create_installer", "role": "assistant" } ]
def x(self): libs = [self.python_lib_arch_dir, self.python_lib_non_arch_dir] def x(path): return os.path.join(path, 'rpm') return map(append_rpm, libs)
python_lib_rpm_dirs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n libs = [self.python_lib_arch_dir, self.python_lib_non_arch_dir]\n\n def x(path):\n return os.path.join(path, 'rpm')\n return map(append_rpm, libs)\n", "role": "user" }, { "content": "python_lib_rpm_dirs", "role": "assistant" } ]
def x(self): is_installed = False is_install_error = False try: is_installed = self.is_python_binding_installed_on_pip() except InstallError: is_install_error = True if not is_installed or is_install_error: for rpm_dir in self.python_lib_rpm_dirs: init_py = os.path.join(rpm_dir, '__init__.py') if os.path.isfile(init_py): is_installed = True break return is_installed
is_python_binding_installed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n is_installed = False\n is_install_error = False\n try:\n is_installed = self.is_python_binding_installed_on_pip()\n except InstallError:\n is_install_error = True\n if not is_installed or is_install_error:\n for rpm_dir in self.python_lib_rpm_dirs:\n init_py = os.path.join(rpm_dir, '__init__.py')\n if os.path.isfile(init_py):\n is_installed = True\n break\n return is_installed\n", "role": "user" }, { "content": "is_python_binding_installed", "role": "assistant" } ]
def x(self): pip_version = self._get_pip_version() Log.debug('Pip version: {0}'.format(pip_version)) pip_major_version = int(pip_version.split('.')[0]) installed = False if pip_major_version >= 9: json_obj = self._get_pip_list_json_obj() for package in json_obj: Log.debug('pip list: {0}'.format(package)) if package['name'] in ('rpm-python', 'rpm'): installed = True Log.debug('Package installed: {0}, {1}'.format(package[ 'name'], package['version'])) break else: lines = self._get_pip_list_lines() for line in lines: if re.match('^rpm(-python)? ', line): installed = True Log.debug('Package installed.') break return installed
is_python_binding_installed_on_pip
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n pip_version = self._get_pip_version()\n Log.debug('Pip version: {0}'.format(pip_version))\n pip_major_version = int(pip_version.split('.')[0])\n installed = False\n if pip_major_version >= 9:\n json_obj = self._get_pip_list_json_obj()\n for package in json_obj:\n Log.debug('pip list: {0}'.format(package))\n if package['name'] in ('rpm-python', 'rpm'):\n installed = True\n Log.debug('Package installed: {0}, {1}'.format(package[\n 'name'], package['version']))\n break\n else:\n lines = self._get_pip_list_lines()\n for line in lines:\n if re.match('^rpm(-python)? ', line):\n installed = True\n Log.debug('Package installed.')\n break\n return installed\n", "role": "user" }, { "content": "is_python_binding_installed_on_pip", "role": "assistant" } ]
def x(self): stdout = Cmd.sh_e_out('{0} --version'.format(self.rpm_path)) rpm_version = stdout.split()[2] return rpm_version
version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n stdout = Cmd.sh_e_out('{0} --version'.format(self.rpm_path))\n rpm_version = stdout.split()[2]\n return rpm_version\n", "role": "user" }, { "content": "version", "role": "assistant" } ]
def x(self): sys_rpm_paths = ['/usr/bin/rpm', '/bin/rpm'] matched = False for sys_rpm_path in sys_rpm_paths: if self.rpm_path.startswith(sys_rpm_path): matched = True break return matched
is_system_rpm
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n sys_rpm_paths = ['/usr/bin/rpm', '/bin/rpm']\n matched = False\n for sys_rpm_path in sys_rpm_paths:\n if self.rpm_path.startswith(sys_rpm_path):\n matched = True\n break\n return matched\n", "role": "user" }, { "content": "is_system_rpm", "role": "assistant" } ]
def x(self, package_name): if not package_name: raise ValueError('package_name required.') installed = True try: Cmd.sh_e('{0} --query {1} --quiet'.format(self.rpm_path, package_name)) except InstallError: installed = False return installed
is_package_installed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, package_name):\n if not package_name:\n raise ValueError('package_name required.')\n installed = True\n try:\n Cmd.sh_e('{0} --query {1} --quiet'.format(self.rpm_path, package_name))\n except InstallError:\n installed = False\n return installed\n", "role": "user" }, { "content": "is_package_installed", "role": "assistant" } ]
def x(self, package_names): if not package_names: raise ValueError('package_names required.') missing_packages = [] for package_name in package_names: if not self.is_package_installed(package_name): missing_packages.append(package_name) if missing_packages: comma_packages = ', '.join(missing_packages) message = ( '\nRequired RPM not installed: [{0}].\nInstall the RPM package.\n' .format(comma_packages)) raise InstallError(message)
verify_packages_installed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, package_names):\n if not package_names:\n raise ValueError('package_names required.')\n missing_packages = []\n for package_name in package_names:\n if not self.is_package_installed(package_name):\n missing_packages.append(package_name)\n if missing_packages:\n comma_packages = ', '.join(missing_packages)\n message = (\n '\\nRequired RPM not installed: [{0}].\\nInstall the RPM package.\\n'\n .format(comma_packages))\n raise InstallError(message)\n", "role": "user" }, { "content": "verify_packages_installed", "role": "assistant" } ]
def x(self): if not self._lib_dir: rpm_lib_dir = None cmd = '{0} -ql rpm-libs'.format(self.rpm_path) out = Cmd.sh_e_out(cmd) lines = out.split('\n') for line in lines: if 'librpm.so' in line: rpm_lib_dir = os.path.dirname(line) break self._lib_dir = rpm_lib_dir return self._lib_dir
lib_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self._lib_dir:\n rpm_lib_dir = None\n cmd = '{0} -ql rpm-libs'.format(self.rpm_path)\n out = Cmd.sh_e_out(cmd)\n lines = out.split('\\n')\n for line in lines:\n if 'librpm.so' in line:\n rpm_lib_dir = os.path.dirname(line)\n break\n self._lib_dir = rpm_lib_dir\n return self._lib_dir\n", "role": "user" }, { "content": "lib_dir", "role": "assistant" } ]
def x(self): is_plugin_avaiable = False if self.is_dnf: is_plugin_avaiable = self.is_package_installed('dnf-plugins-core') else: """ yum environment. Make sure # yum -y --downloadonly --downloaddir=. install package_name is only available for root user. yumdownloader in yum-utils is available for normal user. https://access.redhat.com/solutions/10154 """ is_plugin_avaiable = self.is_package_installed('yum-utils') return is_plugin_avaiable
is_downloadable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n is_plugin_avaiable = False\n if self.is_dnf:\n is_plugin_avaiable = self.is_package_installed('dnf-plugins-core')\n else:\n \"\"\" yum environment.\n Make sure\n # yum -y --downloadonly --downloaddir=. install package_name\n is only available for root user.\n\n yumdownloader in yum-utils is available for normal user.\n https://access.redhat.com/solutions/10154\n \"\"\"\n is_plugin_avaiable = self.is_package_installed('yum-utils')\n return is_plugin_avaiable\n", "role": "user" }, { "content": "is_downloadable", "role": "assistant" } ]
def x(self, package_name): if not package_name: ValueError('package_name required.') if self.is_dnf: cmd = 'dnf download {0}.{1}'.format(package_name, self.arch) else: cmd = 'yumdownloader {0}.{1}'.format(package_name, self.arch) try: Cmd.sh_e(cmd, stdout=subprocess.PIPE) except CmdError as e: for out in (e.stdout, e.stderr): for line in out.split('\n'): if re.match('^No package [^ ]+ available', line) or re.match( '^No Match for argument', line): raise RemoteFileNotFoundError( 'Package {0} not found on remote'.format(package_name)) raise e
download
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, package_name):\n if not package_name:\n ValueError('package_name required.')\n if self.is_dnf:\n cmd = 'dnf download {0}.{1}'.format(package_name, self.arch)\n else:\n cmd = 'yumdownloader {0}.{1}'.format(package_name, self.arch)\n try:\n Cmd.sh_e(cmd, stdout=subprocess.PIPE)\n except CmdError as e:\n for out in (e.stdout, e.stderr):\n for line in out.split('\\n'):\n if re.match('^No package [^ ]+ available', line) or re.match(\n '^No Match for argument', line):\n raise RemoteFileNotFoundError(\n 'Package {0} not found on remote'.format(package_name))\n raise e\n", "role": "user" }, { "content": "download", "role": "assistant" } ]
def x(self, package_name): for cmd in ['rpm2cpio', 'cpio']: if not Cmd.which(cmd): message = '{0} command not found. Install {0}.'.format(cmd) raise InstallError(message) pattern = '{0}*{1}.rpm'.format(package_name, self.arch) rpm_files = Cmd.find('.', pattern) if not rpm_files: raise InstallError('PRM file not found.') cmd = 'rpm2cpio {0} | cpio -idmv'.format(rpm_files[0]) Cmd.sh_e(cmd)
extract
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, package_name):\n for cmd in ['rpm2cpio', 'cpio']:\n if not Cmd.which(cmd):\n message = '{0} command not found. Install {0}.'.format(cmd)\n raise InstallError(message)\n pattern = '{0}*{1}.rpm'.format(package_name, self.arch)\n rpm_files = Cmd.find('.', pattern)\n if not rpm_files:\n raise InstallError('PRM file not found.')\n cmd = 'rpm2cpio {0} | cpio -idmv'.format(rpm_files[0])\n Cmd.sh_e(cmd)\n", "role": "user" }, { "content": "extract", "role": "assistant" } ]
def x(self): if not self._lib_dir: lib_files = glob.glob('/usr/lib/*/librpm.so*') if not lib_files: raise InstallError('Can not find lib directory.') self._lib_dir = os.path.dirname(lib_files[0]) return self._lib_dir
lib_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self._lib_dir:\n lib_files = glob.glob('/usr/lib/*/librpm.so*')\n if not lib_files:\n raise InstallError('Can not find lib directory.')\n self._lib_dir = os.path.dirname(lib_files[0])\n return self._lib_dir\n", "role": "user" }, { "content": "lib_dir", "role": "assistant" } ]
def x(cls, cmd, **kwargs): Log.debug('CMD: {0}'.format(cmd)) cmd_kwargs = {'shell': True} cmd_kwargs.update(kwargs) env = os.environ.copy() env['LC_ALL'] = 'en_US.utf-8' if 'env' in kwargs: env.update(kwargs['env']) cmd_kwargs['env'] = env cmd_kwargs['stderr'] = subprocess.PIPE proc = None try: proc = subprocess.Popen(cmd, **cmd_kwargs) stdout, stderr = proc.communicate() returncode = proc.returncode message_format = 'CMD Return Code: [{0}], Stdout: [{1}], Stderr: [{2}]' Log.debug(message_format.format(returncode, stdout, stderr)) if stdout is not None: stdout = stdout.decode('utf-8') if stderr is not None: stderr = stderr.decode('utf-8') if returncode != 0: message = 'CMD: [{0}], Return Code: [{1}] at [{2}]'.format(cmd, returncode, os.getcwd()) if stderr is not None: message += ' Stderr: [{0}]'.format(stderr) ie = CmdError(message) ie.stdout = stdout ie.stderr = stderr raise ie return stdout, stderr except Exception as e: try: proc.kill() except Exception: pass raise e
sh_e
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, cmd, **kwargs):\n Log.debug('CMD: {0}'.format(cmd))\n cmd_kwargs = {'shell': True}\n cmd_kwargs.update(kwargs)\n env = os.environ.copy()\n env['LC_ALL'] = 'en_US.utf-8'\n if 'env' in kwargs:\n env.update(kwargs['env'])\n cmd_kwargs['env'] = env\n cmd_kwargs['stderr'] = subprocess.PIPE\n proc = None\n try:\n proc = subprocess.Popen(cmd, **cmd_kwargs)\n stdout, stderr = proc.communicate()\n returncode = proc.returncode\n message_format = 'CMD Return Code: [{0}], Stdout: [{1}], Stderr: [{2}]'\n Log.debug(message_format.format(returncode, stdout, stderr))\n if stdout is not None:\n stdout = stdout.decode('utf-8')\n if stderr is not None:\n stderr = stderr.decode('utf-8')\n if returncode != 0:\n message = 'CMD: [{0}], Return Code: [{1}] at [{2}]'.format(cmd,\n returncode, os.getcwd())\n if stderr is not None:\n message += ' Stderr: [{0}]'.format(stderr)\n ie = CmdError(message)\n ie.stdout = stdout\n ie.stderr = stderr\n raise ie\n return stdout, stderr\n except Exception as e:\n try:\n proc.kill()\n except Exception:\n pass\n raise e\n", "role": "user" }, { "content": "sh_e", "role": "assistant" } ]
def x(cls, cmd, **kwargs): cmd_kwargs = {'stdout': subprocess.PIPE} cmd_kwargs.update(kwargs) return cls.sh_e(cmd, **cmd_kwargs)[0]
sh_e_out
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, cmd, **kwargs):\n cmd_kwargs = {'stdout': subprocess.PIPE}\n cmd_kwargs.update(kwargs)\n return cls.sh_e(cmd, **cmd_kwargs)[0]\n", "role": "user" }, { "content": "sh_e_out", "role": "assistant" } ]
def x(cls, directory): Log.debug('CMD: cd {0}'.format(directory)) os.chdir(directory)
cd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, directory):\n Log.debug('CMD: cd {0}'.format(directory))\n os.chdir(directory)\n", "role": "user" }, { "content": "cd", "role": "assistant" } ]
def x(cls, new_dir): previous_dir = os.getcwd() try: new_ab_dir = None if os.path.isabs(new_dir): new_ab_dir = new_dir else: new_ab_dir = os.path.join(previous_dir, new_dir) cls.cd(new_ab_dir) yield finally: cls.cd(previous_dir)
pushd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, new_dir):\n previous_dir = os.getcwd()\n try:\n new_ab_dir = None\n if os.path.isabs(new_dir):\n new_ab_dir = new_dir\n else:\n new_ab_dir = os.path.join(previous_dir, new_dir)\n cls.cd(new_ab_dir)\n yield\n finally:\n cls.cd(previous_dir)\n", "role": "user" }, { "content": "pushd", "role": "assistant" } ]
def x(cls, cmd): abs_path_cmd = None if sys.version_info >= (3, 3): abs_path_cmd = shutil.which(cmd) else: abs_path_cmd = find_executable(cmd) return abs_path_cmd
which
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, cmd):\n abs_path_cmd = None\n if sys.version_info >= (3, 3):\n abs_path_cmd = shutil.which(cmd)\n else:\n abs_path_cmd = find_executable(cmd)\n return abs_path_cmd\n", "role": "user" }, { "content": "which", "role": "assistant" } ]
def x(cls, file_url): tar_gz_file_name = file_url.split('/')[-1] if sys.version_info >= (3, 2): from urllib.request import urlopen from urllib.error import HTTPError else: from urllib2 import urlopen from urllib2 import HTTPError response = None try: response = urlopen(file_url) except HTTPError as e: message = 'Download failed: URL: {0}, reason: {1}'.format(file_url, e) if 'HTTP Error 404' in str(e): raise RemoteFileNotFoundError(message) else: raise InstallError(message) tar_gz_file_obj = io.BytesIO(response.read()) with open(tar_gz_file_name, 'wb') as f_out: f_out.write(tar_gz_file_obj.read()) return tar_gz_file_name
curl_remote_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, file_url):\n tar_gz_file_name = file_url.split('/')[-1]\n if sys.version_info >= (3, 2):\n from urllib.request import urlopen\n from urllib.error import HTTPError\n else:\n from urllib2 import urlopen\n from urllib2 import HTTPError\n response = None\n try:\n response = urlopen(file_url)\n except HTTPError as e:\n message = 'Download failed: URL: {0}, reason: {1}'.format(file_url, e)\n if 'HTTP Error 404' in str(e):\n raise RemoteFileNotFoundError(message)\n else:\n raise InstallError(message)\n tar_gz_file_obj = io.BytesIO(response.read())\n with open(tar_gz_file_name, 'wb') as f_out:\n f_out.write(tar_gz_file_obj.read())\n return tar_gz_file_name\n", "role": "user" }, { "content": "curl_remote_name", "role": "assistant" } ]
def x(cls, tar_comp_file_path): try: with contextlib.closing(tarfile.open(tar_comp_file_path)) as tar: tar.extractall() except tarfile.ReadError as e: message_format = 'Extract failed: tar_comp_file_path: {0}, reason: {1}' raise InstallError(message_format.format(tar_comp_file_path, e))
tar_extract
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, tar_comp_file_path):\n try:\n with contextlib.closing(tarfile.open(tar_comp_file_path)) as tar:\n tar.extractall()\n except tarfile.ReadError as e:\n message_format = 'Extract failed: tar_comp_file_path: {0}, reason: {1}'\n raise InstallError(message_format.format(tar_comp_file_path, e))\n", "role": "user" }, { "content": "tar_extract", "role": "assistant" } ]
def x(cls, searched_dir, pattern): Log.debug('find {0} with pattern: {1}'.format(searched_dir, pattern)) matched_files = [] for root_dir, dir_names, file_names in os.walk(searched_dir, followlinks=False): for file_name in file_names: if fnmatch.fnmatch(file_name, pattern): file_path = os.path.join(root_dir, file_name) if not os.path.islink(file_path): matched_files.append(file_path) matched_files.sort() return matched_files
find
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, searched_dir, pattern):\n Log.debug('find {0} with pattern: {1}'.format(searched_dir, pattern))\n matched_files = []\n for root_dir, dir_names, file_names in os.walk(searched_dir,\n followlinks=False):\n for file_name in file_names:\n if fnmatch.fnmatch(file_name, pattern):\n file_path = os.path.join(root_dir, file_name)\n if not os.path.islink(file_path):\n matched_files.append(file_path)\n matched_files.sort()\n return matched_files\n", "role": "user" }, { "content": "find", "role": "assistant" } ]
def x(cls, version_str): if not isinstance(version_str, str): ValueError('version_str invalid instance.') version_info_list = re.findall('[0-9a-zA-Z]+', version_str) def x(string): value = None if re.match('^\\d+$', string): value = int(string) else: value = string return value version_info_list = [convert_to_int(s) for s in version_info_list] return tuple(version_info_list)
version_str2tuple
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, version_str):\n if not isinstance(version_str, str):\n ValueError('version_str invalid instance.')\n version_info_list = re.findall('[0-9a-zA-Z]+', version_str)\n\n def x(string):\n value = None\n if re.match('^\\\\d+$', string):\n value = int(string)\n else:\n value = string\n return value\n version_info_list = [convert_to_int(s) for s in version_info_list]\n return tuple(version_info_list)\n", "role": "user" }, { "content": "version_str2tuple", "role": "assistant" } ]
def x(handle): header = None for line in handle: if line.startswith('>'): if header is not None: yield header, ''.join(seq_lines) seq_lines = list() header = line[1:].rstrip() elif header is not None: seq_lines.append(line.strip()) if header is not None: yield header, ''.join(seq_lines) else: return
FastaIter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(handle):\n header = None\n for line in handle:\n if line.startswith('>'):\n if header is not None:\n yield header, ''.join(seq_lines)\n seq_lines = list()\n header = line[1:].rstrip()\n elif header is not None:\n seq_lines.append(line.strip())\n if header is not None:\n yield header, ''.join(seq_lines)\n else:\n return\n", "role": "user" }, { "content": "FastaIter", "role": "assistant" } ]
def x(file): for path in os.environ['PATH'].split(os.pathsep): if os.path.exists(os.path.join(path, file)): return os.path.join(path, file) return None
which
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file):\n for path in os.environ['PATH'].split(os.pathsep):\n if os.path.exists(os.path.join(path, file)):\n return os.path.join(path, file)\n return None\n", "role": "user" }, { "content": "which", "role": "assistant" } ]
def x(): python_path = sys.executable cmd = '{0} install.py'.format(python_path) exit_status = os.system(cmd) if exit_status != 0: raise Exception('Command failed: {0}'.format(cmd))
install_rpm_py
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n python_path = sys.executable\n cmd = '{0} install.py'.format(python_path)\n exit_status = os.system(cmd)\n if exit_status != 0:\n raise Exception('Command failed: {0}'.format(cmd))\n", "role": "user" }, { "content": "install_rpm_py", "role": "assistant" } ]
def x(exe): p = subprocess.Popen([exe, '-h'], stdout=subprocess.PIPE, stderr= subprocess.STDOUT, universal_newlines=True) output = p.communicate() version_line = output[0].splitlines()[1] version = re.match( '(?:Version:|bgzip \\(htslib\\))\\s+(\\d+\\.\\d+(\\.\\d+)?)', version_line).group(1) return version
get_bgzip_version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(exe):\n p = subprocess.Popen([exe, '-h'], stdout=subprocess.PIPE, stderr=\n subprocess.STDOUT, universal_newlines=True)\n output = p.communicate()\n version_line = output[0].splitlines()[1]\n version = re.match(\n '(?:Version:|bgzip \\\\(htslib\\\\))\\\\s+(\\\\d+\\\\.\\\\d+(\\\\.\\\\d+)?)',\n version_line).group(1)\n return version\n", "role": "user" }, { "content": "get_bgzip_version", "role": "assistant" } ]
def x(): missing_file_exception = OSError if six.PY2 else FileNotFoundError min_bgzip_version = '.'.join(map(str, min_bgzip_version_info)) exe = os.environ.get('SEQREPO_BGZIP_PATH', which('bgzip') or '/usr/bin/bgzip') try: bgzip_version = _get_bgzip_version(exe) except AttributeError: raise RuntimeError( "Didn't find version string in bgzip executable ({exe})".format (exe=exe)) except missing_file_exception: raise RuntimeError( "{exe} doesn't exist; you need to install htslib (See https://github.com/biocommons/biocommons.seqrepo#requirements)" .format(exe=exe)) except Exception: raise RuntimeError('Unknown error while executing {exe}'.format(exe =exe)) bgzip_version_info = tuple(map(int, bgzip_version.split('.'))) if bgzip_version_info < min_bgzip_version_info: raise RuntimeError( 'bgzip ({exe}) {ev} is too old; >= {rv} is required; please upgrade' .format(exe=exe, ev=bgzip_version, rv=min_bgzip_version)) logger.info('Using bgzip {ev} ({exe})'.format(ev=bgzip_version, exe=exe)) return exe
find_bgzip
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n missing_file_exception = OSError if six.PY2 else FileNotFoundError\n min_bgzip_version = '.'.join(map(str, min_bgzip_version_info))\n exe = os.environ.get('SEQREPO_BGZIP_PATH', which('bgzip') or\n '/usr/bin/bgzip')\n try:\n bgzip_version = _get_bgzip_version(exe)\n except AttributeError:\n raise RuntimeError(\n \"Didn't find version string in bgzip executable ({exe})\".format\n (exe=exe))\n except missing_file_exception:\n raise RuntimeError(\n \"{exe} doesn't exist; you need to install htslib (See https://github.com/biocommons/biocommons.seqrepo#requirements)\"\n .format(exe=exe))\n except Exception:\n raise RuntimeError('Unknown error while executing {exe}'.format(exe\n =exe))\n bgzip_version_info = tuple(map(int, bgzip_version.split('.')))\n if bgzip_version_info < min_bgzip_version_info:\n raise RuntimeError(\n 'bgzip ({exe}) {ev} is too old; >= {rv} is required; please upgrade'\n .format(exe=exe, ev=bgzip_version, rv=min_bgzip_version))\n logger.info('Using bgzip {ev} ({exe})'.format(ev=bgzip_version, exe=exe))\n return exe\n", "role": "user" }, { "content": "find_bgzip", "role": "assistant" } ]
def x(self, uri, start=None, end=None): namespace, alias = uri_re.match(uri).groups() return self.fetch(alias=alias, namespace=namespace, start=start, end=end)
fetch_uri
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, uri, start=None, end=None):\n namespace, alias = uri_re.match(uri).groups()\n return self.fetch(alias=alias, namespace=namespace, start=start, end=end)\n", "role": "user" }, { "content": "fetch_uri", "role": "assistant" } ]
def x(self, seq, nsaliases): if not self._writeable: raise RuntimeError('Cannot write -- opened read-only') if self._upcase: seq = seq.upper() try: seqhash = bioutils.digests.seq_seqhash(seq) except Exception as e: import pprint _logger.critical('Exception raised for ' + pprint.pformat(nsaliases)) raise seq_id = seqhash n_seqs_added = n_aliases_added = 0 msg = ('sh{nsa_sep}{seq_id:.10s}... ({l} residues; {na} aliases {aliases})' .format(seq_id=seq_id, l=len(seq), na=len(nsaliases), nsa_sep= nsa_sep, aliases=', '.join('{nsa[namespace]}:{nsa[alias]}'.format( nsa=nsa) for nsa in nsaliases))) if seq_id not in self.sequences: _logger.info('Storing ' + msg) if len(seq) > ct_n_residues: _logger.debug('Precommit for large sequence') self.commit() self.sequences.store(seq_id, seq) n_seqs_added += 1 self._pending_sequences += 1 self._pending_sequences_len += len(seq) self._pending_aliases += self._update_digest_aliases(seq_id, seq) else: _logger.debug('Sequence exists: ' + msg) existing_aliases = self.aliases.fetch_aliases(seq_id) ea_tuples = [(r['seq_id'], r['namespace'], r['alias']) for r in existing_aliases] new_tuples = [(seq_id, r['namespace'], r['alias']) for r in nsaliases] upd_tuples = set(new_tuples) - set(ea_tuples) if upd_tuples: _logger.info('{} new aliases for {}'.format(len(upd_tuples), msg)) for _, namespace, alias in upd_tuples: self.aliases.store_alias(seq_id=seq_id, namespace=namespace, alias=alias) self._pending_aliases += len(upd_tuples) n_aliases_added += len(upd_tuples) if (self._pending_sequences > ct_n_seqs or self._pending_aliases > ct_n_aliases or self._pending_sequences_len > ct_n_residues): _logger.info( 'Hit commit thresholds ({self._pending_sequences} sequences, {self._pending_aliases} aliases, {self._pending_sequences_len} residues)' .format(self=self)) self.commit() return n_seqs_added, n_aliases_added
store
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, seq, nsaliases):\n if not self._writeable:\n raise RuntimeError('Cannot write -- opened read-only')\n if self._upcase:\n seq = seq.upper()\n try:\n seqhash = bioutils.digests.seq_seqhash(seq)\n except Exception as e:\n import pprint\n _logger.critical('Exception raised for ' + pprint.pformat(nsaliases))\n raise\n seq_id = seqhash\n n_seqs_added = n_aliases_added = 0\n msg = ('sh{nsa_sep}{seq_id:.10s}... ({l} residues; {na} aliases {aliases})'\n .format(seq_id=seq_id, l=len(seq), na=len(nsaliases), nsa_sep=\n nsa_sep, aliases=', '.join('{nsa[namespace]}:{nsa[alias]}'.format(\n nsa=nsa) for nsa in nsaliases)))\n if seq_id not in self.sequences:\n _logger.info('Storing ' + msg)\n if len(seq) > ct_n_residues:\n _logger.debug('Precommit for large sequence')\n self.commit()\n self.sequences.store(seq_id, seq)\n n_seqs_added += 1\n self._pending_sequences += 1\n self._pending_sequences_len += len(seq)\n self._pending_aliases += self._update_digest_aliases(seq_id, seq)\n else:\n _logger.debug('Sequence exists: ' + msg)\n existing_aliases = self.aliases.fetch_aliases(seq_id)\n ea_tuples = [(r['seq_id'], r['namespace'], r['alias']) for r in\n existing_aliases]\n new_tuples = [(seq_id, r['namespace'], r['alias']) for r in nsaliases]\n upd_tuples = set(new_tuples) - set(ea_tuples)\n if upd_tuples:\n _logger.info('{} new aliases for {}'.format(len(upd_tuples), msg))\n for _, namespace, alias in upd_tuples:\n self.aliases.store_alias(seq_id=seq_id, namespace=namespace,\n alias=alias)\n self._pending_aliases += len(upd_tuples)\n n_aliases_added += len(upd_tuples)\n if (self._pending_sequences > ct_n_seqs or self._pending_aliases >\n ct_n_aliases or self._pending_sequences_len > ct_n_residues):\n _logger.info(\n 'Hit commit thresholds ({self._pending_sequences} sequences, {self._pending_aliases} aliases, {self._pending_sequences_len} residues)'\n .format(self=self))\n self.commit()\n return n_seqs_added, n_aliases_added\n", "role": "user" }, { "content": "store", "role": "assistant" } ]
def x(self, alias, namespace=None, target_namespaces=None, translate_ncbi_namespace=None): if translate_ncbi_namespace is None: translate_ncbi_namespace = self.translate_ncbi_namespace seq_id = self._get_unique_seqid(alias=alias, namespace=namespace) aliases = self.aliases.fetch_aliases(seq_id=seq_id, translate_ncbi_namespace=translate_ncbi_namespace) if target_namespaces: aliases = [a for a in aliases if a['namespace'] in target_namespaces] return aliases
translate_alias
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, alias, namespace=None, target_namespaces=None,\n translate_ncbi_namespace=None):\n if translate_ncbi_namespace is None:\n translate_ncbi_namespace = self.translate_ncbi_namespace\n seq_id = self._get_unique_seqid(alias=alias, namespace=namespace)\n aliases = self.aliases.fetch_aliases(seq_id=seq_id,\n translate_ncbi_namespace=translate_ncbi_namespace)\n if target_namespaces:\n aliases = [a for a in aliases if a['namespace'] in target_namespaces]\n return aliases\n", "role": "user" }, { "content": "translate_alias", "role": "assistant" } ]
def x(self, identifier, target_namespaces=None, translate_ncbi_namespace=None): namespace, alias = identifier.split(nsa_sep ) if nsa_sep in identifier else (None, identifier) aliases = self.translate_alias(alias=alias, namespace=namespace, target_namespaces=target_namespaces, translate_ncbi_namespace= translate_ncbi_namespace) return [nsa_sep.join((a['namespace'], a['alias'])) for a in aliases]
translate_identifier
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, identifier, target_namespaces=None, translate_ncbi_namespace=None):\n namespace, alias = identifier.split(nsa_sep\n ) if nsa_sep in identifier else (None, identifier)\n aliases = self.translate_alias(alias=alias, namespace=namespace,\n target_namespaces=target_namespaces, translate_ncbi_namespace=\n translate_ncbi_namespace)\n return [nsa_sep.join((a['namespace'], a['alias'])) for a in aliases]\n", "role": "user" }, { "content": "translate_identifier", "role": "assistant" } ]
def x(self, alias, namespace): recs = self.aliases.find_aliases(alias=alias, namespace=namespace) seq_ids = set(r['seq_id'] for r in recs) if len(seq_ids) == 0: raise KeyError('Alias {} (namespace: {})'.format(alias, namespace)) if len(seq_ids) > 1: raise KeyError('Alias {} (namespace: {}): not unique'.format(alias, namespace)) return seq_ids.pop()
get_unique_seqid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, alias, namespace):\n recs = self.aliases.find_aliases(alias=alias, namespace=namespace)\n seq_ids = set(r['seq_id'] for r in recs)\n if len(seq_ids) == 0:\n raise KeyError('Alias {} (namespace: {})'.format(alias, namespace))\n if len(seq_ids) > 1:\n raise KeyError('Alias {} (namespace: {}): not unique'.format(alias,\n namespace))\n return seq_ids.pop()\n", "role": "user" }, { "content": "get_unique_seqid", "role": "assistant" } ]
def x(self, seq_id, seq): ir = bioutils.digests.seq_vmc_identifier(seq) seq_aliases = [{'namespace': ir['namespace'], 'alias': ir['accession']}, {'namespace': 'SHA1', 'alias': bioutils.digests.seq_sha1(seq)}, { 'namespace': 'MD5', 'alias': bioutils.digests.seq_md5(seq)}, { 'namespace': 'SEGUID', 'alias': bioutils.digests.seq_seguid(seq)}] for sa in seq_aliases: self.aliases.store_alias(seq_id=seq_id, **sa) return len(seq_aliases)
update_digest_aliases
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, seq_id, seq):\n ir = bioutils.digests.seq_vmc_identifier(seq)\n seq_aliases = [{'namespace': ir['namespace'], 'alias': ir['accession']},\n {'namespace': 'SHA1', 'alias': bioutils.digests.seq_sha1(seq)}, {\n 'namespace': 'MD5', 'alias': bioutils.digests.seq_md5(seq)}, {\n 'namespace': 'SEGUID', 'alias': bioutils.digests.seq_seguid(seq)}]\n for sa in seq_aliases:\n self.aliases.store_alias(seq_id=seq_id, **sa)\n return len(seq_aliases)\n", "role": "user" }, { "content": "update_digest_aliases", "role": "assistant" } ]
def x(self, seq_id, current_only=True, translate_ncbi_namespace=None): return [dict(r) for r in self.find_aliases(seq_id=seq_id, current_only= current_only, translate_ncbi_namespace=translate_ncbi_namespace)]
fetch_aliases
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, seq_id, current_only=True, translate_ncbi_namespace=None):\n return [dict(r) for r in self.find_aliases(seq_id=seq_id, current_only=\n current_only, translate_ncbi_namespace=translate_ncbi_namespace)]\n", "role": "user" }, { "content": "fetch_aliases", "role": "assistant" } ]
def x(self, seq_id=None, namespace=None, alias=None, current_only=True, translate_ncbi_namespace=None): clauses = [] params = [] def x(s): return 'like' if '%' in s else '=' if translate_ncbi_namespace is None: translate_ncbi_namespace = self.translate_ncbi_namespace if alias is not None: clauses += ['alias {} ?'.format(eq_or_like(alias))] params += [alias] if namespace is not None: if namespace == 'RefSeq': namespace = 'NCBI' clauses += ['namespace {} ?'.format(eq_or_like(namespace))] params += [namespace] if seq_id is not None: clauses += ['seq_id {} ?'.format(eq_or_like(seq_id))] params += [seq_id] if current_only: clauses += ['is_current = 1'] cols = ['seqalias_id', 'seq_id', 'alias', 'added', 'is_current'] if translate_ncbi_namespace: cols += [ "case namespace when 'NCBI' then 'RefSeq' else namespace end as namespace" ] else: cols += ['namespace'] sql = 'select {cols} from seqalias'.format(cols=', '.join(cols)) if clauses: sql += ' where ' + ' and '.join('(' + c + ')' for c in clauses) sql += ' order by seq_id, namespace, alias' _logger.debug('Executing: ' + sql) return self._db.execute(sql, params)
find_aliases
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, seq_id=None, namespace=None, alias=None, current_only=True,\n translate_ncbi_namespace=None):\n clauses = []\n params = []\n\n def x(s):\n return 'like' if '%' in s else '='\n if translate_ncbi_namespace is None:\n translate_ncbi_namespace = self.translate_ncbi_namespace\n if alias is not None:\n clauses += ['alias {} ?'.format(eq_or_like(alias))]\n params += [alias]\n if namespace is not None:\n if namespace == 'RefSeq':\n namespace = 'NCBI'\n clauses += ['namespace {} ?'.format(eq_or_like(namespace))]\n params += [namespace]\n if seq_id is not None:\n clauses += ['seq_id {} ?'.format(eq_or_like(seq_id))]\n params += [seq_id]\n if current_only:\n clauses += ['is_current = 1']\n cols = ['seqalias_id', 'seq_id', 'alias', 'added', 'is_current']\n if translate_ncbi_namespace:\n cols += [\n \"case namespace when 'NCBI' then 'RefSeq' else namespace end as namespace\"\n ]\n else:\n cols += ['namespace']\n sql = 'select {cols} from seqalias'.format(cols=', '.join(cols))\n if clauses:\n sql += ' where ' + ' and '.join('(' + c + ')' for c in clauses)\n sql += ' order by seq_id, namespace, alias'\n _logger.debug('Executing: ' + sql)\n return self._db.execute(sql, params)\n", "role": "user" }, { "content": "find_aliases", "role": "assistant" } ]
def x(self, seq_id, namespace, alias): if not self._writeable: raise RuntimeError('Cannot write -- opened read-only') log_pfx = 'store({q},{n},{a})'.format(n=namespace, a=alias, q=seq_id) try: c = self._db.execute( 'insert into seqalias (seq_id, namespace, alias) values (?, ?, ?)', (seq_id, namespace, alias)) return c.lastrowid except sqlite3.IntegrityError: pass current_rec = self.find_aliases(namespace=namespace, alias=alias).fetchone( ) if current_rec['seq_id'] == seq_id: _logger.debug(log_pfx + ': duplicate record') return current_rec['seqalias_id'] _logger.debug(log_pfx + ': collision; deprecating {s1}'.format(s1= current_rec['seq_id'])) self._db.execute('update seqalias set is_current = 0 where seqalias_id = ?' , [current_rec['seqalias_id']]) return self.store_alias(seq_id, namespace, alias)
store_alias
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, seq_id, namespace, alias):\n if not self._writeable:\n raise RuntimeError('Cannot write -- opened read-only')\n log_pfx = 'store({q},{n},{a})'.format(n=namespace, a=alias, q=seq_id)\n try:\n c = self._db.execute(\n 'insert into seqalias (seq_id, namespace, alias) values (?, ?, ?)',\n (seq_id, namespace, alias))\n return c.lastrowid\n except sqlite3.IntegrityError:\n pass\n current_rec = self.find_aliases(namespace=namespace, alias=alias).fetchone(\n )\n if current_rec['seq_id'] == seq_id:\n _logger.debug(log_pfx + ': duplicate record')\n return current_rec['seqalias_id']\n _logger.debug(log_pfx + ': collision; deprecating {s1}'.format(s1=\n current_rec['seq_id']))\n self._db.execute('update seqalias set is_current = 0 where seqalias_id = ?'\n , [current_rec['seqalias_id']])\n return self.store_alias(seq_id, namespace, alias)\n", "role": "user" }, { "content": "store_alias", "role": "assistant" } ]
def x(self): migration_path = '_data/migrations' sqlite3.connect(self._db_path).close() db_url = 'sqlite:///' + self._db_path backend = yoyo.get_backend(db_url) migration_dir = pkg_resources.resource_filename(__package__, migration_path ) migrations = yoyo.read_migrations(migration_dir) assert len(migrations ) > 0, 'no migration scripts found -- wrong migraion path for ' + __package__ migrations_to_apply = backend.to_apply(migrations) backend.apply_migrations(migrations_to_apply)
upgrade_db
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n migration_path = '_data/migrations'\n sqlite3.connect(self._db_path).close()\n db_url = 'sqlite:///' + self._db_path\n backend = yoyo.get_backend(db_url)\n migration_dir = pkg_resources.resource_filename(__package__, migration_path\n )\n migrations = yoyo.read_migrations(migration_dir)\n assert len(migrations\n ) > 0, 'no migration scripts found -- wrong migraion path for ' + __package__\n migrations_to_apply = backend.to_apply(migrations)\n backend.apply_migrations(migrations_to_apply)\n", "role": "user" }, { "content": "upgrade_db", "role": "assistant" } ]
def x(paths): assert os.sep == '/', 'tested only on slash-delimited paths' split_re = re.compile(os.sep + '+') if len(paths) == 0: raise ValueError('commonpath() arg is an empty sequence') spaths = [p.rstrip(os.sep) for p in paths] splitpaths = [split_re.split(p) for p in spaths] if all(p.startswith(os.sep) for p in paths): abs_paths = True splitpaths = [p[1:] for p in splitpaths] elif all(not p.startswith(os.sep) for p in paths): abs_paths = False else: raise ValueError("Can't mix absolute and relative paths") splitpaths0 = splitpaths[0] splitpaths1n = splitpaths[1:] min_length = min(len(p) for p in splitpaths) equal = [i for i in range(min_length) if all(splitpaths0[i] == sp[i] for sp in splitpaths1n)] max_equal = max(equal or [-1]) commonelems = splitpaths0[:max_equal + 1] commonpath = os.sep.join(commonelems) return (os.sep if abs_paths else '') + commonpath
commonpath
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(paths):\n assert os.sep == '/', 'tested only on slash-delimited paths'\n split_re = re.compile(os.sep + '+')\n if len(paths) == 0:\n raise ValueError('commonpath() arg is an empty sequence')\n spaths = [p.rstrip(os.sep) for p in paths]\n splitpaths = [split_re.split(p) for p in spaths]\n if all(p.startswith(os.sep) for p in paths):\n abs_paths = True\n splitpaths = [p[1:] for p in splitpaths]\n elif all(not p.startswith(os.sep) for p in paths):\n abs_paths = False\n else:\n raise ValueError(\"Can't mix absolute and relative paths\")\n splitpaths0 = splitpaths[0]\n splitpaths1n = splitpaths[1:]\n min_length = min(len(p) for p in splitpaths)\n equal = [i for i in range(min_length) if all(splitpaths0[i] == sp[i] for\n sp in splitpaths1n)]\n max_equal = max(equal or [-1])\n commonelems = splitpaths0[:max_equal + 1]\n commonpath = os.sep.join(commonelems)\n return (os.sep if abs_paths else '') + commonpath\n", "role": "user" }, { "content": "commonpath", "role": "assistant" } ]
def x(opts): seqrepo_dir = os.path.join(opts.root_directory, opts.instance_name) sr = SeqRepo(seqrepo_dir, writeable=True) assemblies = bioutils.assemblies.get_assemblies() if opts.reload_all: assemblies_to_load = sorted(assemblies) else: namespaces = [r['namespace'] for r in sr.aliases._db.execute( 'select distinct namespace from seqalias')] assemblies_to_load = sorted(k for k in assemblies if k not in namespaces) _logger.info('{} assemblies to load'.format(len(assemblies_to_load))) ncbi_alias_map = {r['alias']: r['seq_id'] for r in sr.aliases. find_aliases(namespace='NCBI', current_only=False)} for assy_name in tqdm.tqdm(assemblies_to_load, unit='assembly'): _logger.debug('loading ' + assy_name) sequences = assemblies[assy_name]['sequences'] eq_sequences = [s for s in sequences if s['relationship'] in ('=', '<>')] if not eq_sequences: _logger.info("No '=' sequences to load for {an}; skipping". format(an=assy_name)) continue not_in_seqrepo = [s['refseq_ac'] for s in eq_sequences if s[ 'refseq_ac'] not in ncbi_alias_map] if not_in_seqrepo: _logger.warning( 'Assembly {an} references {n} accessions not in SeqRepo instance {opts.instance_name} (e.g., {acs})' .format(an=assy_name, n=len(not_in_seqrepo), opts=opts, acs =', '.join(not_in_seqrepo[:5] + ['...']), seqrepo_dir= seqrepo_dir)) if not opts.partial_load: _logger.warning('Skipping {an} (-p to enable partial loading)' .format(an=assy_name)) continue eq_sequences = [es for es in eq_sequences if es['refseq_ac'] in ncbi_alias_map] _logger.info('Loading {n} new accessions for assembly {an}'.format( an=assy_name, n=len(eq_sequences))) for s in eq_sequences: seq_id = ncbi_alias_map[s['refseq_ac']] aliases = [{'namespace': assy_name, 'alias': a} for a in [s[ 'name']] + s['aliases']] if 'genbank_ac' in s and s['genbank_ac']: aliases += [{'namespace': 'genbank', 'alias': s['genbank_ac']}] for alias in aliases: sr.aliases.store_alias(seq_id=seq_id, **alias) _logger.debug( 'Added assembly alias {a[namespace]}:{a[alias]} for {seq_id}' .format(a=alias, seq_id=seq_id)) sr.commit()
add_assembly_names
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(opts):\n seqrepo_dir = os.path.join(opts.root_directory, opts.instance_name)\n sr = SeqRepo(seqrepo_dir, writeable=True)\n assemblies = bioutils.assemblies.get_assemblies()\n if opts.reload_all:\n assemblies_to_load = sorted(assemblies)\n else:\n namespaces = [r['namespace'] for r in sr.aliases._db.execute(\n 'select distinct namespace from seqalias')]\n assemblies_to_load = sorted(k for k in assemblies if k not in\n namespaces)\n _logger.info('{} assemblies to load'.format(len(assemblies_to_load)))\n ncbi_alias_map = {r['alias']: r['seq_id'] for r in sr.aliases.\n find_aliases(namespace='NCBI', current_only=False)}\n for assy_name in tqdm.tqdm(assemblies_to_load, unit='assembly'):\n _logger.debug('loading ' + assy_name)\n sequences = assemblies[assy_name]['sequences']\n eq_sequences = [s for s in sequences if s['relationship'] in ('=',\n '<>')]\n if not eq_sequences:\n _logger.info(\"No '=' sequences to load for {an}; skipping\".\n format(an=assy_name))\n continue\n not_in_seqrepo = [s['refseq_ac'] for s in eq_sequences if s[\n 'refseq_ac'] not in ncbi_alias_map]\n if not_in_seqrepo:\n _logger.warning(\n 'Assembly {an} references {n} accessions not in SeqRepo instance {opts.instance_name} (e.g., {acs})'\n .format(an=assy_name, n=len(not_in_seqrepo), opts=opts, acs\n =', '.join(not_in_seqrepo[:5] + ['...']), seqrepo_dir=\n seqrepo_dir))\n if not opts.partial_load:\n _logger.warning('Skipping {an} (-p to enable partial loading)'\n .format(an=assy_name))\n continue\n eq_sequences = [es for es in eq_sequences if es['refseq_ac'] in\n ncbi_alias_map]\n _logger.info('Loading {n} new accessions for assembly {an}'.format(\n an=assy_name, n=len(eq_sequences)))\n for s in eq_sequences:\n seq_id = ncbi_alias_map[s['refseq_ac']]\n aliases = [{'namespace': assy_name, 'alias': a} for a in [s[\n 'name']] + s['aliases']]\n if 'genbank_ac' in s and s['genbank_ac']:\n aliases += [{'namespace': 'genbank', 'alias': s['genbank_ac']}]\n for alias in aliases:\n sr.aliases.store_alias(seq_id=seq_id, **alias)\n _logger.debug(\n 'Added assembly alias {a[namespace]}:{a[alias]} for {seq_id}'\n .format(a=alias, seq_id=seq_id))\n sr.commit()\n", "role": "user" }, { "content": "add_assembly_names", "role": "assistant" } ]
def x(opts): seqrepo_dir = os.path.join(opts.root_directory, opts.instance_name) dst_dir = opts.destination_name if not dst_dir.startswith('/'): dst_dir = os.path.join(opts.root_directory, dst_dir) src_dir = os.path.realpath(seqrepo_dir) dst_dir = os.path.realpath(dst_dir) if commonpath([src_dir, dst_dir]).startswith(src_dir): raise RuntimeError('Cannot nest seqrepo directories ({} is within {})' .format(dst_dir, src_dir)) if os.path.exists(dst_dir): raise IOError(dst_dir + ': File exists') tmp_dir = tempfile.mkdtemp(prefix=dst_dir + '.') _logger.debug('src_dir = ' + src_dir) _logger.debug('dst_dir = ' + dst_dir) _logger.debug('tmp_dir = ' + tmp_dir) makedirs(tmp_dir, exist_ok=True) wd = os.getcwd() os.chdir(src_dir) for rp in (os.path.join(dirpath, dirname) for dirpath, dirnames, _ in os.walk('.') for dirname in dirnames): dp = os.path.join(tmp_dir, rp) os.mkdir(dp) for rp in (os.path.join(dirpath, filename) for dirpath, _, filenames in os.walk('.') for filename in filenames if '.bgz' in filename): dp = os.path.join(tmp_dir, rp) os.link(rp, dp) for rp in ['aliases.sqlite3', 'sequences/db.sqlite3']: dp = os.path.join(tmp_dir, rp) shutil.copyfile(rp, dp) mode_aw = stat.S_IWUSR | stat.S_IWGRP | stat.S_IWOTH def x(p): mode = os.lstat(p).st_mode new_mode = mode & ~mode_aw os.chmod(p, new_mode) for dp in (os.path.join(dirpath, dirent) for dirpath, dirnames, filenames in os.walk(tmp_dir) for dirent in dirnames + filenames): _drop_write(dp) _drop_write(tmp_dir) os.rename(tmp_dir, dst_dir) _logger.info('snapshot created in ' + dst_dir) os.chdir(wd)
snapshot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(opts):\n seqrepo_dir = os.path.join(opts.root_directory, opts.instance_name)\n dst_dir = opts.destination_name\n if not dst_dir.startswith('/'):\n dst_dir = os.path.join(opts.root_directory, dst_dir)\n src_dir = os.path.realpath(seqrepo_dir)\n dst_dir = os.path.realpath(dst_dir)\n if commonpath([src_dir, dst_dir]).startswith(src_dir):\n raise RuntimeError('Cannot nest seqrepo directories ({} is within {})'\n .format(dst_dir, src_dir))\n if os.path.exists(dst_dir):\n raise IOError(dst_dir + ': File exists')\n tmp_dir = tempfile.mkdtemp(prefix=dst_dir + '.')\n _logger.debug('src_dir = ' + src_dir)\n _logger.debug('dst_dir = ' + dst_dir)\n _logger.debug('tmp_dir = ' + tmp_dir)\n makedirs(tmp_dir, exist_ok=True)\n wd = os.getcwd()\n os.chdir(src_dir)\n for rp in (os.path.join(dirpath, dirname) for dirpath, dirnames, _ in\n os.walk('.') for dirname in dirnames):\n dp = os.path.join(tmp_dir, rp)\n os.mkdir(dp)\n for rp in (os.path.join(dirpath, filename) for dirpath, _, filenames in\n os.walk('.') for filename in filenames if '.bgz' in filename):\n dp = os.path.join(tmp_dir, rp)\n os.link(rp, dp)\n for rp in ['aliases.sqlite3', 'sequences/db.sqlite3']:\n dp = os.path.join(tmp_dir, rp)\n shutil.copyfile(rp, dp)\n mode_aw = stat.S_IWUSR | stat.S_IWGRP | stat.S_IWOTH\n\n def x(p):\n mode = os.lstat(p).st_mode\n new_mode = mode & ~mode_aw\n os.chmod(p, new_mode)\n for dp in (os.path.join(dirpath, dirent) for dirpath, dirnames,\n filenames in os.walk(tmp_dir) for dirent in dirnames + filenames):\n _drop_write(dp)\n _drop_write(tmp_dir)\n os.rename(tmp_dir, dst_dir)\n _logger.info('snapshot created in ' + dst_dir)\n os.chdir(wd)\n", "role": "user" }, { "content": "snapshot", "role": "assistant" } ]
def x(self, job_id, timeout=None): event = JOB_EVENT_MAPPING[job_id] event.clear() result = event.wait(timeout=timeout) job = self.get_job(job_id) if result: return job else: raise TimeoutError('Job {} has not received any updates.'.format( job_id))
wait_for_job_update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, job_id, timeout=None):\n event = JOB_EVENT_MAPPING[job_id]\n event.clear()\n result = event.wait(timeout=timeout)\n job = self.get_job(job_id)\n if result:\n return job\n else:\n raise TimeoutError('Job {} has not received any updates.'.format(\n job_id))\n", "role": "user" }, { "content": "wait_for_job_update", "role": "assistant" } ]
def x(funcstring): assert isinstance(funcstring, str) modulestring, funcname = funcstring.rsplit('.', 1) mod = importlib.import_module(modulestring) func = getattr(mod, funcname) return func
import_stringified_func
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(funcstring):\n assert isinstance(funcstring, str)\n modulestring, funcname = funcstring.rsplit('.', 1)\n mod = importlib.import_module(modulestring)\n func = getattr(mod, funcname)\n return func\n", "role": "user" }, { "content": "import_stringified_func", "role": "assistant" } ]
def x(self, timeout=None): if self.trigger_event.wait(timeout): try: self.func() except Exception as e: self.logger.warning('Got an exception running {func}: {e}'. format(func=self.func, e=str(e))) finally: self.trigger_event.clear()
main_loop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timeout=None):\n if self.trigger_event.wait(timeout):\n try:\n self.func()\n except Exception as e:\n self.logger.warning('Got an exception running {func}: {e}'.\n format(func=self.func, e=str(e)))\n finally:\n self.trigger_event.clear()\n", "role": "user" }, { "content": "main_loop", "role": "assistant" } ]
def x(self): def x(dbapi_con, con_record): dbapi_con.execute('PRAGMA journal_mode = WAL;') event.listen(self.engine, 'connect', _pragmas_on_connect)
set_sqlite_pragmas
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n\n def x(dbapi_con, con_record):\n dbapi_con.execute('PRAGMA journal_mode = WAL;')\n event.listen(self.engine, 'connect', _pragmas_on_connect)\n", "role": "user" }, { "content": "set_sqlite_pragmas", "role": "assistant" } ]
def x(self, j): job_id = uuid.uuid4().hex j.job_id = job_id session = self.sessionmaker() orm_job = ORMJob(id=job_id, state=j.state, app=self.app, namespace=self .namespace, obj=j) session.add(orm_job) try: session.commit() except Exception as e: logging.error('Got an error running session.commit(): {}'.format(e)) return job_id
schedule_job
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, j):\n job_id = uuid.uuid4().hex\n j.job_id = job_id\n session = self.sessionmaker()\n orm_job = ORMJob(id=job_id, state=j.state, app=self.app, namespace=self\n .namespace, obj=j)\n session.add(orm_job)\n try:\n session.commit()\n except Exception as e:\n logging.error('Got an error running session.commit(): {}'.format(e))\n return job_id\n", "role": "user" }, { "content": "schedule_job", "role": "assistant" } ]
def x(self, job_id): job, _ = self._update_job_state(job_id, State.CANCELING) return job
mark_job_as_canceling
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, job_id):\n job, _ = self._update_job_state(job_id, State.CANCELING)\n return job\n", "role": "user" }, { "content": "mark_job_as_canceling", "role": "assistant" } ]
def x(self, job_id=None, force=False): s = self.sessionmaker() q = self._ns_query(s) if job_id: q = q.filter_by(id=job_id) if not force: q = q.filter(or_(ORMJob.state == State.COMPLETED, ORMJob.state == State.FAILED)) q.delete(synchronize_session=False) s.commit() s.close()
clear
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, job_id=None, force=False):\n s = self.sessionmaker()\n q = self._ns_query(s)\n if job_id:\n q = q.filter_by(id=job_id)\n if not force:\n q = q.filter(or_(ORMJob.state == State.COMPLETED, ORMJob.state ==\n State.FAILED))\n q.delete(synchronize_session=False)\n s.commit()\n s.close()\n", "role": "user" }, { "content": "clear", "role": "assistant" } ]
def x(self, job_id, progress, total_progress): session = self.sessionmaker() job, orm_job = self._update_job_state(job_id, state=State.RUNNING, session=session) job = copy(job) job.progress = progress job.total_progress = total_progress orm_job.obj = job session.add(orm_job) session.commit() session.close() return job_id
update_job_progress
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, job_id, progress, total_progress):\n session = self.sessionmaker()\n job, orm_job = self._update_job_state(job_id, state=State.RUNNING,\n session=session)\n job = copy(job)\n job.progress = progress\n job.total_progress = total_progress\n orm_job.obj = job\n session.add(orm_job)\n session.commit()\n session.close()\n return job_id\n", "role": "user" }, { "content": "update_job_progress", "role": "assistant" } ]
def x(self, job_id, exception, traceback): session = self.sessionmaker() job, orm_job = self._update_job_state(job_id, State.FAILED, session=session ) job = copy(job) job.exception = exception job.traceback = traceback orm_job.obj = job session.add(orm_job) session.commit() session.close()
mark_job_as_failed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, job_id, exception, traceback):\n session = self.sessionmaker()\n job, orm_job = self._update_job_state(job_id, State.FAILED, session=session\n )\n job = copy(job)\n job.exception = exception\n job.traceback = traceback\n orm_job.obj = job\n session.add(orm_job)\n session.commit()\n session.close()\n", "role": "user" }, { "content": "mark_job_as_failed", "role": "assistant" } ]