source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, param):
if param is None:
return None
if isinstance(param, str):
url = self.build_url(self._endpoints.get('get_event').format(id=
self.calendar_id, ide=param))
params = None
by_id = True
else:
url = self.build_url(self._endpoints.get('get_events').format(id=
self.calendar_id))
params = {'$top': 1}
params.update(param.as_params())
by_id = False
response = self.con.get(url, params=params, headers={'Prefer':
'outlook.timezone="UTC"'})
if not response:
return None
if by_id:
event = response.json()
else:
event = response.json().get('value', [])
if event:
event = event[0]
else:
return None
return self.event_constructor(parent=self, **{self._cloud_data_key: event})
| get_event | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, param):\n if param is None:\n return None\n if isinstance(param, str):\n url = self.build_url(self._endpoints.get('get_event').format... |
def x(self, limit=None, *, query=None, order_by=None):
url = self.build_url(self._endpoints.get('root_calendars'))
params = {}
if limit:
params['$top'] = limit
if query:
params['$filter'] = str(query)
if order_by:
params['$orderby'] = order_by
response = self.con.get(url, params=params or None)
if not response:
return []
data = response.json()
contacts = [self.calendar_constructor(parent=self, **{self.
_cloud_data_key: x}) for x in data.get('value', [])]
return contacts
| list_calendars | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, limit=None, *, query=None, order_by=None):\n url = self.build_url(self._endpoints.get('root_calendars'))\n params = {}\n if limit:\n para... |
def x(self, calendar_name):
if not calendar_name:
return None
url = self.build_url(self._endpoints.get('root_calendars'))
response = self.con.post(url, data={self._cc('name'): calendar_name})
if not response:
return None
data = response.json()
return self.calendar_constructor(parent=self, **{self._cloud_data_key:
data})
| new_calendar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, calendar_name):\n if not calendar_name:\n return None\n url = self.build_url(self._endpoints.get('root_calendars'))\n response = self.con... |
def x(self, calendar_id=None, calendar_name=None):
if calendar_id and calendar_name:
raise RuntimeError('Provide only one of the options')
if not calendar_id and not calendar_name:
raise RuntimeError('Provide one of the options')
if calendar_id:
url = self.build_url(self._endpoints.get('get_calendar').format(id=
calendar_id))
params = None
else:
url = self.build_url(self._endpoints.get('root_calendars'))
params = {'$filter': "{} eq '{}'".format(self._cc('name'),
calendar_name), '$top': 1}
response = self.con.get(url, params=params)
if not response:
return None
if calendar_id:
data = response.json()
else:
data = response.json().get('value')
data = data[0] if data else None
if data is None:
return None
return self.calendar_constructor(parent=self, **{self._cloud_data_key:
data})
| get_calendar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, calendar_id=None, calendar_name=None):\n if calendar_id and calendar_name:\n raise RuntimeError('Provide only one of the options')\n if not ... |
def x(self):
url = self.build_url(self._endpoints.get('default_calendar'))
response = self.con.get(url)
if not response:
return None
data = response.json()
return self.calendar_constructor(parent=self, **{self._cloud_data_key:
data})
| get_default_calendar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n url = self.build_url(self._endpoints.get('default_calendar'))\n response = self.con.get(url)\n if not response:\n return None\n dat... |
def x(self, limit=25, *, query=None, order_by=None, batch=None,
download_attachments=False, include_recurring=True):
default_calendar = self.calendar_constructor(parent=self)
return default_calendar.get_events(limit=limit, query=query, order_by=
order_by, batch=batch, download_attachments=download_attachments,
include_recurring=include_recurring)
| get_events | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, limit=25, *, query=None, order_by=None, batch=None,\n download_attachments=False, include_recurring=True):\n default_calendar = self.calendar_const... |
def x(self):
expires_at = self.get('expires_at')
if expires_at is None:
return dt.datetime.now() - dt.timedelta(seconds=10)
expires_on = dt.datetime.fromtimestamp(expires_at) - dt.timedelta(seconds
=EXPIRES_ON_THRESHOLD)
if self.is_long_lived:
expires_on = expires_on + dt.timedelta(days=90)
return expires_on
| expiration_datetime | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n expires_at = self.get('expires_at')\n if expires_at is None:\n return dt.datetime.now() - dt.timedelta(seconds=10)\n expires_on = dt.d... |
def x(self, value):
if value and not isinstance(value, Token):
value = Token(value)
self._token = value
| token | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n if value and not isinstance(value, Token):\n value = Token(value)\n self._token = value\n",
"role": "user"
},
{
"conte... |
def x(self):
token = None
if self.token_path.exists():
with self.token_path.open('r') as token_file:
token = self.token_constructor(self.serializer.load(token_file))
self.token = token
return token
| get_token | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n token = None\n if self.token_path.exists():\n with self.token_path.open('r') as token_file:\n token = self.token_constructor(s... |
def x(self):
if self.token is None:
raise ValueError('You have to set the "token" first.')
try:
if not self.token_path.parent.exists():
self.token_path.parent.mkdir(parents=True)
except Exception as e:
log.error('Token could not be saved: {}'.format(str(e)))
return False
with self.token_path.open('w') as token_file:
self.serializer.dump(self.token, token_file, indent=True)
return True
| save_token | [
{
"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.token is None:\n raise ValueError('You have to set the \"token\" first.')\n try:\n if not self.token_path.parent.exists():... |
def x(self):
if self.token_path.exists():
self.token_path.unlink()
return True
return False
| delete_token | [
{
"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.token_path.exists():\n self.token_path.unlink()\n return True\n return False\n",
"role": "user"
},
{
"content"... |
def x(self):
token = None
try:
doc = self.doc_ref.get()
except Exception as e:
log.error(
'Token (collection: {}, doc_id: {}) could not be retrieved from the backend: {}'
.format(self.collection, self.doc_id, str(e)))
doc = None
if doc and doc.exists:
token_str = doc.get(self.field_name)
if token_str:
token = self.token_constructor(self.serializer.loads(token_str))
self.token = token
return token
| get_token | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n token = None\n try:\n doc = self.doc_ref.get()\n except Exception as e:\n log.error(\n 'Token (collection: {}, doc_i... |
def x(self):
if self.token is None:
raise ValueError('You have to set the "token" first.')
try:
self.doc_ref.set({self.field_name: self.serializer.dumps(self.token)})
except Exception as e:
log.error('Token could not be saved: {}'.format(str(e)))
return False
return True
| save_token | [
{
"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.token is None:\n raise ValueError('You have to set the \"token\" first.')\n try:\n self.doc_ref.set({self.field_name: self... |
def x(self):
try:
self.doc_ref.delete()
except Exception as e:
log.error('Could not delete the token (key: {}): {}'.format(self.
doc_id, str(e)))
return False
return True
| delete_token | [
{
"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.doc_ref.delete()\n except Exception as e:\n log.error('Could not delete the token (key: {}): {}'.format(self.\n ... |
def x(self):
try:
doc = self.doc_ref.get()
except Exception as e:
log.error(
'Token (collection: {}, doc_id: {}) could not be retrieved from the backend: {}'
.format(self.collection, self.doc_id, str(e)))
doc = None
return doc and doc.exists
| check_token | [
{
"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 doc = self.doc_ref.get()\n except Exception as e:\n log.error(\n 'Token (collection: {}, doc_id: {}) could not b... |
def x(self):
token = self.con.token_backend.token
if not token:
token = self.con.token_backend.get_token()
return token is not None and not token.is_expired
| is_authenticated | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n token = self.con.token_backend.token\n if not token:\n token = self.con.token_backend.get_token()\n return token is not None and not t... |
def x(self, *, scopes, **kwargs):
kwargs.setdefault('token_backend', self.con.token_backend)
return oauth_authentication_flow(*self.con.auth, scopes=scopes,
protocol=self.protocol, **kwargs)
| authenticate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *, scopes, **kwargs):\n kwargs.setdefault('token_backend', self.con.token_backend)\n return oauth_authentication_flow(*self.con.auth, scopes=scopes... |
def x(self, resource=None):
return Message(parent=self, main_resource=resource, is_draft=True)
| new_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, resource=None):\n return Message(parent=self, main_resource=resource, is_draft=True)\n",
"role": "user"
},
{
"content": "new_message",
... |
def x(self, *, resource=None, address_book='personal'):
if address_book.lower() == 'personal':
return AddressBook(parent=self, main_resource=resource, name=
'Personal Address Book')
elif address_book.lower() == 'gal':
return GlobalAddressList(parent=self)
else:
raise RuntimeError(
'address_book must be either "personal" (resource address book) or "gal" (Global Address List)'
)
| address_book | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *, resource=None, address_book='personal'):\n if address_book.lower() == 'personal':\n return AddressBook(parent=self, main_resource=resource, ... |
def x(self, *, resource=None):
if not isinstance(self.protocol, MSGraphProtocol):
raise RuntimeError('Drive options only works on Microsoft Graph API')
return Storage(parent=self, main_resource=resource)
| storage | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *, resource=None):\n if not isinstance(self.protocol, MSGraphProtocol):\n raise RuntimeError('Drive options only works on Microsoft Graph API')... |
def x(self, *, resource=''):
if not isinstance(self.protocol, MSGraphProtocol):
raise RuntimeError('Sharepoint api only works on Microsoft Graph API')
return Sharepoint(parent=self, main_resource=resource)
| sharepoint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *, resource=''):\n if not isinstance(self.protocol, MSGraphProtocol):\n raise RuntimeError('Sharepoint api only works on Microsoft Graph API')\... |
def x(self, *, resource=''):
if not isinstance(self.protocol, MSGraphProtocol):
raise RuntimeError('planner api only works on Microsoft Graph API')
return Planner(parent=self, main_resource=resource)
| planner | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *, resource=''):\n if not isinstance(self.protocol, MSGraphProtocol):\n raise RuntimeError('planner api only works on Microsoft Graph API')\n ... |
def x(self, to_path=None, name=None, chunk_size='auto', convert_to_pdf=False):
if to_path is None:
to_path = Path()
elif not isinstance(to_path, Path):
to_path = Path(to_path)
if not to_path.exists():
raise FileNotFoundError('{} does not exist'.format(to_path))
if name and not Path(name).suffix and self.name:
name = name + Path(self.name).suffix
name = name or self.name
to_path = to_path / name
url = self.build_url(self._endpoints.get('download').format(id=self.
object_id))
try:
if chunk_size is None:
stream = False
elif chunk_size == 'auto':
if self.size and self.size > SIZE_THERSHOLD:
stream = True
else:
stream = False
elif isinstance(chunk_size, int):
stream = True
else:
raise ValueError(
"Argument chunk_size must be either 'auto' or any integer number representing bytes"
)
params = {}
if convert_to_pdf and Path(name).suffix in ALLOWED_PDF_EXTENSIONS:
params['format'] = 'pdf'
with self.con.get(url, stream=stream, params=params) as response:
if not response:
log.debug('Downloading driveitem Request failed: {}'.format
(response.reason))
return False
with to_path.open(mode='wb') as output:
if stream:
for chunk in response.iter_content(chunk_size=chunk_size):
if chunk:
output.write(chunk)
else:
output.write(response.content)
except Exception as e:
log.error('Error downloading driveitem {}. Error: {}'.format(self.
name, str(e)))
return False
return True
| download | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, to_path=None, name=None, chunk_size='auto', convert_to_pdf=False):\n if to_path is None:\n to_path = Path()\n elif not isinstance(to_path, P... |
def x(self):
if self.item_id:
return True
response = self.con.get(self.monitor_url)
if not response:
return False
data = response.json()
self.status = data.get('status', 'inProgress')
self.completion_percentage = data.get(self._cc('percentageComplete'), 0)
self.item_id = data.get(self._cc('resourceId'), None)
return self.item_id is not None
| request_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 self.item_id:\n return True\n response = self.con.get(self.monitor_url)\n if not response:\n return False\n data = respon... |
def x(self, delay=0):
if not self.item_id:
while not self._request_status():
yield self.status, self.completion_percentage
if self.item_id is None:
sleep(delay)
else:
yield self.status, self.completion_percentage
| check_status | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, delay=0):\n if not self.item_id:\n while not self._request_status():\n yield self.status, self.completion_percentage\n if... |
def x(self):
url = self.build_url(self._endpoints.get('restore').format(id=self.
object_id))
response = self.con.post(url)
return bool(response)
| restore | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n url = self.build_url(self._endpoints.get('restore').format(id=self.\n object_id))\n response = self.con.post(url)\n return bool(respon... |
def x(self, to_path=None, name=None, chunk_size='auto', convert_to_pdf=False):
return super().download(to_path=to_path, name=name, chunk_size=
chunk_size, convert_to_pdf=convert_to_pdf)
| download | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, to_path=None, name=None, chunk_size='auto', convert_to_pdf=False):\n return super().download(to_path=to_path, name=name, chunk_size=\n chunk_si... |
def x(self, roles='view'):
if not self.object_id:
return False
url = self.build_url(self._endpoints.get('permission').format(
driveitem_id=self.driveitem_id, id=self.object_id))
if roles in {'view', 'read'}:
data = {'roles': ['read']}
elif roles == {'edit', 'write'}:
data = {'roles': ['write']}
else:
raise ValueError('"{}" is not a valid share_type'.format(roles))
response = self.con.patch(url, data=data)
if not response:
return False
self.roles = data.get('roles', [])
return True
| update_roles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, roles='view'):\n if not self.object_id:\n return False\n url = self.build_url(self._endpoints.get('permission').format(\n driveitem_i... |
def x(self):
if self._parent and self._parent.object_id == self.parent_id:
return self._parent
elif self.parent_id:
return self.drive.get_item(self.parent_id)
else:
return self.drive
| get_parent | [
{
"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._parent and self._parent.object_id == self.parent_id:\n return self._parent\n elif self.parent_id:\n return self.drive.get... |
def x(self, size=None):
if not self.object_id:
return []
url = self.build_url(self._endpoints.get('thumbnails').format(id=self.
object_id))
params = {}
if size is not None:
params['select'] = size
response = self.con.get(url, params=params)
if not response:
return []
data = response.json()
if not self.thumbnails or size is None:
self.thumbnails = data
return data
| get_thumbnails | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, size=None):\n if not self.object_id:\n return []\n url = self.build_url(self._endpoints.get('thumbnails').format(id=self.\n object_id... |
def x(self, **kwargs):
if not self.object_id:
return False
url = self.build_url(self._endpoints.get('item').format(id=self.object_id))
data = {self._cc(key): value for key, value in kwargs.items() if key in
{'name', 'description'}}
if not data:
return False
response = self.con.patch(url, data=data)
if not response:
return False
new_data = response.json()
for key in data:
value = new_data.get(key, None)
if value:
setattr(self, self.protocol.to_api_case(key), value)
return True
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n if not self.object_id:\n return False\n url = self.build_url(self._endpoints.get('item').format(id=self.object_id))\n data =... |
def x(self):
if not self.object_id:
return False
url = self.build_url(self._endpoints.get('item').format(id=self.object_id))
response = self.con.delete(url)
if not response:
return False
self.object_id = None
return True
| delete | [
{
"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.object_id:\n return False\n url = self.build_url(self._endpoints.get('item').format(id=self.object_id))\n response = self.... |
def x(self, target):
if isinstance(target, Folder):
target_id = target.object_id
elif isinstance(target, Drive):
root_folder = target.get_root_folder()
if not root_folder:
return False
target_id = root_folder.object_id
elif isinstance(target, str):
target_id = target
else:
raise ValueError('Target must be a Folder or Drive')
if not self.object_id or not target_id:
raise ValueError('Both self, and target must have a valid object_id.')
if target_id == 'root':
raise ValueError("When moving, target id can't be 'root'")
url = self.build_url(self._endpoints.get('item').format(id=self.object_id))
data = {'parentReference': {'id': target_id}}
response = self.con.patch(url, data=data)
if not response:
return False
self.parent_id = target_id
return True
| move | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target):\n if isinstance(target, Folder):\n target_id = target.object_id\n elif isinstance(target, Drive):\n root_folder = target.get... |
def x(self, target=None, name=None):
if target is None and name is None:
raise ValueError('Must provide a target or a name (or both)')
if isinstance(target, Folder):
target_id = target.object_id
drive_id = target.drive_id
elif isinstance(target, Drive):
root_folder = target.get_root_folder()
if not root_folder:
return None
target_id = root_folder.object_id
drive_id = root_folder.drive_id
elif target is None:
target_id = None
drive_id = None
else:
raise ValueError('Target, if provided, must be a Folder or Drive')
if not self.object_id:
return None
if target_id == 'root':
raise ValueError("When copying, target id can't be 'root'")
url = self.build_url(self._endpoints.get('copy').format(id=self.object_id))
if target_id and drive_id:
data = {'parentReference': {'id': target_id, 'driveId': drive_id}}
else:
data = {}
if name:
if not Path(name).suffix and self.name:
name = name + Path(self.name).suffix
data['name'] = name
response = self.con.post(url, data=data)
if not response:
return None
location = response.headers.get('Location', None)
if 'monitor' in location:
return CopyOperation(parent=self.drive, monitor_url=location)
else:
path = urlparse(location).path
item_id = path.split('/')[-1]
return CopyOperation(parent=self.drive, item_id=item_id)
| copy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target=None, name=None):\n if target is None and name is None:\n raise ValueError('Must provide a target or a name (or both)')\n if isinstan... |
def x(self):
if not self.object_id:
return []
url = self.build_url(self._endpoints.get('versions').format(id=self.
object_id))
response = self.con.get(url)
if not response:
return []
data = response.json()
return [DriveItemVersion(parent=self, **{self._cloud_data_key: item}) for
item in data.get('value', [])]
| get_versions | [
{
"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.object_id:\n return []\n url = self.build_url(self._endpoints.get('versions').format(id=self.\n object_id))\n respo... |
def x(self, version_id):
if not self.object_id:
return None
url = self.build_url(self._endpoints.get('version').format(id=self.
object_id, version_id=version_id))
response = self.con.get(url)
if not response:
return None
data = response.json()
return DriveItemVersion(parent=self, **{self._cloud_data_key: data})
| get_version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, version_id):\n if not self.object_id:\n return None\n url = self.build_url(self._endpoints.get('version').format(id=self.\n object_id... |
def x(self, share_type='view', share_scope='anonymous'):
if not self.object_id:
return None
url = self.build_url(self._endpoints.get('share_link').format(id=self.
object_id))
data = {'type': share_type, 'scope': share_scope}
response = self.con.post(url, data=data)
if not response:
return None
data = response.json()
return DriveItemPermission(parent=self, **{self._cloud_data_key: data})
| share_with_link | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, share_type='view', share_scope='anonymous'):\n if not self.object_id:\n return None\n url = self.build_url(self._endpoints.get('share_link')... |
def x(self, recipients, require_sign_in=True, send_email=True, message=None,
share_type='view'):
if not self.object_id:
return None
to = []
if recipients is None:
raise ValueError('Provide a valid to parameter')
elif isinstance(recipients, (list, tuple)):
for x in recipients:
if isinstance(x, str):
to.append({'email': x})
elif isinstance(x, Contact):
to.append({'email': x.main_email})
else:
raise ValueError(
'All the recipients must be either strings or Contacts')
elif isinstance(recipients, str):
to.append({'email': recipients})
elif isinstance(recipients, Contact):
to.append({'email': recipients.main_email})
else:
raise ValueError(
'All the recipients must be either strings or Contacts')
url = self.build_url(self._endpoints.get('share_invite').format(id=self
.object_id))
data = {'recipients': to, self._cc('requireSignIn'): require_sign_in,
self._cc('sendInvitation'): send_email}
if share_type in {'view', 'read'}:
data['roles'] = ['read']
elif share_type == {'edit', 'write'}:
data['roles'] = ['write']
else:
raise ValueError('"{}" is not a valid share_type'.format(share_type))
if send_email and message:
data['message'] = message
response = self.con.post(url, data=data)
if not response:
return None
data = response.json()
return DriveItemPermission(parent=self, **{self._cloud_data_key: data})
| share_with_invite | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, recipients, require_sign_in=True, send_email=True, message=None,\n share_type='view'):\n if not self.object_id:\n return None\n to = []\n... |
def x(self):
if not self.object_id:
return []
url = self.build_url(self._endpoints.get('permissions').format(id=self.
object_id))
response = self.con.get(url)
if not response:
return None
data = response.json()
return [DriveItemPermission(parent=self, **{self._cloud_data_key: item}
) for item in data.get('value', [])]
| get_permissions | [
{
"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.object_id:\n return []\n url = self.build_url(self._endpoints.get('permissions').format(id=self.\n object_id))\n re... |
def x(self, name, description=None):
if not self.object_id:
return None
url = self.build_url(self._endpoints.get('list_items').format(id=self.
object_id))
data = {'name': name, 'folder': {}}
if description:
data['description'] = description
response = self.con.post(url, data=data)
if not response:
return None
folder = response.json()
return self._classifier(folder)(parent=self, **{self._cloud_data_key:
folder})
| create_child_folder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, description=None):\n if not self.object_id:\n return None\n url = self.build_url(self._endpoints.get('list_items').format(id=self.\n ... |
def x(self, to_folder=None):
to_folder = to_folder or Path()
if not to_folder.exists():
to_folder.mkdir()
for item in self.get_items(query=self.new_query().select('id', 'size')):
if item.is_folder and item.child_count > 0:
item.download_contents(to_folder=to_folder / item.name)
else:
item.download(to_folder)
| download_contents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, to_folder=None):\n to_folder = to_folder or Path()\n if not to_folder.exists():\n to_folder.mkdir()\n for item in self.get_items(query=se... |
def x(self, item, chunk_size=DEFAULT_UPLOAD_CHUNK_SIZE):
if item is None:
raise ValueError('Item must be a valid path to file')
item = Path(item) if not isinstance(item, Path) else item
if not item.exists():
raise ValueError('Item must exist')
if not item.is_file():
raise ValueError('Item must be a file')
file_size = item.stat().st_size
if file_size <= UPLOAD_SIZE_LIMIT_SIMPLE:
url = self.build_url(self._endpoints.get('simple_upload').format(id
=self.object_id, filename=item.name))
headers = {'Content-type': 'application/octet-stream'}
with item.open(mode='rb') as file:
data = file.read()
response = self.con.put(url, headers=headers, data=data)
if not response:
return None
data = response.json()
return self._classifier(data)(parent=self, **{self._cloud_data_key:
data})
else:
url = self.build_url(self._endpoints.get('create_upload_session').
format(id=self.object_id, filename=item.name))
response = self.con.post(url)
if not response:
return None
data = response.json()
upload_url = data.get(self._cc('uploadUrl'), None)
if upload_url is None:
log.error(
'Create upload session response without upload_url for file {}'
.format(item.name))
return None
current_bytes = 0
with item.open(mode='rb') as file:
while True:
data = file.read(chunk_size)
if not data:
break
transfer_bytes = len(data)
headers = {'Content-type': 'application/octet-stream',
'Content-Length': str(len(data)), 'Content-Range':
'bytes {}-{}/{}'.format(current_bytes, current_bytes +
transfer_bytes - 1, file_size)}
current_bytes += transfer_bytes
response = self.con.naive_request(upload_url, 'PUT', data=
data, headers=headers)
if not response:
return None
if response.status_code != 202:
data = response.json()
return self._classifier(data)(parent=self, **{self.
_cloud_data_key: data})
| upload_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item, chunk_size=DEFAULT_UPLOAD_CHUNK_SIZE):\n if item is None:\n raise ValueError('Item must be a valid path to file')\n item = Path(item) ... |
def x(self, url, limit=None, *, query=None, order_by=None, batch=None):
if limit is None or limit > self.protocol.max_top_value:
batch = self.protocol.max_top_value
params = {'$top': batch if batch else limit}
if order_by:
params['$orderby'] = order_by
if query:
if query.has_filters:
warnings.warn(
'Filters are not allowed by the Api Provider in this method')
query.clear_filters()
if isinstance(query, str):
params['$filter'] = query
else:
params.update(query.as_params())
response = self.con.get(url, params=params)
if not response:
return iter(())
data = response.json()
items = (self._classifier(item)(parent=self, **{self._cloud_data_key:
item}) for item in data.get('value', []))
next_link = data.get(NEXT_LINK_KEYWORD, None)
if batch and next_link:
return Pagination(parent=self, data=items, constructor=self.
_classifier, next_link=next_link, limit=limit)
else:
return items
| base_get_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, limit=None, *, query=None, order_by=None, batch=None):\n if limit is None or limit > self.protocol.max_top_value:\n batch = self.protocol.... |
def x(self, limit=None, *, query=None, order_by=None, batch=None):
if self.object_id:
url = self.build_url(self._endpoints.get('list_items').format(id=
self.object_id))
else:
url = self.build_url(self._endpoints.get('list_items_default'))
return self._base_get_list(url, limit=limit, query=query, order_by=
order_by, batch=batch)
| get_items | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, limit=None, *, query=None, order_by=None, batch=None):\n if self.object_id:\n url = self.build_url(self._endpoints.get('list_items').format(id=... |
def x(self, item_id):
if self.object_id:
url = self.build_url(self._endpoints.get('get_item').format(id=self
.object_id, item_id=item_id))
else:
url = self.build_url(self._endpoints.get('get_item_default').format
(item_id=item_id))
response = self.con.get(url)
if not response:
return None
data = response.json()
return self._classifier(data)(parent=self, **{self._cloud_data_key: data})
| get_item | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item_id):\n if self.object_id:\n url = self.build_url(self._endpoints.get('get_item').format(id=self\n .object_id, item_id=item_id))... |
def x(self, name):
name = name if isinstance(name, OneDriveWellKnowFolderNames
) else OneDriveWellKnowFolderNames(name.lower())
name = name.value
if self.object_id:
url = self.build_url(self._endpoints.get('get_special').format(id=
self.object_id, name=name))
else:
url = self.build_url(self._endpoints.get('get_special_default').
format(name=name))
response = self.con.get(url)
if not response:
return None
data = response.json()
return self._classifier(data)(parent=self, **{self._cloud_data_key: data})
| get_special_folder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n name = name if isinstance(name, OneDriveWellKnowFolderNames\n ) else OneDriveWellKnowFolderNames(name.lower())\n name = name.value\... |
def x(self):
if self.object_id is None:
url = self.build_url(self._endpoints.get('default_drive'))
else:
url = self.build_url(self._endpoints.get('get_drive').format(id=
self.object_id))
response = self.con.get(url)
if not response:
return False
drive = response.json()
self._update_data({self._cloud_data_key: drive})
return True
| refresh | [
{
"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.object_id is None:\n url = self.build_url(self._endpoints.get('default_drive'))\n else:\n url = self.build_url(self._endpo... |
def x(self, request_drive=False):
if request_drive is False:
return Drive(con=self.con, protocol=self.protocol, main_resource=
self.main_resource, name='Default Drive')
url = self.build_url(self._endpoints.get('default_drive'))
response = self.con.get(url)
if not response:
return None
drive = response.json()
return self.drive_constructor(con=self.con, protocol=self.protocol,
main_resource=self.main_resource, **{self._cloud_data_key: drive})
| get_default_drive | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request_drive=False):\n if request_drive is False:\n return Drive(con=self.con, protocol=self.protocol, main_resource=\n self.main_r... |
def x(self, drive_id):
if not drive_id:
return None
url = self.build_url(self._endpoints.get('get_drive').format(id=drive_id))
response = self.con.get(url)
if not response:
return None
drive = response.json()
return self.drive_constructor(con=self.con, protocol=self.protocol,
main_resource=self.main_resource, **{self._cloud_data_key: drive})
| get_drive | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, drive_id):\n if not drive_id:\n return None\n url = self.build_url(self._endpoints.get('get_drive').format(id=drive_id))\n response = sel... |
def x(self):
url = self.build_url(self._endpoints.get('list_drives'))
response = self.con.get(url)
if not response:
return []
data = response.json()
return [self.drive_constructor(parent=self, **{self._cloud_data_key:
drive}) for drive in data.get('value', [])]
| get_drives | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n url = self.build_url(self._endpoints.get('list_drives'))\n response = self.con.get(url)\n if not response:\n return []\n data = res... |
def x(self, patch):
self._contents.update({'patch_path': patch.original_file_path,
'description': patch.description, 'columns': patch.columns,
'docrefs': patch.docrefs})
self.validate()
| patch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, patch):\n self._contents.update({'patch_path': patch.original_file_path,\n 'description': patch.description, 'columns': patch.columns,\n ... |
def x(nodes):
backward_edges = {}
forward_edges = {node.unique_id: [] for node in nodes}
for node in nodes:
backward_edges[node.unique_id] = node.depends_on_nodes[:]
for unique_id in node.depends_on_nodes:
forward_edges[unique_id].append(node.unique_id)
return _sort_values(forward_edges), _sort_values(backward_edges)
| build_edges | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(nodes):\n backward_edges = {}\n forward_edges = {node.unique_id: [] for node in nodes}\n for node in nodes:\n backward_edges[node.unique_id] = ... |
def x(self):
forward_edges, backward_edges = build_edges(self.nodes.values())
return {'nodes': {k: v.serialize() for k, v in self.nodes.items()},
'macros': {k: v.serialize() for k, v in self.macros.items()},
'docs': {k: v.serialize() for k, v in self.docs.items()},
'parent_map': backward_edges, 'child_map': forward_edges,
'generated_at': self.generated_at, 'metadata': self.metadata,
'disabled': [v.serialize() for v in self.disabled]}
| serialize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n forward_edges, backward_edges = build_edges(self.nodes.values())\n return {'nodes': {k: v.serialize() for k, v in self.nodes.items()},\n ... |
def x(self, name, package):
return self._find_by_name(name, package, 'macros', [NodeType.Macro])
| find_macro_by_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, package):\n return self._find_by_name(name, package, 'macros', [NodeType.Macro])\n",
"role": "user"
},
{
"content": "find_macro_by_n... |
def x(self, name, package):
return self._find_by_name(name, package, 'nodes', NodeType.refable())
| find_refable_by_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, package):\n return self._find_by_name(name, package, 'nodes', NodeType.refable())\n",
"role": "user"
},
{
"content": "find_refable_b... |
def x(self, source_name, table_name, package):
name = '{}.{}'.format(source_name, table_name)
return self._find_by_name(name, package, 'nodes', [NodeType.Source])
| find_source_by_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source_name, table_name, package):\n name = '{}.{}'.format(source_name, table_name)\n return self._find_by_name(name, package, 'nodes', [NodeType.S... |
def x(self, subgraph, predicate):
to_return = []
for unique_id, item in subgraph.items():
if predicate(item):
to_return.append(item)
return to_return
| filter_subgraph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subgraph, predicate):\n to_return = []\n for unique_id, item in subgraph.items():\n if predicate(item):\n to_return.append(item)\... |
def x(self, schema, table):
def x(model):
return self._model_matches_schema_and_table(schema, table, model)
matching = list(self._filter_subgraph(self.nodes, predicate))
return [match.get('unique_id') for match in matching]
| get_unique_ids_for_schema_and_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, schema, table):\n\n def x(model):\n return self._model_matches_schema_and_table(schema, table, model)\n matching = list(self._filter_subgrap... |
def x(self, new_nodes):
for unique_id, node in new_nodes.items():
if unique_id in self.nodes:
raise_duplicate_resource_name(node, self.nodes[unique_id])
self.nodes[unique_id] = node
| add_nodes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, new_nodes):\n for unique_id, node in new_nodes.items():\n if unique_id in self.nodes:\n raise_duplicate_resource_name(node, self.nod... |
def x(self, patches):
for node in self.nodes.values():
if node.resource_type != NodeType.Model:
continue
patch = patches.pop(node.name, None)
if not patch:
continue
node.patch(patch)
if patches:
for patch in patches.values():
logger.debug(
'WARNING: Found documentation for model "{}" which was not found or is disabled'
.format(patch.name))
| patch_nodes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, patches):\n for node in self.nodes.values():\n if node.resource_type != NodeType.Model:\n continue\n patch = patches.pop(node... |
def x(self):
return {'nodes': {k: v.to_shallow_dict() for k, v in self.nodes.items()
}, 'macros': self.macros}
| to_flat_graph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {'nodes': {k: v.to_shallow_dict() for k, v in self.nodes.items()\n }, 'macros': self.macros}\n",
"role": "user"
},
{
"con... |
def x(data, column_names):
if len(data) == 0:
return agate.Table([], column_names=column_names)
else:
table = agate.Table.from_object(data, column_types=DEFAULT_TYPE_TESTER)
return table.select(column_names)
| table_from_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, column_names):\n if len(data) == 0:\n return agate.Table([], column_names=column_names)\n else:\n table = agate.Table.from_object(dat... |
def x(self):
if self._get_schema_func is not None:
return self._get_schema_func
get_schema_macro = self.macro_manifest.find_macro_by_name(
'generate_schema_name', self.root_project_config.project_name)
if get_schema_macro is None:
get_schema_macro = self.macro_manifest.find_macro_by_name(
'generate_schema_name', GLOBAL_PROJECT_NAME)
if get_schema_macro is None:
def x(_):
return self.default_schema
else:
root_context = dbt.context.parser.generate_macro(get_schema_macro,
self.root_project_config, self.macro_manifest)
get_schema = get_schema_macro.generator(root_context)
self._get_schema_func = get_schema
return self._get_schema_func
| get_schema_func | [
{
"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._get_schema_func is not None:\n return self._get_schema_func\n get_schema_macro = self.macro_manifest.find_macro_by_name(\n ... |
def x(self):
if self._get_alias_func is not None:
return self._get_alias_func
get_alias_macro = self.macro_manifest.find_macro_by_name(
'generate_alias_name', self.root_project_config.project_name)
if get_alias_macro is None:
get_alias_macro = self.macro_manifest.find_macro_by_name(
'generate_alias_name', GLOBAL_PROJECT_NAME)
if get_alias_macro is None:
def x(node, custom_alias_name=None):
if custom_alias_name is None:
return node.name
else:
return custom_alias_name
else:
root_context = dbt.context.parser.generate_macro(get_alias_macro,
self.root_project_config, self.macro_manifest)
get_alias = get_alias_macro.generator(root_context)
self._get_alias_func = get_alias
return self._get_alias_func
| get_alias_func | [
{
"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._get_alias_func is not None:\n return self._get_alias_func\n get_alias_macro = self.macro_manifest.find_macro_by_name(\n '... |
def x(self, config, node_dict, node_path, package_project_config, tags, fqn,
agate_table, archive_config, column_name):
if agate_table is not None:
node_dict['agate_table'] = agate_table
config_dict = coalesce(archive_config, {})
config_dict.update(config.config)
empty = 'raw_sql' in node_dict and len(node_dict['raw_sql'].strip()) == 0
node_dict.update({'refs': [], 'sources': [], 'depends_on': {'nodes': [],
'macros': []}, 'unique_id': node_path, 'empty': empty, 'fqn': fqn,
'tags': tags, 'config': config_dict, 'schema': self.default_schema,
'database': self.default_database, 'alias': node_dict.get('name')})
if column_name is not None:
node_dict['column_name'] = column_name
return node_dict
| build_intermediate_node_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, config, node_dict, node_path, package_project_config, tags, fqn,\n agate_table, archive_config, column_name):\n if agate_table is not None:\n ... |
def x(self, parsed_node, config):
context = dbt.context.parser.generate(parsed_node, self.
root_project_config, self.macro_manifest, config)
dbt.clients.jinja.get_rendered(parsed_node.raw_sql, context,
parsed_node.to_shallow_dict(), capture_macros=True)
| render_with_context | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parsed_node, config):\n context = dbt.context.parser.generate(parsed_node, self.\n root_project_config, self.macro_manifest, config)\n dbt.c... |
def x(self, parsed_node, config):
schema_override = config.config.get('schema')
get_schema = self.get_schema_func()
parsed_node.schema = get_schema(schema_override).strip()
alias_override = config.config.get('alias')
get_alias = self.get_alias_func()
parsed_node.alias = get_alias(parsed_node, alias_override).strip()
parsed_node.database = config.config.get('database', self.default_database
).strip()
model_tags = config.config.get('tags', [])
parsed_node.tags.extend(model_tags)
config_dict = parsed_node.get('config', {})
config_dict.update(config.config)
parsed_node.config = config_dict
for hook_type in dbt.hooks.ModelHookType.Both:
parsed_node.config[hook_type] = dbt.hooks.get_hooks(parsed_node,
hook_type)
| update_parsed_node_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parsed_node, config):\n schema_override = config.config.get('schema')\n get_schema = self.get_schema_func()\n parsed_node.schema = get_schema(sc... |
def x(self, node, node_path, package_project_config, tags=None, fqn_extra=
None, fqn=None, agate_table=None, archive_config=None, column_name=None):
logger.debug('Parsing {}'.format(node_path))
tags = coalesce(tags, [])
fqn_extra = coalesce(fqn_extra, [])
if fqn is None:
fqn = self.get_fqn(node, package_project_config, fqn_extra)
config = SourceConfig(self.root_project_config, package_project_config,
fqn, node.resource_type)
parsed_dict = self._build_intermediate_node_dict(config, node.serialize
(), node_path, config, tags, fqn, agate_table, archive_config,
column_name)
parsed_node = ParsedNode(**parsed_dict)
self._render_with_context(parsed_node, config)
self._update_parsed_node_info(parsed_node, config)
parsed_node.validate()
return parsed_node
| parse_node | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node, node_path, package_project_config, tags=None, fqn_extra=\n None, fqn=None, agate_table=None, archive_config=None, column_name=None):\n logger... |
def x(self, name, path, contents):
if not dbt.flags.TEST_NEW_PARSER:
return True
try:
dbt.clients.jinja.extract_toplevel_blocks(contents)
except Exception:
return False
return True
| check_block_parsing | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, path, contents):\n if not dbt.flags.TEST_NEW_PARSER:\n return True\n try:\n dbt.clients.jinja.extract_toplevel_blocks(contents)... |
def x(self):
kwargs = {}
if len(self.fields) > 0:
fields = [field.column_to_bq_schema() for field in self.fields]
kwargs = {'fields': fields}
return google.cloud.bigquery.SchemaField(self.name, self.dtype, self.
mode, **kwargs)
| column_to_bq_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n kwargs = {}\n if len(self.fields) > 0:\n fields = [field.column_to_bq_schema() for field in self.fields]\n kwargs = {'fields': fie... |
def x(self, selected_uids):
self.run_count = 0
self.num_nodes = len(selected_uids)
self.node_results = []
self._skipped_children = {}
self._skipped_children = {}
self._raise_next_tick = None
| runtime_cleanup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, selected_uids):\n self.run_count = 0\n self.num_nodes = len(selected_uids)\n self.node_results = []\n self._skipped_children = {}\n self._... |
def x(cls, file_match, root_dir, package_name, should_parse):
abspath = file_match['absolute_path']
logger.debug('Parsing {}'.format(abspath))
table_name = os.path.basename(abspath)[:-4]
node = UnparsedNode(path=file_match['relative_path'], name=table_name,
root_path=root_dir, resource_type=NodeType.Seed, raw_sql=
'-- csv --', package_name=package_name, original_file_path=os.path.
join(file_match.get('searched_path'), file_match.get('relative_path')))
if should_parse:
try:
table = dbt.clients.agate_helper.from_csv(abspath)
except ValueError as e:
dbt.exceptions.raise_compiler_error(str(e), node)
else:
table = dbt.clients.agate_helper.empty_table()
table.original_abspath = abspath
return node, table
| parse_seed_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, file_match, root_dir, package_name, should_parse):\n abspath = file_match['absolute_path']\n logger.debug('Parsing {}'.format(abspath))\n table_n... |
def x(self, package_name, root_dir, relative_dirs, tags=None):
extension = '[!.#~]*.csv'
if dbt.flags.STRICT_MODE:
dbt.contracts.project.ProjectList(**self.all_projects)
file_matches = dbt.clients.system.find_matching(root_dir, relative_dirs,
extension)
should_parse = self.root_project_config.args.which == 'seed'
result = {}
for file_match in file_matches:
node, agate_table = self.parse_seed_file(file_match, root_dir,
package_name, should_parse)
node_path = self.get_path(NodeType.Seed, package_name, node.name)
parsed = self.parse_node(node, node_path, self.all_projects.get(
package_name), tags=tags, agate_table=agate_table)
result[node_path] = parsed
return result
| load_and_parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, package_name, root_dir, relative_dirs, tags=None):\n extension = '[!.#~]*.csv'\n if dbt.flags.STRICT_MODE:\n dbt.contracts.project.ProjectLi... |
def x(source, prefix):
cut = len(prefix)
return {k[cut:]: v for k, v in source.items() if k.startswith(prefix)}
| get_stripped_prefix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source, prefix):\n cut = len(prefix)\n return {k[cut:]: v for k, v in source.items() if k.startswith(prefix)}\n",
"role": "user"
},
{
"conten... |
def x(stats):
stats_collector = {}
for stat_key, stat_value in stats.items():
stat_id, stat_field = stat_key.split(':')
stats_collector.setdefault(stat_id, {'id': stat_id})
stats_collector[stat_id][stat_field] = stat_value
stats_collector = {stat_id: stats for stat_id, stats in stats_collector
.items() if stats.get('include', False)}
has_stats = {'id': 'has_stats', 'label': 'Has Stats?', 'value': len(
stats_collector) > 0, 'description':
'Indicates whether there are statistics for this table', 'include':
False}
stats_collector['has_stats'] = has_stats
return stats_collector
| format_stats | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stats):\n stats_collector = {}\n for stat_key, stat_value in stats.items():\n stat_id, stat_field = stat_key.split(':')\n stats_collector.s... |
def x(columns):
structured = {}
for entry in columns:
schema_name = entry['table_schema']
table_name = entry['table_name']
if schema_name not in structured:
structured[schema_name] = {}
schema = structured[schema_name]
if table_name not in schema:
metadata = get_stripped_prefix(entry, 'table_')
stats = get_stripped_prefix(entry, 'stats:')
stats_dict = format_stats(stats)
schema[table_name] = {'metadata': metadata, 'stats': stats_dict,
'columns': {}}
table = schema[table_name]
column = get_stripped_prefix(entry, 'column_')
column['index'] = bigint(column['index'])
table['columns'][column['name']] = column
return structured
| unflatten | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(columns):\n structured = {}\n for entry in columns:\n schema_name = entry['table_schema']\n table_name = entry['table_name']\n if sc... |
def x(context, package_name, macro_map):
key = package_name
if package_name in PACKAGES:
key = GLOBAL_PROJECT_NAME
if key not in context:
context[key] = {}
context[key].update(macro_map)
| add_macro_map | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(context, package_name, macro_map):\n key = package_name\n if package_name in PACKAGES:\n key = GLOBAL_PROJECT_NAME\n if key not in context:\n ... |
def x(model, model_dict, config, manifest, source_config, provider, adapter
=None):
if provider is None:
raise dbt.exceptions.InternalException(
'Invalid provider given to context: {}'.format(provider))
target_name = config.target_name
target = config.to_profile_info()
del target['credentials']
target.update(config.credentials.serialize(with_aliases=True))
target['type'] = config.credentials.type
target.pop('pass', None)
target['name'] = target_name
adapter = get_adapter(config)
context = {'env': target}
pre_hooks = None
post_hooks = None
db_wrapper = DatabaseWrapper(adapter)
context = dbt.utils.merge(context, {'adapter': db_wrapper, 'api': {
'Relation': db_wrapper.Relation, 'Column': adapter.Column},
'column': adapter.Column, 'config': provider.Config(model_dict,
source_config), 'database': config.credentials.database, 'env_var':
env_var, 'exceptions': dbt.exceptions.wrapped_exports(model),
'execute': provider.execute, 'flags': dbt.flags, 'graph': manifest.
to_flat_graph(), 'log': log, 'model': model_dict, 'modules': {
'pytz': get_pytz_module_context(), 'datetime':
get_datetime_module_context()}, 'post_hooks': post_hooks,
'pre_hooks': pre_hooks, 'ref': provider.ref(db_wrapper, model,
config, manifest), 'return': _return, 'schema': config.credentials.
schema, 'sql': None, 'sql_now': adapter.date_function(), 'source':
provider.source(db_wrapper, model, config, manifest), 'fromjson':
fromjson, 'tojson': tojson, 'target': target,
'try_or_compiler_error': try_or_compiler_error(model)})
return context
| generate_base | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model, model_dict, config, manifest, source_config, provider, adapter\n =None):\n if provider is None:\n raise dbt.exceptions.InternalException(\n... |
def x(model, config, manifest, provider):
model_dict = model.serialize()
context = generate_base(model, model_dict, config, manifest, None, provider
)
return modify_generated_context(context, model, model_dict, config,
manifest)
| generate_execute_macro | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model, config, manifest, provider):\n model_dict = model.serialize()\n context = generate_base(model, model_dict, config, manifest, None, provider\n ... |
def x(model, config, manifest, source_config=None, provider=None):
return generate_model(model, config, manifest, source_config, provider)
| generate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model, config, manifest, source_config=None, provider=None):\n return generate_model(model, config, manifest, source_config, provider)\n",
"role": "user... |
def x(self, path):
meta = {'generated_at': self.generated_at, 'elapsed_time': self.
elapsed_time}
sources = {}
for result in self.results:
unique_id = result.node.unique_id
if result.error is not None:
result_dict = {'error': result.error, 'state': 'runtime error'}
else:
result_dict = {'max_loaded_at': result.max_loaded_at,
'snapshotted_at': result.snapshotted_at,
'max_loaded_at_time_ago_in_s': result.age, 'state': result.
status, 'criteria': result.node.freshness}
sources[unique_id] = result_dict
output = FreshnessRunOutput(meta=meta, sources=sources)
output.write(path)
| write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n meta = {'generated_at': self.generated_at, 'elapsed_time': self.\n elapsed_time}\n sources = {}\n for result in self.results:\n ... |
def x(relation):
return _ReferenceKey(_lower(relation.database), _lower(relation.schema),
_lower(relation.identifier))
| make_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(relation):\n return _ReferenceKey(_lower(relation.database), _lower(relation.schema),\n _lower(relation.identifier))\n",
"role": "user"
},
{
... |
def x(self):
consequences = {self.key()}
for relation in self.referenced_by.values():
consequences.update(relation.collect_consequences())
return consequences
| collect_consequences | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n consequences = {self.key()}\n for relation in self.referenced_by.values():\n consequences.update(relation.collect_consequences())\n re... |
def x(self, keys):
keys = set(self.referenced_by) & set(keys)
for key in keys:
self.referenced_by.pop(key)
| release_references | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, keys):\n keys = set(self.referenced_by) & set(keys)\n for key in keys:\n self.referenced_by.pop(key)\n",
"role": "user"
},
{
"co... |
def x(self, new_relation):
self.inner = self.inner.incorporate(path={'database': new_relation.
inner.database, 'schema': new_relation.inner.schema, 'identifier':
new_relation.inner.identifier}, table_name=new_relation.inner.
identifier)
| rename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, new_relation):\n self.inner = self.inner.incorporate(path={'database': new_relation.\n inner.database, 'schema': new_relation.inner.schema, 'id... |
def x(self, old_key, new_key):
if new_key in self.referenced_by:
dbt.exceptions.raise_cache_inconsistent(
'in rename of "{}" -> "{}", new name is in the cache already'.
format(old_key, new_key))
if old_key not in self.referenced_by:
return
value = self.referenced_by.pop(old_key)
self.referenced_by[new_key] = value
| rename_key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, old_key, new_key):\n if new_key in self.referenced_by:\n dbt.exceptions.raise_cache_inconsistent(\n 'in rename of \"{}\" -> \"{}\", ... |
def x(self, database, schema):
self.schemas.add((_lower(database), _lower(schema)))
| add_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, database, schema):\n self.schemas.add((_lower(database), _lower(schema)))\n",
"role": "user"
},
{
"content": "add_schema",
"role": "as... |
def x(self, database, schema):
self.schemas.discard((_lower(database), _lower(schema)))
| remove_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, database, schema):\n self.schemas.discard((_lower(database), _lower(schema)))\n",
"role": "user"
},
{
"content": "remove_schema",
"rol... |
def x(self, schemas):
self.schemas.update((_lower(d), _lower(s)) for d, s in schemas)
| update_schemas | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, schemas):\n self.schemas.update((_lower(d), _lower(s)) for d, s in schemas)\n",
"role": "user"
},
{
"content": "update_schemas",
"role... |
def x(self):
with self.lock:
return {dot_separated(k): v.dump_graph_entry() for k, v in self.
relations.items()}
| dump_graph | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with self.lock:\n return {dot_separated(k): v.dump_graph_entry() for k, v in self.\n relations.items()}\n",
"role": "user"
... |
def x(self, relation):
self.add_schema(relation.database, relation.schema)
key = relation.key()
return self.relations.setdefault(key, relation)
| setdefault | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, relation):\n self.add_schema(relation.database, relation.schema)\n key = relation.key()\n return self.relations.setdefault(key, relation)\n",
... |
def x(self, referenced_key, dependent_key):
referenced = self.relations.get(referenced_key)
if referenced is None:
dbt.exceptions.raise_cache_inconsistent(
'in add_link, referenced link key {} not in cache!'.format(
referenced_key))
dependent = self.relations.get(dependent_key)
if dependent is None:
dbt.exceptions.raise_cache_inconsistent(
'in add_link, dependent link key {} not in cache!'.format(
dependent_key))
referenced.add_reference(dependent)
| add_link | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, referenced_key, dependent_key):\n referenced = self.relations.get(referenced_key)\n if referenced is None:\n dbt.exceptions.raise_cache_inco... |
def x(self, referenced, dependent):
referenced = _make_key(referenced)
if (referenced.database, referenced.schema) not in self:
logger.debug(
'{dep!s} references {ref!s} but {ref.database}.{ref.schema} is not in the cache, skipping assumed external relation'
.format(dep=dependent, ref=referenced))
return
dependent = _make_key(dependent)
logger.debug('adding link, {!s} references {!s}'.format(dependent,
referenced))
with self.lock:
self._add_link(referenced, dependent)
| add_link | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, referenced, dependent):\n referenced = _make_key(referenced)\n if (referenced.database, referenced.schema) not in self:\n logger.debug(\n ... |
def x(self, relation):
cached = _CachedRelation(relation)
logger.debug('Adding relation: {!s}'.format(cached))
logger.debug('before adding: {}'.format(pprint.pformat(self.dump_graph())))
with self.lock:
self._setdefault(cached)
logger.debug('after adding: {}'.format(pprint.pformat(self.dump_graph())))
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, relation):\n cached = _CachedRelation(relation)\n logger.debug('Adding relation: {!s}'.format(cached))\n logger.debug('before adding: {}'.format... |
def x(self, keys):
for key in keys:
del self.relations[key]
for cached in self.relations.values():
cached.release_references(keys)
| remove_refs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, keys):\n for key in keys:\n del self.relations[key]\n for cached in self.relations.values():\n cached.release_references(keys)\n",
... |
def x(self, dropped):
if dropped not in self.relations:
logger.debug('dropped a nonexistent relationship: {!s}'.format(dropped)
)
return
consequences = self.relations[dropped].collect_consequences()
logger.debug('drop {} is cascading to {}'.format(dropped, consequences))
self._remove_refs(consequences)
| drop_cascade_relation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dropped):\n if dropped not in self.relations:\n logger.debug('dropped a nonexistent relationship: {!s}'.format(dropped)\n )\n ... |
def x(self, relation):
dropped = _make_key(relation)
logger.debug('Dropping relation: {!s}'.format(dropped))
with self.lock:
self._drop_cascade_relation(dropped)
| drop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, relation):\n dropped = _make_key(relation)\n logger.debug('Dropping relation: {!s}'.format(dropped))\n with self.lock:\n self._drop_casca... |
def x(self, old_key, new_relation):
relation = self.relations.pop(old_key)
new_key = new_relation.key()
relation.rename(new_relation)
for cached in self.relations.values():
if cached.is_referenced_by(old_key):
logger.debug('updated reference from {0} -> {2} to {1} -> {2}'.
format(old_key, new_key, cached.key()))
cached.rename_key(old_key, new_key)
self.relations[new_key] = relation
self.remove_schema(old_key.database, old_key.schema)
self.add_schema(new_key.database, new_key.schema)
return True
| rename_relation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, old_key, new_relation):\n relation = self.relations.pop(old_key)\n new_key = new_relation.key()\n relation.rename(new_relation)\n for cached ... |
def x(self, old_key, new_key):
if new_key in self.relations:
dbt.exceptions.raise_cache_inconsistent(
'in rename, new key {} already in cache: {}'.format(new_key,
list(self.relations.keys())))
if old_key not in self.relations:
logger.debug(
'old key {} not found in self.relations, assuming temporary'.
format(old_key))
return False
return True
| check_rename_constraints | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, old_key, new_key):\n if new_key in self.relations:\n dbt.exceptions.raise_cache_inconsistent(\n 'in rename, new key {} already in ca... |
def x(self, old, new):
old_key = _make_key(old)
new_key = _make_key(new)
logger.debug('Renaming relation {!s} to {!s}'.format(old_key, new_key))
logger.debug('before rename: {}'.format(pprint.pformat(self.dump_graph())))
with self.lock:
if self._check_rename_constraints(old_key, new_key):
self._rename_relation(old_key, _CachedRelation(new))
else:
self._setdefault(_CachedRelation(new))
logger.debug('after rename: {}'.format(pprint.pformat(self.dump_graph())))
| rename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, old, new):\n old_key = _make_key(old)\n new_key = _make_key(new)\n logger.debug('Renaming relation {!s} to {!s}'.format(old_key, new_key))\n ... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.