source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(pronac, data):
cpf_cnpj = get_cpf_cnpj_by_pronac(pronac)
proponent_submitted_projects = {}
proponent_analyzed_projects = {}
if cpf_cnpj:
submitted_projects = get_proponent_submitted_projects(cpf_cnpj)
analyzed_projects = get_proponent_analyzed_projects(cpf_cnpj)
try:
proponent_submitted_projects = {'number_of_projects':
submitted_projects['num_pronacs'],
'pronacs_of_this_proponent': submitted_projects['pronac_list']}
except KeyError:
pass
try:
proponent_analyzed_projects = {'number_of_projects':
analyzed_projects['num_pronacs'],
'pronacs_of_this_proponent': analyzed_projects['pronac_list']}
except KeyError:
pass
return {'cpf_cnpj': cpf_cnpj, 'valor': len(proponent_submitted_projects
), 'projetos_submetidos': proponent_submitted_projects,
'projetos_analizados': proponent_analyzed_projects}
|
proponent_projects
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pronac, data):\n cpf_cnpj = get_cpf_cnpj_by_pronac(pronac)\n proponent_submitted_projects = {}\n proponent_analyzed_projects = {}\n if cpf_cnpj:\n submitted_projects = get_proponent_submitted_projects(cpf_cnpj)\n analyzed_projects = get_proponent_analyzed_projects(cpf_cnpj)\n try:\n proponent_submitted_projects = {'number_of_projects':\n submitted_projects['num_pronacs'],\n 'pronacs_of_this_proponent': submitted_projects['pronac_list']}\n except KeyError:\n pass\n try:\n proponent_analyzed_projects = {'number_of_projects':\n analyzed_projects['num_pronacs'],\n 'pronacs_of_this_proponent': analyzed_projects['pronac_list']}\n except KeyError:\n pass\n return {'cpf_cnpj': cpf_cnpj, 'valor': len(proponent_submitted_projects\n ), 'projetos_submetidos': proponent_submitted_projects,\n 'projetos_analizados': proponent_analyzed_projects}\n",
"role": "user"
},
{
"content": "proponent_projects",
"role": "assistant"
}
] |
def x(raw_df):
df = raw_df[['PRONAC', 'proponenteCgcCpf']]
analyzed_projects = df.groupby('proponenteCgcCpf')['PRONAC'].agg([
'unique', 'nunique'])
analyzed_projects.columns = ['pronac_list', 'num_pronacs']
return analyzed_projects
|
analyzed_projects
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raw_df):\n df = raw_df[['PRONAC', 'proponenteCgcCpf']]\n analyzed_projects = df.groupby('proponenteCgcCpf')['PRONAC'].agg([\n 'unique', 'nunique'])\n analyzed_projects.columns = ['pronac_list', 'num_pronacs']\n return analyzed_projects\n",
"role": "user"
},
{
"content": "analyzed_projects",
"role": "assistant"
}
] |
def x(raw_df):
df = raw_df.astype({'PRONAC': str, 'CgcCpf': str})
submitted_projects = df.groupby('CgcCpf')['PRONAC'].agg(['unique',
'nunique'])
submitted_projects.columns = ['pronac_list', 'num_pronacs']
return submitted_projects
|
submitted_projects
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raw_df):\n df = raw_df.astype({'PRONAC': str, 'CgcCpf': str})\n submitted_projects = df.groupby('CgcCpf')['PRONAC'].agg(['unique',\n 'nunique'])\n submitted_projects.columns = ['pronac_list', 'num_pronacs']\n return submitted_projects\n",
"role": "user"
},
{
"content": "submitted_projects",
"role": "assistant"
}
] |
def x(csv_name, usecols=None):
csv_path = os.path.join(DATA_FOLDER, csv_name)
csv = pd.read_csv(csv_path, low_memory=False, usecols=usecols, encoding
='utf-8')
return csv
|
read_csv
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(csv_name, usecols=None):\n csv_path = os.path.join(DATA_FOLDER, csv_name)\n csv = pd.read_csv(csv_path, low_memory=False, usecols=usecols, encoding\n ='utf-8')\n return csv\n",
"role": "user"
},
{
"content": "read_csv",
"role": "assistant"
}
] |
def x(csv_name, column_types_dict, usecols=None):
csv_path = os.path.join(DATA_FOLDER, csv_name)
csv = pd.read_csv(csv_path, usecols=usecols, encoding='utf-8', dtype=
column_types_dict, engine='python')
for key_column, val_type in column_types_dict.items():
if val_type == str:
csv[key_column] = csv[key_column].str.strip()
return csv
|
read_csv_with_different_type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(csv_name, column_types_dict, usecols=None):\n csv_path = os.path.join(DATA_FOLDER, csv_name)\n csv = pd.read_csv(csv_path, usecols=usecols, encoding='utf-8', dtype=\n column_types_dict, engine='python')\n for key_column, val_type in column_types_dict.items():\n if val_type == str:\n csv[key_column] = csv[key_column].str.strip()\n return csv\n",
"role": "user"
},
{
"content": "read_csv_with_different_type",
"role": "assistant"
}
] |
def x(csv_name, integer_columns, usecols=None):
csv_path = os.path.join(DATA_FOLDER, csv_name)
csv = pd.read_csv(csv_path, low_memory=False, usecols=usecols)
for column in integer_columns:
csv = csv[pd.to_numeric(csv[column], errors='coerce').notnull()]
csv[integer_columns] = csv[integer_columns].apply(pd.to_numeric)
return csv
|
read_csv_as_integer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(csv_name, integer_columns, usecols=None):\n csv_path = os.path.join(DATA_FOLDER, csv_name)\n csv = pd.read_csv(csv_path, low_memory=False, usecols=usecols)\n for column in integer_columns:\n csv = csv[pd.to_numeric(csv[column], errors='coerce').notnull()]\n csv[integer_columns] = csv[integer_columns].apply(pd.to_numeric)\n return csv\n",
"role": "user"
},
{
"content": "read_csv_as_integer",
"role": "assistant"
}
] |
def x(pronac, dt):
df = verified_repeated_receipts_for_pronac(pronac)
comprovantes_cheque = df[df['tpFormaDePagamento'] == 1.0]
return metric_return(comprovantes_cheque)
|
check_receipts
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pronac, dt):\n df = verified_repeated_receipts_for_pronac(pronac)\n comprovantes_cheque = df[df['tpFormaDePagamento'] == 1.0]\n return metric_return(comprovantes_cheque)\n",
"role": "user"
},
{
"content": "check_receipts",
"role": "assistant"
}
] |
def x(pronac, dt):
df = verified_repeated_receipts_for_pronac(pronac)
comprovantes_transferencia = df[df['tpFormaDePagamento'] == 2.0]
return metric_return(comprovantes_transferencia)
|
transfer_receipts
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pronac, dt):\n df = verified_repeated_receipts_for_pronac(pronac)\n comprovantes_transferencia = df[df['tpFormaDePagamento'] == 2.0]\n return metric_return(comprovantes_transferencia)\n",
"role": "user"
},
{
"content": "transfer_receipts",
"role": "assistant"
}
] |
def x(pronac, dt):
df = verified_repeated_receipts_for_pronac(pronac)
comprovantes_saque = df[df['tpFormaDePagamento'] == 3.0]
return metric_return(comprovantes_saque)
|
money_receipts
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pronac, dt):\n df = verified_repeated_receipts_for_pronac(pronac)\n comprovantes_saque = df[df['tpFormaDePagamento'] == 3.0]\n return metric_return(comprovantes_saque)\n",
"role": "user"
},
{
"content": "money_receipts",
"role": "assistant"
}
] |
def x(pronac, data):
is_outlier, mean, std, total_raised_funds = get_outlier_info(pronac)
maximum_expected_funds = gaussian_outlier.maximum_expected_value(mean, std)
return {'is_outlier': is_outlier, 'total_raised_funds':
total_raised_funds, 'maximum_expected_funds': maximum_expected_funds}
|
raised_funds
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pronac, data):\n is_outlier, mean, std, total_raised_funds = get_outlier_info(pronac)\n maximum_expected_funds = gaussian_outlier.maximum_expected_value(mean, std)\n return {'is_outlier': is_outlier, 'total_raised_funds':\n total_raised_funds, 'maximum_expected_funds': maximum_expected_funds}\n",
"role": "user"
},
{
"content": "raised_funds",
"role": "assistant"
}
] |
def x(df):
grouped = df.groupby('Segmento')
aggregated = grouped.agg(['mean', 'std'])
aggregated.columns = aggregated.columns.droplevel(0)
return aggregated
|
segment_raised_funds_average
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df):\n grouped = df.groupby('Segmento')\n aggregated = grouped.agg(['mean', 'std'])\n aggregated.columns = aggregated.columns.droplevel(0)\n return aggregated\n",
"role": "user"
},
{
"content": "segment_raised_funds_average",
"role": "assistant"
}
] |
def x(pronac):
df = data.planilha_captacao
raised_funds_averages = data.segment_raised_funds_average.to_dict('index')
segment_id = df[df['Pronac'] == pronac]['Segmento'].iloc[0]
mean = raised_funds_averages[segment_id]['mean']
std = raised_funds_averages[segment_id]['std']
project_raised_funds = get_project_raised_funds(pronac)
outlier = gaussian_outlier.is_outlier(project_raised_funds, mean, std)
return outlier, mean, std, project_raised_funds
|
get_outlier_info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pronac):\n df = data.planilha_captacao\n raised_funds_averages = data.segment_raised_funds_average.to_dict('index')\n segment_id = df[df['Pronac'] == pronac]['Segmento'].iloc[0]\n mean = raised_funds_averages[segment_id]['mean']\n std = raised_funds_averages[segment_id]['std']\n project_raised_funds = get_project_raised_funds(pronac)\n outlier = gaussian_outlier.is_outlier(project_raised_funds, mean, std)\n return outlier, mean, std, project_raised_funds\n",
"role": "user"
},
{
"content": "get_outlier_info",
"role": "assistant"
}
] |
def x(pronac, dt):
items_df = data.approved_verified_items
items_df = items_df.loc[items_df['PRONAC'] == pronac]
items_df[[APPROVED_COLUMN, VERIFIED_COLUMN]] = items_df[[
APPROVED_COLUMN, VERIFIED_COLUMN]].astype(float)
items_df['Item'] = items_df['Item'].str.replace('\r', '')
items_df['Item'] = items_df['Item'].str.replace('\n', '')
items_df['Item'] = items_df['Item'].str.replace('"', '')
items_df['Item'] = items_df['Item'].str.replace("'", '')
items_df['Item'] = items_df['Item'].str.replace('\\', '')
THRESHOLD = 1.5
bigger_than_approved = items_df[VERIFIED_COLUMN] > items_df[APPROVED_COLUMN
] * THRESHOLD
features = items_df[bigger_than_approved]
outlier_items = outlier_items_(features)
features_size = features.shape[0]
is_outlier = features_size > 0
return {'is_outlier': is_outlier, 'valor': features_size,
'maximo_esperado': MIN_EXPECTED_ITEMS, 'minimo_esperado':
MAX_EXPECTED_ITEMS, 'lista_de_comprovantes': outlier_items,
'link_da_planilha':
'http://salic.cultura.gov.br/projeto/#/{0}/relacao-de-pagamento'.
format(pronac)}
|
verified_approved
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pronac, dt):\n items_df = data.approved_verified_items\n items_df = items_df.loc[items_df['PRONAC'] == pronac]\n items_df[[APPROVED_COLUMN, VERIFIED_COLUMN]] = items_df[[\n APPROVED_COLUMN, VERIFIED_COLUMN]].astype(float)\n items_df['Item'] = items_df['Item'].str.replace('\\r', '')\n items_df['Item'] = items_df['Item'].str.replace('\\n', '')\n items_df['Item'] = items_df['Item'].str.replace('\"', '')\n items_df['Item'] = items_df['Item'].str.replace(\"'\", '')\n items_df['Item'] = items_df['Item'].str.replace('\\\\', '')\n THRESHOLD = 1.5\n bigger_than_approved = items_df[VERIFIED_COLUMN] > items_df[APPROVED_COLUMN\n ] * THRESHOLD\n features = items_df[bigger_than_approved]\n outlier_items = outlier_items_(features)\n features_size = features.shape[0]\n is_outlier = features_size > 0\n return {'is_outlier': is_outlier, 'valor': features_size,\n 'maximo_esperado': MIN_EXPECTED_ITEMS, 'minimo_esperado':\n MAX_EXPECTED_ITEMS, 'lista_de_comprovantes': outlier_items,\n 'link_da_planilha':\n 'http://salic.cultura.gov.br/projeto/#/{0}/relacao-de-pagamento'.\n format(pronac)}\n",
"role": "user"
},
{
"content": "verified_approved",
"role": "assistant"
}
] |
def x(path=ROOT / 'raw', clean=False):
for file in os.listdir(path):
base, ext = os.path.splitext(file)
if ext != '.csv':
continue
LOG(f'converting {file} to pickle')
df = pd.read_csv(path / file, low_memory=True)
WRITE_DF(df, path / (base + '.' + FILE_EXTENSION), **WRITE_DF_OPTS)
if clean:
os.remove(path / file)
LOG(f'removed {file}')
|
csv_to_pickle
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path=ROOT / 'raw', clean=False):\n for file in os.listdir(path):\n base, ext = os.path.splitext(file)\n if ext != '.csv':\n continue\n LOG(f'converting {file} to pickle')\n df = pd.read_csv(path / file, low_memory=True)\n WRITE_DF(df, path / (base + '.' + FILE_EXTENSION), **WRITE_DF_OPTS)\n if clean:\n os.remove(path / file)\n LOG(f'removed {file}')\n",
"role": "user"
},
{
"content": "csv_to_pickle",
"role": "assistant"
}
] |
def x(self, loc, df):
path = '%s.%s' % (self._root / 'processed' / loc, FILE_EXTENSION)
WRITE_DF(df, path, **WRITE_DF_OPTS)
self._cache[loc] = df
|
store
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, loc, df):\n path = '%s.%s' % (self._root / 'processed' / loc, FILE_EXTENSION)\n WRITE_DF(df, path, **WRITE_DF_OPTS)\n self._cache[loc] = df\n",
"role": "user"
},
{
"content": "store",
"role": "assistant"
}
] |
def x(self):
if self.gc_book:
self.gc_book.close()
if self.pricedb_session:
self.pricedb_session.close()
|
close_databases
|
[
{
"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.gc_book:\n self.gc_book.close()\n if self.pricedb_session:\n self.pricedb_session.close()\n",
"role": "user"
},
{
"content": "close_databases",
"role": "assistant"
}
] |
def x(self, symbol: str) ->Decimal(0):
book = self.get_gc_book()
collection = SecuritiesAggregate(book)
sec = collection.get_aggregate_for_symbol(symbol)
quantity = sec.get_quantity()
return quantity
|
load_stock_quantity
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, symbol: str) ->Decimal(0):\n book = self.get_gc_book()\n collection = SecuritiesAggregate(book)\n sec = collection.get_aggregate_for_symbol(symbol)\n quantity = sec.get_quantity()\n return quantity\n",
"role": "user"
},
{
"content": "load_stock_quantity",
"role": "assistant"
}
] |
def x(self):
if not self.gc_book:
gc_db = self.config.get(ConfigKeys.gnucash_book_path)
if not gc_db:
raise AttributeError('GnuCash book path not configured.')
if not os.path.isabs(gc_db):
gc_db = resource_filename(Requirement.parse('Asset-Allocation'),
gc_db)
if not os.path.exists(gc_db):
raise ValueError(f'Invalid GnuCash book path {gc_db}')
self.gc_book = open_book(gc_db, open_if_lock=True)
return self.gc_book
|
get_gc_book
|
[
{
"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.gc_book:\n gc_db = self.config.get(ConfigKeys.gnucash_book_path)\n if not gc_db:\n raise AttributeError('GnuCash book path not configured.')\n if not os.path.isabs(gc_db):\n gc_db = resource_filename(Requirement.parse('Asset-Allocation'),\n gc_db)\n if not os.path.exists(gc_db):\n raise ValueError(f'Invalid GnuCash book path {gc_db}')\n self.gc_book = open_book(gc_db, open_if_lock=True)\n return self.gc_book\n",
"role": "user"
},
{
"content": "get_gc_book",
"role": "assistant"
}
] |
def x(self) ->List[str]:
from gnucash_portfolio import BookAggregate
holdings = []
with BookAggregate() as book:
holding_entities = book.securities.get_all()
for item in holding_entities:
agg = book.securities.get_aggregate(item)
balance = agg.get_num_shares()
if balance > Decimal(0):
holdings.append(f'{item.namespace}:{item.mnemonic}')
else:
self.logger.debug(f'0 balance for {item}')
return holdings
|
get_symbols_with_positive_balances
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->List[str]:\n from gnucash_portfolio import BookAggregate\n holdings = []\n with BookAggregate() as book:\n holding_entities = book.securities.get_all()\n for item in holding_entities:\n agg = book.securities.get_aggregate(item)\n balance = agg.get_num_shares()\n if balance > Decimal(0):\n holdings.append(f'{item.namespace}:{item.mnemonic}')\n else:\n self.logger.debug(f'0 balance for {item}')\n return holdings\n",
"role": "user"
},
{
"content": "get_symbols_with_positive_balances",
"role": "assistant"
}
] |
def x(self):
from pricedb import dal
if not self.pricedb_session:
self.pricedb_session = dal.get_default_session()
return self.pricedb_session
|
get_pricedb_session
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from pricedb import dal\n if not self.pricedb_session:\n self.pricedb_session = dal.get_default_session()\n return self.pricedb_session\n",
"role": "user"
},
{
"content": "get_pricedb_session",
"role": "assistant"
}
] |
def x(assetclass: int, symbol: str):
assert isinstance(symbol, str)
assert isinstance(assetclass, int)
symbol = symbol.upper()
app = AppAggregate()
new_item = app.add_stock_to_class(assetclass, symbol)
print(f'Record added: {new_item}.')
|
add
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(assetclass: int, symbol: str):\n assert isinstance(symbol, str)\n assert isinstance(assetclass, int)\n symbol = symbol.upper()\n app = AppAggregate()\n new_item = app.add_stock_to_class(assetclass, symbol)\n print(f'Record added: {new_item}.')\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x():
app = AppAggregate()
app.logger = logger
unalloc = app.find_unallocated_holdings()
if not unalloc:
print(f'No unallocated holdings.')
for item in unalloc:
print(item)
|
unallocated
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n app = AppAggregate()\n app.logger = logger\n unalloc = app.find_unallocated_holdings()\n if not unalloc:\n print(f'No unallocated holdings.')\n for item in unalloc:\n print(item)\n",
"role": "user"
},
{
"content": "unallocated",
"role": "assistant"
}
] |
def x(self, model: AssetAllocationModel, full: bool=False):
self.full = full
output = (
f'Asset Allocation model, total: {model.currency} {model.total_amount:,.2f}\n'
)
for column in self.columns:
name = column['name']
if not self.full and name == 'loc.cur.':
continue
width = column['width']
output += f'{name:^{width}}'
output += '\n'
output += (
f'-------------------------------------------------------------------------------\n'
)
view_model = ModelMapper(model).map_to_linear(self.full)
for row in view_model:
output += self.__format_row(row) + '\n'
return output
|
format
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, model: AssetAllocationModel, full: bool=False):\n self.full = full\n output = (\n f'Asset Allocation model, total: {model.currency} {model.total_amount:,.2f}\\n'\n )\n for column in self.columns:\n name = column['name']\n if not self.full and name == 'loc.cur.':\n continue\n width = column['width']\n output += f'{name:^{width}}'\n output += '\\n'\n output += (\n f'-------------------------------------------------------------------------------\\n'\n )\n view_model = ModelMapper(model).map_to_linear(self.full)\n for row in view_model:\n output += self.__format_row(row) + '\\n'\n return output\n",
"role": "user"
},
{
"content": "format",
"role": "assistant"
}
] |
def x(self, row: AssetAllocationViewModel):
output = ''
index = 0
value = row.name
for _ in range(0, row.depth):
value = f' {value}'
output += self.append_text_column(value, index)
value = ''
index += 1
if row.set_allocation > 0:
value = f'{row.set_allocation:.2f}'
output += self.append_num_column(value, index)
value = ''
index += 1
if row.curr_allocation > Decimal(0):
value = f'{row.curr_allocation:.2f}'
output += self.append_num_column(value, index)
value = ''
index += 1
if row.alloc_diff_perc.copy_abs() > Decimal(0):
value = f'{row.alloc_diff_perc:.0f} %'
output += self.append_num_column(value, index)
index += 1
value = ''
if row.set_value:
value = f'{row.set_value:,.0f}'
output += self.append_num_column(value, index)
index += 1
value = f'{row.curr_value:,.0f}'
output += self.append_num_column(value, index)
index += 1
if self.full:
value = ''
if row.curr_value_own_currency:
value = f'({row.curr_value_own_currency:,.0f}'
value += f' {row.own_currency}'
value += ')'
output += self.append_num_column(value, index)
index += 1
value = ''
if row.diff_value:
value = f'{row.diff_value:,.0f}'
output += self.append_num_column(value, index)
return output
|
format_row
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, row: AssetAllocationViewModel):\n output = ''\n index = 0\n value = row.name\n for _ in range(0, row.depth):\n value = f' {value}'\n output += self.append_text_column(value, index)\n value = ''\n index += 1\n if row.set_allocation > 0:\n value = f'{row.set_allocation:.2f}'\n output += self.append_num_column(value, index)\n value = ''\n index += 1\n if row.curr_allocation > Decimal(0):\n value = f'{row.curr_allocation:.2f}'\n output += self.append_num_column(value, index)\n value = ''\n index += 1\n if row.alloc_diff_perc.copy_abs() > Decimal(0):\n value = f'{row.alloc_diff_perc:.0f} %'\n output += self.append_num_column(value, index)\n index += 1\n value = ''\n if row.set_value:\n value = f'{row.set_value:,.0f}'\n output += self.append_num_column(value, index)\n index += 1\n value = f'{row.curr_value:,.0f}'\n output += self.append_num_column(value, index)\n index += 1\n if self.full:\n value = ''\n if row.curr_value_own_currency:\n value = f'({row.curr_value_own_currency:,.0f}'\n value += f' {row.own_currency}'\n value += ')'\n output += self.append_num_column(value, index)\n index += 1\n value = ''\n if row.diff_value:\n value = f'{row.diff_value:,.0f}'\n output += self.append_num_column(value, index)\n return output\n",
"role": "user"
},
{
"content": "format_row",
"role": "assistant"
}
] |
def x(self, text: str, index: int):
width = self.columns[index]['width']
return f'{text:>{width}}'
|
append_num_column
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text: str, index: int):\n width = self.columns[index]['width']\n return f'{text:>{width}}'\n",
"role": "user"
},
{
"content": "append_num_column",
"role": "assistant"
}
] |
def x(self, text: str, index: int):
width = self.columns[index]['width']
return f'{text:<{width}}'
|
append_text_column
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text: str, index: int):\n width = self.columns[index]['width']\n return f'{text:<{width}}'\n",
"role": "user"
},
{
"content": "append_text_column",
"role": "assistant"
}
] |
def x(self, entity: dal.AssetClass):
obj = model.AssetClass()
obj.id = entity.id
obj.parent_id = entity.parentid
obj.name = entity.name
obj.allocation = entity.allocation
obj.sort_order = entity.sortorder
if entity.parentid == None:
obj.depth = 0
return obj
|
map_entity
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entity: dal.AssetClass):\n obj = model.AssetClass()\n obj.id = entity.id\n obj.parent_id = entity.parentid\n obj.name = entity.name\n obj.allocation = entity.allocation\n obj.sort_order = entity.sortorder\n if entity.parentid == None:\n obj.depth = 0\n return obj\n",
"role": "user"
},
{
"content": "map_entity",
"role": "assistant"
}
] |
def x(self, with_stocks: bool=False):
result = []
for ac in self.model.classes:
rows = self.__get_ac_tree(ac, with_stocks)
result += rows
return result
|
map_to_linear
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, with_stocks: bool=False):\n result = []\n for ac in self.model.classes:\n rows = self.__get_ac_tree(ac, with_stocks)\n result += rows\n return result\n",
"role": "user"
},
{
"content": "map_to_linear",
"role": "assistant"
}
] |
def x(self, ac: model.AssetClass, with_stocks: bool):
output = []
output.append(self.__get_ac_row(ac))
for child in ac.classes:
output += self.__get_ac_tree(child, with_stocks)
if with_stocks:
for stock in ac.stocks:
row = None
if isinstance(stock, Stock):
row = self.__get_stock_row(stock, ac.depth + 1)
elif isinstance(stock, CashBalance):
row = self.__get_cash_row(stock, ac.depth + 1)
output.append(row)
return output
|
get_ac_tree
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ac: model.AssetClass, with_stocks: bool):\n output = []\n output.append(self.__get_ac_row(ac))\n for child in ac.classes:\n output += self.__get_ac_tree(child, with_stocks)\n if with_stocks:\n for stock in ac.stocks:\n row = None\n if isinstance(stock, Stock):\n row = self.__get_stock_row(stock, ac.depth + 1)\n elif isinstance(stock, CashBalance):\n row = self.__get_cash_row(stock, ac.depth + 1)\n output.append(row)\n return output\n",
"role": "user"
},
{
"content": "get_ac_tree",
"role": "assistant"
}
] |
def x(self, ac: model.AssetClass) ->AssetAllocationViewModel:
view_model = AssetAllocationViewModel()
view_model.depth = ac.depth
view_model.name = ac.name
view_model.set_allocation = ac.allocation
view_model.curr_allocation = ac.curr_alloc
view_model.diff_allocation = ac.alloc_diff
view_model.alloc_diff_perc = ac.alloc_diff_perc
view_model.curr_value = ac.curr_value
view_model.set_value = ac.alloc_value
view_model.diff_value = ac.value_diff
return view_model
|
get_ac_row
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ac: model.AssetClass) ->AssetAllocationViewModel:\n view_model = AssetAllocationViewModel()\n view_model.depth = ac.depth\n view_model.name = ac.name\n view_model.set_allocation = ac.allocation\n view_model.curr_allocation = ac.curr_alloc\n view_model.diff_allocation = ac.alloc_diff\n view_model.alloc_diff_perc = ac.alloc_diff_perc\n view_model.curr_value = ac.curr_value\n view_model.set_value = ac.alloc_value\n view_model.diff_value = ac.value_diff\n return view_model\n",
"role": "user"
},
{
"content": "get_ac_row",
"role": "assistant"
}
] |
def x(self, stock: Stock, depth: int) ->str:
assert isinstance(stock, Stock)
view_model = AssetAllocationViewModel()
view_model.depth = depth
view_model.name = stock.symbol
view_model.curr_allocation = stock.curr_alloc
view_model.curr_value = stock.value_in_base_currency
view_model.curr_value_own_currency = stock.value
view_model.own_currency = stock.currency
return view_model
|
get_stock_row
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stock: Stock, depth: int) ->str:\n assert isinstance(stock, Stock)\n view_model = AssetAllocationViewModel()\n view_model.depth = depth\n view_model.name = stock.symbol\n view_model.curr_allocation = stock.curr_alloc\n view_model.curr_value = stock.value_in_base_currency\n view_model.curr_value_own_currency = stock.value\n view_model.own_currency = stock.currency\n return view_model\n",
"role": "user"
},
{
"content": "get_stock_row",
"role": "assistant"
}
] |
def x(self, item: CashBalance, depth: int) ->str:
assert isinstance(item, CashBalance)
view_model = AssetAllocationViewModel()
view_model.depth = depth
view_model.name = item.symbol
view_model.curr_value = item.value_in_base_currency
view_model.curr_value_own_currency = item.value
view_model.own_currency = item.currency
return view_model
|
get_cash_row
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item: CashBalance, depth: int) ->str:\n assert isinstance(item, CashBalance)\n view_model = AssetAllocationViewModel()\n view_model.depth = depth\n view_model.name = item.symbol\n view_model.curr_value = item.value_in_base_currency\n view_model.curr_value_own_currency = item.value\n view_model.own_currency = item.currency\n return view_model\n",
"role": "user"
},
{
"content": "get_cash_row",
"role": "assistant"
}
] |
def x(self, item: AssetClass):
session = self.open_session()
session.add(item)
session.commit()
|
create_asset_class
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, item: AssetClass):\n session = self.open_session()\n session.add(item)\n session.commit()\n",
"role": "user"
},
{
"content": "create_asset_class",
"role": "assistant"
}
] |
def x(self, assetclass_id: int, symbol: str):
assert isinstance(symbol, str)
assert isinstance(assetclass_id, int)
item = AssetClassStock()
item.assetclassid = assetclass_id
item.symbol = symbol
session = self.open_session()
session.add(item)
self.save()
return item
|
add_stock_to_class
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, assetclass_id: int, symbol: str):\n assert isinstance(symbol, str)\n assert isinstance(assetclass_id, int)\n item = AssetClassStock()\n item.assetclassid = assetclass_id\n item.symbol = symbol\n session = self.open_session()\n session.add(item)\n self.save()\n return item\n",
"role": "user"
},
{
"content": "add_stock_to_class",
"role": "assistant"
}
] |
def x(self, id: int):
assert isinstance(id, int)
self.open_session()
to_delete = self.get(id)
self.session.delete(to_delete)
self.save()
|
delete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id: int):\n assert isinstance(id, int)\n self.open_session()\n to_delete = self.get(id)\n self.session.delete(to_delete)\n self.save()\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self):
session = self.open_session()
linked_entities = session.query(AssetClassStock).all()
linked = []
for item in linked_entities:
linked.append(item.symbol)
from .stocks import StocksInfo
stocks = StocksInfo()
stocks.logger = self.logger
holdings = stocks.get_symbols_with_positive_balances()
non_alloc = []
index = -1
for item in holdings:
try:
index = linked.index(item)
self.logger.debug(index)
except ValueError:
non_alloc.append(item)
return non_alloc
|
find_unallocated_holdings
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n session = self.open_session()\n linked_entities = session.query(AssetClassStock).all()\n linked = []\n for item in linked_entities:\n linked.append(item.symbol)\n from .stocks import StocksInfo\n stocks = StocksInfo()\n stocks.logger = self.logger\n holdings = stocks.get_symbols_with_positive_balances()\n non_alloc = []\n index = -1\n for item in holdings:\n try:\n index = linked.index(item)\n self.logger.debug(index)\n except ValueError:\n non_alloc.append(item)\n return non_alloc\n",
"role": "user"
},
{
"content": "find_unallocated_holdings",
"role": "assistant"
}
] |
def x(self, id: int) ->AssetClass:
self.open_session()
item = self.session.query(AssetClass).filter(AssetClass.id == id).first()
return item
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, id: int) ->AssetClass:\n self.open_session()\n item = self.session.query(AssetClass).filter(AssetClass.id == id).first()\n return item\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self):
from .dal import get_session
cfg = Config()
cfg.logger = self.logger
db_path = cfg.get(ConfigKeys.asset_allocation_database_path)
self.session = get_session(db_path)
return self.session
|
open_session
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from .dal import get_session\n cfg = Config()\n cfg.logger = self.logger\n db_path = cfg.get(ConfigKeys.asset_allocation_database_path)\n self.session = get_session(db_path)\n return self.session\n",
"role": "user"
},
{
"content": "open_session",
"role": "assistant"
}
] |
def x(self):
base_currency = 'EUR'
loader = AssetAllocationLoader(base_currency=base_currency)
loader.logger = self.logger
model = loader.load_tree_from_db()
model.validate()
loader.load_stock_links()
loader.load_stock_quantity()
loader.load_cash_balances()
loader.load_stock_prices()
loader.recalculate_stock_values_into_base()
model.calculate_current_value()
model.calculate_set_values()
model.calculate_current_allocation()
return model
|
get_asset_allocation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n base_currency = 'EUR'\n loader = AssetAllocationLoader(base_currency=base_currency)\n loader.logger = self.logger\n model = loader.load_tree_from_db()\n model.validate()\n loader.load_stock_links()\n loader.load_stock_quantity()\n loader.load_cash_balances()\n loader.load_stock_prices()\n loader.recalculate_stock_values_into_base()\n model.calculate_current_value()\n model.calculate_set_values()\n model.calculate_current_allocation()\n return model\n",
"role": "user"
},
{
"content": "get_asset_allocation",
"role": "assistant"
}
] |
def x(self, namespace: str, symbol: str) ->List[AssetClass]:
full_symbol = symbol
if namespace:
full_symbol = f'{namespace}:{symbol}'
result = self.session.query(AssetClassStock).filter(AssetClassStock.
symbol == full_symbol).all()
return result
|
get_asset_classes_for_security
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, namespace: str, symbol: str) ->List[AssetClass]:\n full_symbol = symbol\n if namespace:\n full_symbol = f'{namespace}:{symbol}'\n result = self.session.query(AssetClassStock).filter(AssetClassStock.\n symbol == full_symbol).all()\n return result\n",
"role": "user"
},
{
"content": "get_asset_classes_for_security",
"role": "assistant"
}
] |
def x(self):
model: AssetAllocationModel = self.get_asset_allocation_model()
model.logger = self.logger
valid = model.validate()
if valid:
print(f'The model is valid. Congratulations')
else:
print(f'The model is invalid.')
|
validate_model
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n model: AssetAllocationModel = self.get_asset_allocation_model()\n model.logger = self.logger\n valid = model.validate()\n if valid:\n print(f'The model is valid. Congratulations')\n else:\n print(f'The model is invalid.')\n",
"role": "user"
},
{
"content": "validate_model",
"role": "assistant"
}
] |
def x(self):
session = self.open_session()
links = session.query(AssetClassStock).order_by(AssetClassStock.symbol
).all()
output = []
for link in links:
output.append(link.symbol + '\n')
with open('symbols.txt', mode='w') as file:
file.writelines(output)
print('Symbols exported to symbols.txt')
|
export_symbols
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n session = self.open_session()\n links = session.query(AssetClassStock).order_by(AssetClassStock.symbol\n ).all()\n output = []\n for link in links:\n output.append(link.symbol + '\\n')\n with open('symbols.txt', mode='w') as file:\n file.writelines(output)\n print('Symbols exported to symbols.txt')\n",
"role": "user"
},
{
"content": "export_symbols",
"role": "assistant"
}
] |
def x(self, file_path: str):
if not os.path.exists(file_path):
raise FileNotFoundError('File path not found: %s', file_path)
if not os.path.isfile(file_path):
log(ERROR, 'file not found: %s', file_path)
raise FileNotFoundError('configuration file not found %s', file_path)
self.config.read(file_path)
|
read_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file_path: str):\n if not os.path.exists(file_path):\n raise FileNotFoundError('File path not found: %s', file_path)\n if not os.path.isfile(file_path):\n log(ERROR, 'file not found: %s', file_path)\n raise FileNotFoundError('configuration file not found %s', file_path)\n self.config.read(file_path)\n",
"role": "user"
},
{
"content": "read_config",
"role": "assistant"
}
] |
def x(self):
src_path = self.__get_config_template_path()
src = os.path.abspath(src_path)
if not os.path.exists(src):
log(ERROR, 'Config template not found %s', src)
raise FileNotFoundError()
dst = os.path.abspath(self.get_config_path())
shutil.copyfile(src, dst)
if not os.path.exists(dst):
raise FileNotFoundError('Config file could not be copied to user dir!')
|
create_user_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n src_path = self.__get_config_template_path()\n src = os.path.abspath(src_path)\n if not os.path.exists(src):\n log(ERROR, 'Config template not found %s', src)\n raise FileNotFoundError()\n dst = os.path.abspath(self.get_config_path())\n shutil.copyfile(src, dst)\n if not os.path.exists(dst):\n raise FileNotFoundError('Config file could not be copied to user dir!')\n",
"role": "user"
},
{
"content": "create_user_config",
"role": "assistant"
}
] |
def x(aadb, cur):
cfg = Config()
edited = False
if aadb:
cfg.set(ConfigKeys.asset_allocation_database_path, aadb)
print(f'The database has been set to {aadb}.')
edited = True
if cur:
cfg.set(ConfigKeys.default_currency, cur)
edited = True
if edited:
print(f'Changes saved.')
else:
print(f'No changes were made.')
print(f'Use --help parameter for more information.')
|
set
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(aadb, cur):\n cfg = Config()\n edited = False\n if aadb:\n cfg.set(ConfigKeys.asset_allocation_database_path, aadb)\n print(f'The database has been set to {aadb}.')\n edited = True\n if cur:\n cfg.set(ConfigKeys.default_currency, cur)\n edited = True\n if edited:\n print(f'Changes saved.')\n else:\n print(f'No changes were made.')\n print(f'Use --help parameter for more information.')\n",
"role": "user"
},
{
"content": "set",
"role": "assistant"
}
] |
def x(aadb: str):
if aadb:
cfg = Config()
value = cfg.get(ConfigKeys.asset_allocation_database_path)
click.echo(value)
if not aadb:
click.echo('Use --help for more information.')
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(aadb: str):\n if aadb:\n cfg = Config()\n value = cfg.get(ConfigKeys.asset_allocation_database_path)\n click.echo(value)\n if not aadb:\n click.echo('Use --help for more information.')\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self):
prefix = ''
if self.parent:
if self.parent.fullname:
prefix = self.parent.fullname + ':'
else:
return ''
return prefix + self.name
|
fullname
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n prefix = ''\n if self.parent:\n if self.parent.fullname:\n prefix = self.parent.fullname + ':'\n else:\n return ''\n return prefix + self.name\n",
"role": "user"
},
{
"content": "fullname",
"role": "assistant"
}
] |
def x(self) ->Decimal:
assert isinstance(self.price, Decimal)
return self.quantity * self.price
|
value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->Decimal:\n assert isinstance(self.price, Decimal)\n return self.quantity * self.price\n",
"role": "user"
},
{
"content": "value",
"role": "assistant"
}
] |
def x(self) ->str:
result = self.parent.name if self.parent else ''
cursor = self.parent
while cursor:
result = cursor.name + ':' + result
cursor = cursor.parent
return result
|
asset_class
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->str:\n result = self.parent.name if self.parent else ''\n cursor = self.parent\n while cursor:\n result = cursor.name + ':' + result\n cursor = cursor.parent\n return result\n",
"role": "user"
},
{
"content": "asset_class",
"role": "assistant"
}
] |
def x(self):
sum = Decimal(0)
if self.classes:
for child in self.classes:
sum += child.child_allocation
else:
sum = self.allocation
return sum
|
child_allocation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n sum = Decimal(0)\n if self.classes:\n for child in self.classes:\n sum += child.child_allocation\n else:\n sum = self.allocation\n return sum\n",
"role": "user"
},
{
"content": "child_allocation",
"role": "assistant"
}
] |
def x(self, ac_id: int) ->AssetClass:
assert isinstance(ac_id, int)
for ac in self.asset_classes:
if ac.id == ac_id:
return ac
return None
|
get_class_by_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ac_id: int) ->AssetClass:\n assert isinstance(ac_id, int)\n for ac in self.asset_classes:\n if ac.id == ac_id:\n return ac\n return None\n",
"role": "user"
},
{
"content": "get_class_by_id",
"role": "assistant"
}
] |
def x(self) ->AssetClass:
for ac in self.asset_classes:
if ac.name.lower() == 'cash':
return ac
return None
|
get_cash_asset_class
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->AssetClass:\n for ac in self.asset_classes:\n if ac.name.lower() == 'cash':\n return ac\n return None\n",
"role": "user"
},
{
"content": "get_cash_asset_class",
"role": "assistant"
}
] |
def x(self) ->bool:
sum = Decimal(0)
for ac in self.asset_classes:
if ac.classes:
child_alloc_sum = ac.child_allocation
if ac.allocation != child_alloc_sum:
message = (
f'The sum of child allocations {child_alloc_sum:.2f} invalid for {ac}!'
)
self.logger.warning(message)
print(message)
return False
for ac in self.classes:
sum += ac.allocation
if sum != Decimal(100):
message = f'The sum of all allocations ({sum:.2f}) does not equal 100!'
self.logger.warning(message)
print(message)
return False
return True
|
validate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->bool:\n sum = Decimal(0)\n for ac in self.asset_classes:\n if ac.classes:\n child_alloc_sum = ac.child_allocation\n if ac.allocation != child_alloc_sum:\n message = (\n f'The sum of child allocations {child_alloc_sum:.2f} invalid for {ac}!'\n )\n self.logger.warning(message)\n print(message)\n return False\n for ac in self.classes:\n sum += ac.allocation\n if sum != Decimal(100):\n message = f'The sum of all allocations ({sum:.2f}) does not equal 100!'\n self.logger.warning(message)\n print(message)\n return False\n return True\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(self):
for ac in self.asset_classes:
ac.alloc_value = self.total_amount * ac.allocation / Decimal(100)
|
calculate_set_values
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for ac in self.asset_classes:\n ac.alloc_value = self.total_amount * ac.allocation / Decimal(100)\n",
"role": "user"
},
{
"content": "calculate_set_values",
"role": "assistant"
}
] |
def x(self):
for ac in self.asset_classes:
ac.curr_alloc = ac.curr_value * 100 / self.total_amount
|
calculate_current_allocation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for ac in self.asset_classes:\n ac.curr_alloc = ac.curr_value * 100 / self.total_amount\n",
"role": "user"
},
{
"content": "calculate_current_allocation",
"role": "assistant"
}
] |
def x(self):
total = Decimal(0)
for ac in self.classes:
self.__calculate_current_value(ac)
total += ac.curr_value
self.total_amount = total
|
calculate_current_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n total = Decimal(0)\n for ac in self.classes:\n self.__calculate_current_value(ac)\n total += ac.curr_value\n self.total_amount = total\n",
"role": "user"
},
{
"content": "calculate_current_value",
"role": "assistant"
}
] |
def x(self, asset_class: AssetClass):
if asset_class.stocks:
stocks_sum = Decimal(0)
for stock in asset_class.stocks:
stocks_sum += stock.value_in_base_currency
asset_class.curr_value = stocks_sum
if asset_class.classes:
for child in asset_class.classes:
self.__calculate_current_value(child)
asset_class.curr_value += child.curr_value
|
calculate_current_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, asset_class: AssetClass):\n if asset_class.stocks:\n stocks_sum = Decimal(0)\n for stock in asset_class.stocks:\n stocks_sum += stock.value_in_base_currency\n asset_class.curr_value = stocks_sum\n if asset_class.classes:\n for child in asset_class.classes:\n self.__calculate_current_value(child)\n asset_class.curr_value += child.curr_value\n",
"role": "user"
},
{
"content": "calculate_current_value",
"role": "assistant"
}
] |
def x(self, mnemonic: str):
if self.rate and self.rate.currency == mnemonic:
return
app = PriceDbApplication()
symbol = SecuritySymbol('CURRENCY', mnemonic)
self.rate = app.get_latest_price(symbol)
if not self.rate:
raise ValueError(f'No rate found for {mnemonic}!')
|
load_currency
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mnemonic: str):\n if self.rate and self.rate.currency == mnemonic:\n return\n app = PriceDbApplication()\n symbol = SecuritySymbol('CURRENCY', mnemonic)\n self.rate = app.get_latest_price(symbol)\n if not self.rate:\n raise ValueError(f'No rate found for {mnemonic}!')\n",
"role": "user"
},
{
"content": "load_currency",
"role": "assistant"
}
] |
def x(format, full):
app = AppAggregate()
app.logger = logger
model = app.get_asset_allocation()
if format == 'ascii':
formatter = AsciiFormatter()
elif format == 'html':
formatter = HtmlFormatter
else:
raise ValueError(f'Unknown formatter {format}')
output = formatter.format(model, full=full)
print(output)
|
show
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(format, full):\n app = AppAggregate()\n app.logger = logger\n model = app.get_asset_allocation()\n if format == 'ascii':\n formatter = AsciiFormatter()\n elif format == 'html':\n formatter = HtmlFormatter\n else:\n raise ValueError(f'Unknown formatter {format}')\n output = formatter.format(model, full=full)\n print(output)\n",
"role": "user"
},
{
"content": "show",
"role": "assistant"
}
] |
def x(self):
from gnucash_portfolio.accounts import AccountsAggregate, AccountAggregate
cfg = self.__get_config()
cash_root_name = cfg.get(ConfigKeys.cash_root)
gc_db = self.config.get(ConfigKeys.gnucash_book_path)
with open_book(gc_db, open_if_lock=True) as book:
svc = AccountsAggregate(book)
root_account = svc.get_by_fullname(cash_root_name)
acct_svc = AccountAggregate(book, root_account)
cash_balances = acct_svc.load_cash_balances_with_children(
cash_root_name)
self.__store_cash_balances_per_currency(cash_balances)
|
load_cash_balances
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from gnucash_portfolio.accounts import AccountsAggregate, AccountAggregate\n cfg = self.__get_config()\n cash_root_name = cfg.get(ConfigKeys.cash_root)\n gc_db = self.config.get(ConfigKeys.gnucash_book_path)\n with open_book(gc_db, open_if_lock=True) as book:\n svc = AccountsAggregate(book)\n root_account = svc.get_by_fullname(cash_root_name)\n acct_svc = AccountAggregate(book, root_account)\n cash_balances = acct_svc.load_cash_balances_with_children(\n cash_root_name)\n self.__store_cash_balances_per_currency(cash_balances)\n",
"role": "user"
},
{
"content": "load_cash_balances",
"role": "assistant"
}
] |
def x(self, cash_balances):
cash = self.model.get_cash_asset_class()
for cur_symbol in cash_balances:
item = CashBalance(cur_symbol)
item.parent = cash
quantity = cash_balances[cur_symbol]['total']
item.value = Decimal(quantity)
item.currency = cur_symbol
cash.stocks.append(item)
self.model.stocks.append(item)
|
store_cash_balances_per_currency
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cash_balances):\n cash = self.model.get_cash_asset_class()\n for cur_symbol in cash_balances:\n item = CashBalance(cur_symbol)\n item.parent = cash\n quantity = cash_balances[cur_symbol]['total']\n item.value = Decimal(quantity)\n item.currency = cur_symbol\n cash.stocks.append(item)\n self.model.stocks.append(item)\n",
"role": "user"
},
{
"content": "store_cash_balances_per_currency",
"role": "assistant"
}
] |
def x(self) ->AssetAllocationModel:
self.model = AssetAllocationModel()
self.model.currency = self.__get_config().get(ConfigKeys.default_currency)
db = self.__get_session()
first_level = db.query(dal.AssetClass).filter(dal.AssetClass.parentid ==
None).order_by(dal.AssetClass.sortorder).all()
for entity in first_level:
ac = self.__map_entity(entity)
self.model.classes.append(ac)
self.model.asset_classes.append(ac)
self.__load_child_classes(ac)
return self.model
|
load_tree_from_db
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->AssetAllocationModel:\n self.model = AssetAllocationModel()\n self.model.currency = self.__get_config().get(ConfigKeys.default_currency)\n db = self.__get_session()\n first_level = db.query(dal.AssetClass).filter(dal.AssetClass.parentid ==\n None).order_by(dal.AssetClass.sortorder).all()\n for entity in first_level:\n ac = self.__map_entity(entity)\n self.model.classes.append(ac)\n self.model.asset_classes.append(ac)\n self.__load_child_classes(ac)\n return self.model\n",
"role": "user"
},
{
"content": "load_tree_from_db",
"role": "assistant"
}
] |
def x(self):
links = self.__get_session().query(dal.AssetClassStock).all()
for entity in links:
stock: Stock = Stock(entity.symbol)
parent: AssetClass = self.model.get_class_by_id(entity.assetclassid)
if parent:
parent.stocks.append(stock)
self.model.stocks.append(stock)
|
load_stock_links
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n links = self.__get_session().query(dal.AssetClassStock).all()\n for entity in links:\n stock: Stock = Stock(entity.symbol)\n parent: AssetClass = self.model.get_class_by_id(entity.assetclassid)\n if parent:\n parent.stocks.append(stock)\n self.model.stocks.append(stock)\n",
"role": "user"
},
{
"content": "load_stock_links",
"role": "assistant"
}
] |
def x(self):
info = StocksInfo(self.config)
for stock in self.model.stocks:
stock.quantity = info.load_stock_quantity(stock.symbol)
info.gc_book.close()
|
load_stock_quantity
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n info = StocksInfo(self.config)\n for stock in self.model.stocks:\n stock.quantity = info.load_stock_quantity(stock.symbol)\n info.gc_book.close()\n",
"role": "user"
},
{
"content": "load_stock_quantity",
"role": "assistant"
}
] |
def x(self):
from pricedb import SecuritySymbol
info = StocksInfo(self.config)
for item in self.model.stocks:
symbol = SecuritySymbol('', '')
symbol.parse(item.symbol)
price: PriceModel = info.load_latest_price(symbol)
if not price:
price = PriceModel()
price.currency = self.config.get(ConfigKeys.default_currency)
price.value = Decimal(1)
item.price = price.value
if isinstance(item, Stock):
item.currency = price.currency
info.close_databases()
|
load_stock_prices
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from pricedb import SecuritySymbol\n info = StocksInfo(self.config)\n for item in self.model.stocks:\n symbol = SecuritySymbol('', '')\n symbol.parse(item.symbol)\n price: PriceModel = info.load_latest_price(symbol)\n if not price:\n price = PriceModel()\n price.currency = self.config.get(ConfigKeys.default_currency)\n price.value = Decimal(1)\n item.price = price.value\n if isinstance(item, Stock):\n item.currency = price.currency\n info.close_databases()\n",
"role": "user"
},
{
"content": "load_stock_prices",
"role": "assistant"
}
] |
def x(self):
from .currency import CurrencyConverter
conv = CurrencyConverter()
cash = self.model.get_cash_asset_class()
for stock in self.model.stocks:
if stock.currency != self.base_currency:
conv.load_currency(stock.currency)
assert isinstance(stock.value, Decimal)
val_base = stock.value * conv.rate.value
else:
val_base = stock.value
stock.value_in_base_currency = val_base
|
recalculate_stock_values_into_base
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from .currency import CurrencyConverter\n conv = CurrencyConverter()\n cash = self.model.get_cash_asset_class()\n for stock in self.model.stocks:\n if stock.currency != self.base_currency:\n conv.load_currency(stock.currency)\n assert isinstance(stock.value, Decimal)\n val_base = stock.value * conv.rate.value\n else:\n val_base = stock.value\n stock.value_in_base_currency = val_base\n",
"role": "user"
},
{
"content": "recalculate_stock_values_into_base",
"role": "assistant"
}
] |
def x(self, ac: AssetClass):
db = self.__get_session()
entities = db.query(dal.AssetClass).filter(dal.AssetClass.parentid == ac.id
).order_by(dal.AssetClass.sortorder).all()
for entity in entities:
child_ac = self.__map_entity(entity)
child_ac.depth = ac.depth + 1
ac.classes.append(child_ac)
self.model.asset_classes.append(child_ac)
self.__load_child_classes(child_ac)
|
load_child_classes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ac: AssetClass):\n db = self.__get_session()\n entities = db.query(dal.AssetClass).filter(dal.AssetClass.parentid == ac.id\n ).order_by(dal.AssetClass.sortorder).all()\n for entity in entities:\n child_ac = self.__map_entity(entity)\n child_ac.depth = ac.depth + 1\n ac.classes.append(child_ac)\n self.model.asset_classes.append(child_ac)\n self.__load_child_classes(child_ac)\n",
"role": "user"
},
{
"content": "load_child_classes",
"role": "assistant"
}
] |
def x(self, entity: dal.AssetClass) ->AssetClass:
mapper = self.__get_mapper()
ac = mapper.map_entity(entity)
return ac
|
map_entity
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entity: dal.AssetClass) ->AssetClass:\n mapper = self.__get_mapper()\n ac = mapper.map_entity(entity)\n return ac\n",
"role": "user"
},
{
"content": "map_entity",
"role": "assistant"
}
] |
def x(self):
db_path = self.__get_config().get(ConfigKeys.asset_allocation_database_path
)
self.session = dal.get_session(db_path)
return self.session
|
get_session
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n db_path = self.__get_config().get(ConfigKeys.asset_allocation_database_path\n )\n self.session = dal.get_session(db_path)\n return self.session\n",
"role": "user"
},
{
"content": "get_session",
"role": "assistant"
}
] |
def x(self, ac_id: int):
db = self.__get_session()
entity = db.query(dal.AssetClass).filter(dal.AssetClass.id == ac_id).first(
)
return entity
|
load_asset_class
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ac_id: int):\n db = self.__get_session()\n entity = db.query(dal.AssetClass).filter(dal.AssetClass.id == ac_id).first(\n )\n return entity\n",
"role": "user"
},
{
"content": "load_asset_class",
"role": "assistant"
}
] |
def x(self, asset_class, fullname: str):
if asset_class.fullname == fullname:
return asset_class
if not hasattr(asset_class, 'classes'):
return None
for child in asset_class.classes:
found = self.__get_by_fullname(child, fullname)
if found:
return found
return None
|
get_by_fullname
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, asset_class, fullname: str):\n if asset_class.fullname == fullname:\n return asset_class\n if not hasattr(asset_class, 'classes'):\n return None\n for child in asset_class.classes:\n found = self.__get_by_fullname(child, fullname)\n if found:\n return found\n return None\n",
"role": "user"
},
{
"content": "get_by_fullname",
"role": "assistant"
}
] |
def x(db_path: str):
con_str = 'sqlite:///' + db_path
engine = create_engine(con_str, echo=False)
Base.metadata.create_all(engine)
Session = sessionmaker(bind=engine)
session = Session()
return session
|
get_session
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(db_path: str):\n con_str = 'sqlite:///' + db_path\n engine = create_engine(con_str, echo=False)\n Base.metadata.create_all(engine)\n Session = sessionmaker(bind=engine)\n session = Session()\n return session\n",
"role": "user"
},
{
"content": "get_session",
"role": "assistant"
}
] |
def x(name):
item = AssetClass()
item.name = name
app = AppAggregate()
app.create_asset_class(item)
print(f'Asset class {name} created.')
|
add
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n item = AssetClass()\n item.name = name\n app = AppAggregate()\n app.create_asset_class(item)\n print(f'Asset class {name} created.')\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(id: int, parent: int, alloc: Decimal):
saved = False
app = AppAggregate()
item = app.get(id)
if not item:
raise KeyError('Asset Class with id %s not found.', id)
if parent:
assert parent != id, 'Parent can not be set to self.'
item.parentid = parent
saved = True
if alloc:
assert alloc != Decimal(0)
item.allocation = alloc
saved = True
app.save()
if saved:
click.echo('Data saved.')
else:
click.echo('No data modified. Use --help to see possible parameters.')
|
edit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(id: int, parent: int, alloc: Decimal):\n saved = False\n app = AppAggregate()\n item = app.get(id)\n if not item:\n raise KeyError('Asset Class with id %s not found.', id)\n if parent:\n assert parent != id, 'Parent can not be set to self.'\n item.parentid = parent\n saved = True\n if alloc:\n assert alloc != Decimal(0)\n item.allocation = alloc\n saved = True\n app.save()\n if saved:\n click.echo('Data saved.')\n else:\n click.echo('No data modified. Use --help to see possible parameters.')\n",
"role": "user"
},
{
"content": "edit",
"role": "assistant"
}
] |
def x():
session = AppAggregate().open_session()
classes = session.query(AssetClass).all()
for item in classes:
print(item)
|
my_list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n session = AppAggregate().open_session()\n classes = session.query(AssetClass).all()\n for item in classes:\n print(item)\n",
"role": "user"
},
{
"content": "my_list",
"role": "assistant"
}
] |
def x(file):
lines = None
with open(file) as csv_file:
lines = csv_file.readlines()
header = lines[0]
lines.remove(header)
header = header.rstrip()
counter = 0
app = AppAggregate()
app.open_session()
for line in lines:
line = line.rstrip()
command = f'insert into AssetClass ({header}) values ({line});'
app.session.execute(command)
try:
app.save()
except:
print(f'error: ', sys.exc_info()[0])
app.session.close()
counter += 1
print(f'Data imported. {counter} rows created.')
|
my_import
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file):\n lines = None\n with open(file) as csv_file:\n lines = csv_file.readlines()\n header = lines[0]\n lines.remove(header)\n header = header.rstrip()\n counter = 0\n app = AppAggregate()\n app.open_session()\n for line in lines:\n line = line.rstrip()\n command = f'insert into AssetClass ({header}) values ({line});'\n app.session.execute(command)\n try:\n app.save()\n except:\n print(f'error: ', sys.exc_info()[0])\n app.session.close()\n counter += 1\n print(f'Data imported. {counter} rows created.')\n",
"role": "user"
},
{
"content": "my_import",
"role": "assistant"
}
] |
def x():
session = AppAggregate().open_session()
classes = session.query(AssetClass).all()
root = []
for ac in classes:
if ac.parentid is None:
root.append(ac)
print_row('id', 'asset class', 'allocation', 'level')
print(f'-------------------------------')
for ac in root:
print_item_with_children(ac, classes, 0)
|
tree
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n session = AppAggregate().open_session()\n classes = session.query(AssetClass).all()\n root = []\n for ac in classes:\n if ac.parentid is None:\n root.append(ac)\n print_row('id', 'asset class', 'allocation', 'level')\n print(f'-------------------------------')\n for ac in root:\n print_item_with_children(ac, classes, 0)\n",
"role": "user"
},
{
"content": "tree",
"role": "assistant"
}
] |
def x(ac, classes, level):
print_row(ac.id, ac.name, f'{ac.allocation:,.2f}', level)
print_children_recursively(classes, ac, level + 1)
|
print_item_with_children
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ac, classes, level):\n print_row(ac.id, ac.name, f'{ac.allocation:,.2f}', level)\n print_children_recursively(classes, ac, level + 1)\n",
"role": "user"
},
{
"content": "print_item_with_children",
"role": "assistant"
}
] |
def x(all_items, for_item, level):
children = [child for child in all_items if child.parentid == for_item.id]
for child in children:
indent = ' ' * level * 2
id_col = f'{indent} {child.id}'
print_row(id_col, child.name, f'{child.allocation:,.2f}', level)
print_children_recursively(all_items, child, level + 1)
|
print_children_recursively
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(all_items, for_item, level):\n children = [child for child in all_items if child.parentid == for_item.id]\n for child in children:\n indent = ' ' * level * 2\n id_col = f'{indent} {child.id}'\n print_row(id_col, child.name, f'{child.allocation:,.2f}', level)\n print_children_recursively(all_items, child, level + 1)\n",
"role": "user"
},
{
"content": "print_children_recursively",
"role": "assistant"
}
] |
def x(*argv):
row = ''
row += f'{argv[0]:<3}'
row += f' {argv[1]:<13}'
row += f' {argv[2]:>5}'
print(row)
|
print_row
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*argv):\n row = ''\n row += f'{argv[0]:<3}'\n row += f' {argv[1]:<13}'\n row += f' {argv[2]:>5}'\n print(row)\n",
"role": "user"
},
{
"content": "print_row",
"role": "assistant"
}
] |
def x(input_text, **context):
global g_parser
if g_parser is None:
g_parser = Parser()
return g_parser.format(input_text, **context)
|
render_html
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input_text, **context):\n global g_parser\n if g_parser is None:\n g_parser = Parser()\n return g_parser.format(input_text, **context)\n",
"role": "user"
},
{
"content": "render_html",
"role": "assistant"
}
] |
def x(self, tag_name, render_func, **kwargs):
options = TagOptions(tag_name.strip().lower(), **kwargs)
self.recognized_tags[options.tag_name] = render_func, options
|
add_formatter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tag_name, render_func, **kwargs):\n options = TagOptions(tag_name.strip().lower(), **kwargs)\n self.recognized_tags[options.tag_name] = render_func, options\n",
"role": "user"
},
{
"content": "add_formatter",
"role": "assistant"
}
] |
def x(self, tag_name, format_string, **kwargs):
def x(name, value, options, parent, context):
fmt = {}
if options:
fmt.update(options)
fmt.update({'value': value})
return format_string % fmt
self.add_formatter(tag_name, _render, **kwargs)
|
add_simple_formatter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tag_name, format_string, **kwargs):\n\n def x(name, value, options, parent, context):\n fmt = {}\n if options:\n fmt.update(options)\n fmt.update({'value': value})\n return format_string % fmt\n self.add_formatter(tag_name, _render, **kwargs)\n",
"role": "user"
},
{
"content": "add_simple_formatter",
"role": "assistant"
}
] |
def x(self):
self.add_simple_formatter('b', '<strong>%(value)s</strong>')
self.add_simple_formatter('i', '<em>%(value)s</em>')
self.add_simple_formatter('u', '<u>%(value)s</u>')
self.add_simple_formatter('s', '<strike>%(value)s</strike>')
self.add_simple_formatter('hr', '<hr />', standalone=True)
self.add_simple_formatter('sub', '<sub>%(value)s</sub>')
self.add_simple_formatter('sup', '<sup>%(value)s</sup>')
def x(name, value, options, parent, context):
list_type = options['list'] if options and 'list' in options else '*'
css_opts = {'1': 'decimal', '01': 'decimal-leading-zero', 'a':
'lower-alpha', 'A': 'upper-alpha', 'i': 'lower-roman', 'I':
'upper-roman'}
tag = 'ol' if list_type in css_opts else 'ul'
css = ' style="list-style-type:%s;"' % css_opts[list_type
] if list_type in css_opts else ''
return '<%s%s>%s</%s>' % (tag, css, value, tag)
self.add_formatter('list', _render_list, transform_newlines=False,
strip=True, swallow_trailing_newline=True)
def x(name, value, options, parent, context):
if not parent or parent.tag_name != 'list':
return '[*]%s<br />' % value
return '<li>%s</li>' % value
self.add_formatter('*', _render_list_item, newline_closes=True,
transform_newlines=False, same_tag_closes=True, strip=True)
self.add_simple_formatter('quote', '<blockquote>%(value)s</blockquote>',
strip=True, swallow_trailing_newline=True)
self.add_simple_formatter('code', '<code>%(value)s</code>',
render_embedded=False, transform_newlines=False,
swallow_trailing_newline=True, replace_cosmetic=False)
self.add_simple_formatter('center',
'<div style="text-align:center;">%(value)s</div>')
def x(name, value, options, parent, context):
if 'color' in options:
color = options['color'].strip()
elif options:
color = list(options.keys())[0].strip()
else:
return value
match = re.match('^([a-z]+)|^(#[a-f0-9]{3,6})', color, re.I)
color = match.group() if match else 'inherit'
return '<span style="color:%(color)s;">%(value)s</span>' % {'color':
color, 'value': value}
self.add_formatter('color', _render_color)
def x(name, value, options, parent, context):
if options and 'url' in options:
href = self._replace(options['url'], self.REPLACE_ESCAPE)
else:
href = value
if re.sub('[^a-z0-9+]', '', href.lower().split(':', 1)[0]) in (
'javascript', 'data', 'vbscript'):
return ''
if '://' not in href and _domain_re.match(href):
href = 'http://' + href
return self.url_template.format(href=href.replace('"', '%22'), text
=value)
self.add_formatter('url', _render_url, replace_links=False,
replace_cosmetic=False)
|
install_default_formatters
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.add_simple_formatter('b', '<strong>%(value)s</strong>')\n self.add_simple_formatter('i', '<em>%(value)s</em>')\n self.add_simple_formatter('u', '<u>%(value)s</u>')\n self.add_simple_formatter('s', '<strike>%(value)s</strike>')\n self.add_simple_formatter('hr', '<hr />', standalone=True)\n self.add_simple_formatter('sub', '<sub>%(value)s</sub>')\n self.add_simple_formatter('sup', '<sup>%(value)s</sup>')\n\n def x(name, value, options, parent, context):\n list_type = options['list'] if options and 'list' in options else '*'\n css_opts = {'1': 'decimal', '01': 'decimal-leading-zero', 'a':\n 'lower-alpha', 'A': 'upper-alpha', 'i': 'lower-roman', 'I':\n 'upper-roman'}\n tag = 'ol' if list_type in css_opts else 'ul'\n css = ' style=\"list-style-type:%s;\"' % css_opts[list_type\n ] if list_type in css_opts else ''\n return '<%s%s>%s</%s>' % (tag, css, value, tag)\n self.add_formatter('list', _render_list, transform_newlines=False,\n strip=True, swallow_trailing_newline=True)\n\n def x(name, value, options, parent, context):\n if not parent or parent.tag_name != 'list':\n return '[*]%s<br />' % value\n return '<li>%s</li>' % value\n self.add_formatter('*', _render_list_item, newline_closes=True,\n transform_newlines=False, same_tag_closes=True, strip=True)\n self.add_simple_formatter('quote', '<blockquote>%(value)s</blockquote>',\n strip=True, swallow_trailing_newline=True)\n self.add_simple_formatter('code', '<code>%(value)s</code>',\n render_embedded=False, transform_newlines=False,\n swallow_trailing_newline=True, replace_cosmetic=False)\n self.add_simple_formatter('center',\n '<div style=\"text-align:center;\">%(value)s</div>')\n\n def x(name, value, options, parent, context):\n if 'color' in options:\n color = options['color'].strip()\n elif options:\n color = list(options.keys())[0].strip()\n else:\n return value\n match = re.match('^([a-z]+)|^(#[a-f0-9]{3,6})', color, re.I)\n color = match.group() if match else 'inherit'\n return '<span style=\"color:%(color)s;\">%(value)s</span>' % {'color':\n color, 'value': value}\n self.add_formatter('color', _render_color)\n\n def x(name, value, options, parent, context):\n if options and 'url' in options:\n href = self._replace(options['url'], self.REPLACE_ESCAPE)\n else:\n href = value\n if re.sub('[^a-z0-9+]', '', href.lower().split(':', 1)[0]) in (\n 'javascript', 'data', 'vbscript'):\n return ''\n if '://' not in href and _domain_re.match(href):\n href = 'http://' + href\n return self.url_template.format(href=href.replace('\"', '%22'), text\n =value)\n self.add_formatter('url', _render_url, replace_links=False,\n replace_cosmetic=False)\n",
"role": "user"
},
{
"content": "install_default_formatters",
"role": "assistant"
}
] |
def x(self, data, replacements):
for find, repl in replacements:
data = data.replace(find, repl)
return data
|
replace
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, replacements):\n for find, repl in replacements:\n data = data.replace(find, repl)\n return data\n",
"role": "user"
},
{
"content": "replace",
"role": "assistant"
}
] |
def x(self, data):
parts = data.split('\n')
tokens = []
for num, part in enumerate(parts):
if part:
tokens.append((self.TOKEN_DATA, None, None, part))
if num < len(parts) - 1:
tokens.append((self.TOKEN_NEWLINE, None, None, '\n'))
return tokens
|
newline_tokenize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n parts = data.split('\\n')\n tokens = []\n for num, part in enumerate(parts):\n if part:\n tokens.append((self.TOKEN_DATA, None, None, part))\n if num < len(parts) - 1:\n tokens.append((self.TOKEN_NEWLINE, None, None, '\\n'))\n return tokens\n",
"role": "user"
},
{
"content": "newline_tokenize",
"role": "assistant"
}
] |
def x(self, data):
name = None
try:
from collections import OrderedDict
opts = OrderedDict()
except ImportError:
opts = {}
in_value = False
in_quote = False
attr = ''
value = ''
attr_done = False
stripped = data.strip()
ls = len(stripped)
pos = 0
while pos < ls:
ch = stripped[pos]
if in_value:
if in_quote:
if ch == '\\' and ls > pos + 1 and stripped[pos + 1] in ('\\',
'"', "'"):
value += stripped[pos + 1]
pos += 1
elif ch == in_quote:
in_quote = False
in_value = False
if attr:
opts[attr.lower()] = value.strip()
attr = ''
value = ''
else:
value += ch
elif ch in ('"', "'"):
in_quote = ch
elif ch == ' ' and data.find('=', pos + 1) > 0:
opts[attr.lower()] = value.strip()
attr = ''
value = ''
in_value = False
else:
value += ch
elif ch == '=':
in_value = True
if name is None:
name = attr
elif ch == ' ':
attr_done = True
else:
if attr_done:
if attr:
if name is None:
name = attr
else:
opts[attr.lower()] = ''
attr = ''
attr_done = False
attr += ch
pos += 1
if attr:
if name is None:
name = attr
opts[attr.lower()] = value.strip()
return name.lower(), opts
|
parse_opts
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n name = None\n try:\n from collections import OrderedDict\n opts = OrderedDict()\n except ImportError:\n opts = {}\n in_value = False\n in_quote = False\n attr = ''\n value = ''\n attr_done = False\n stripped = data.strip()\n ls = len(stripped)\n pos = 0\n while pos < ls:\n ch = stripped[pos]\n if in_value:\n if in_quote:\n if ch == '\\\\' and ls > pos + 1 and stripped[pos + 1] in ('\\\\',\n '\"', \"'\"):\n value += stripped[pos + 1]\n pos += 1\n elif ch == in_quote:\n in_quote = False\n in_value = False\n if attr:\n opts[attr.lower()] = value.strip()\n attr = ''\n value = ''\n else:\n value += ch\n elif ch in ('\"', \"'\"):\n in_quote = ch\n elif ch == ' ' and data.find('=', pos + 1) > 0:\n opts[attr.lower()] = value.strip()\n attr = ''\n value = ''\n in_value = False\n else:\n value += ch\n elif ch == '=':\n in_value = True\n if name is None:\n name = attr\n elif ch == ' ':\n attr_done = True\n else:\n if attr_done:\n if attr:\n if name is None:\n name = attr\n else:\n opts[attr.lower()] = ''\n attr = ''\n attr_done = False\n attr += ch\n pos += 1\n if attr:\n if name is None:\n name = attr\n opts[attr.lower()] = value.strip()\n return name.lower(), opts\n",
"role": "user"
},
{
"content": "parse_opts",
"role": "assistant"
}
] |
def x(self, tag):
if not tag.startswith(self.tag_opener) or not tag.endswith(self.tag_closer
) or '\n' in tag or '\r' in tag:
return False, tag, False, None
tag_name = tag[len(self.tag_opener):-len(self.tag_closer)].strip()
if not tag_name:
return False, tag, False, None
closer = False
opts = {}
if tag_name[0] == '/':
tag_name = tag_name[1:]
closer = True
if ('=' in tag_name or ' ' in tag_name) and not closer:
tag_name, opts = self._parse_opts(tag_name)
return True, tag_name.strip().lower(), closer, opts
|
parse_tag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tag):\n if not tag.startswith(self.tag_opener) or not tag.endswith(self.tag_closer\n ) or '\\n' in tag or '\\r' in tag:\n return False, tag, False, None\n tag_name = tag[len(self.tag_opener):-len(self.tag_closer)].strip()\n if not tag_name:\n return False, tag, False, None\n closer = False\n opts = {}\n if tag_name[0] == '/':\n tag_name = tag_name[1:]\n closer = True\n if ('=' in tag_name or ' ' in tag_name) and not closer:\n tag_name, opts = self._parse_opts(tag_name)\n return True, tag_name.strip().lower(), closer, opts\n",
"role": "user"
},
{
"content": "parse_tag",
"role": "assistant"
}
] |
def x(self, data, start):
in_quote = False
quotable = False
lto = len(self.tag_opener)
ltc = len(self.tag_closer)
for i in xrange(start + 1, len(data)):
ch = data[i]
if ch == '=':
quotable = True
if ch in ('"', "'"):
if quotable and not in_quote:
in_quote = ch
elif in_quote == ch:
in_quote = False
quotable = False
if not in_quote and data[i:i + lto] == self.tag_opener:
return i, False
if not in_quote and data[i:i + ltc] == self.tag_closer:
return i + ltc, True
return len(data), False
|
tag_extent
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, start):\n in_quote = False\n quotable = False\n lto = len(self.tag_opener)\n ltc = len(self.tag_closer)\n for i in xrange(start + 1, len(data)):\n ch = data[i]\n if ch == '=':\n quotable = True\n if ch in ('\"', \"'\"):\n if quotable and not in_quote:\n in_quote = ch\n elif in_quote == ch:\n in_quote = False\n quotable = False\n if not in_quote and data[i:i + lto] == self.tag_opener:\n return i, False\n if not in_quote and data[i:i + ltc] == self.tag_closer:\n return i + ltc, True\n return len(data), False\n",
"role": "user"
},
{
"content": "tag_extent",
"role": "assistant"
}
] |
def x(self, data):
data = data.replace('\r\n', '\n').replace('\r', '\n')
pos = start = end = 0
ld = len(data)
tokens = []
while pos < ld:
start = data.find(self.tag_opener, pos)
if start >= pos:
if start > pos:
tl = self._newline_tokenize(data[pos:start])
tokens.extend(tl)
pos = start
end, found_close = self._tag_extent(data, start)
if found_close:
tag = data[start:end]
valid, tag_name, closer, opts = self._parse_tag(tag)
if valid and tag_name in self.recognized_tags:
if closer:
tokens.append((self.TOKEN_TAG_END, tag_name, None, tag)
)
else:
tokens.append((self.TOKEN_TAG_START, tag_name, opts,
tag))
elif valid and self.drop_unrecognized and tag_name not in self.recognized_tags:
pass
else:
tokens.extend(self._newline_tokenize(tag))
else:
tokens.extend(self._newline_tokenize(data[start:end]))
pos = end
else:
break
if pos < ld:
tl = self._newline_tokenize(data[pos:])
tokens.extend(tl)
return tokens
|
tokenize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n data = data.replace('\\r\\n', '\\n').replace('\\r', '\\n')\n pos = start = end = 0\n ld = len(data)\n tokens = []\n while pos < ld:\n start = data.find(self.tag_opener, pos)\n if start >= pos:\n if start > pos:\n tl = self._newline_tokenize(data[pos:start])\n tokens.extend(tl)\n pos = start\n end, found_close = self._tag_extent(data, start)\n if found_close:\n tag = data[start:end]\n valid, tag_name, closer, opts = self._parse_tag(tag)\n if valid and tag_name in self.recognized_tags:\n if closer:\n tokens.append((self.TOKEN_TAG_END, tag_name, None, tag)\n )\n else:\n tokens.append((self.TOKEN_TAG_START, tag_name, opts,\n tag))\n elif valid and self.drop_unrecognized and tag_name not in self.recognized_tags:\n pass\n else:\n tokens.extend(self._newline_tokenize(tag))\n else:\n tokens.extend(self._newline_tokenize(data[start:end]))\n pos = end\n else:\n break\n if pos < ld:\n tl = self._newline_tokenize(data[pos:])\n tokens.extend(tl)\n return tokens\n",
"role": "user"
},
{
"content": "tokenize",
"role": "assistant"
}
] |
def x(self, tag, tokens, pos):
embed_count = 0
block_count = 0
lt = len(tokens)
while pos < lt:
token_type, tag_name, tag_opts, token_text = tokens[pos]
if token_type == self.TOKEN_DATA:
pos += 1
continue
if tag.newline_closes and token_type in (self.TOKEN_TAG_START, self
.TOKEN_TAG_END):
inner_tag = self.recognized_tags[tag_name][1]
if not inner_tag.transform_newlines:
if token_type == self.TOKEN_TAG_START:
block_count += 1
else:
block_count -= 1
if (token_type == self.TOKEN_NEWLINE and tag.newline_closes and
block_count == 0):
return pos, True
elif token_type == self.TOKEN_TAG_START and tag_name == tag.tag_name:
if tag.same_tag_closes:
return pos, False
if tag.render_embedded:
embed_count += 1
elif token_type == self.TOKEN_TAG_END and tag_name == tag.tag_name:
if embed_count > 0:
embed_count -= 1
else:
return pos, True
pos += 1
return pos, True
|
find_closing_token
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tag, tokens, pos):\n embed_count = 0\n block_count = 0\n lt = len(tokens)\n while pos < lt:\n token_type, tag_name, tag_opts, token_text = tokens[pos]\n if token_type == self.TOKEN_DATA:\n pos += 1\n continue\n if tag.newline_closes and token_type in (self.TOKEN_TAG_START, self\n .TOKEN_TAG_END):\n inner_tag = self.recognized_tags[tag_name][1]\n if not inner_tag.transform_newlines:\n if token_type == self.TOKEN_TAG_START:\n block_count += 1\n else:\n block_count -= 1\n if (token_type == self.TOKEN_NEWLINE and tag.newline_closes and \n block_count == 0):\n return pos, True\n elif token_type == self.TOKEN_TAG_START and tag_name == tag.tag_name:\n if tag.same_tag_closes:\n return pos, False\n if tag.render_embedded:\n embed_count += 1\n elif token_type == self.TOKEN_TAG_END and tag_name == tag.tag_name:\n if embed_count > 0:\n embed_count -= 1\n else:\n return pos, True\n pos += 1\n return pos, True\n",
"role": "user"
},
{
"content": "find_closing_token",
"role": "assistant"
}
] |
def x(self, match, **context):
url = match.group(0)
if self.linker:
if self.linker_takes_context:
return self.linker(url, context)
else:
return self.linker(url)
else:
href = url
if '://' not in href:
href = 'http://' + href
return self.url_template.format(href=href.replace('"', '%22'), text=url
)
|
link_replace
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, match, **context):\n url = match.group(0)\n if self.linker:\n if self.linker_takes_context:\n return self.linker(url, context)\n else:\n return self.linker(url)\n else:\n href = url\n if '://' not in href:\n href = 'http://' + href\n return self.url_template.format(href=href.replace('\"', '%22'), text=url\n )\n",
"role": "user"
},
{
"content": "link_replace",
"role": "assistant"
}
] |
def x(self, data, escape_html, replace_links, replace_cosmetic,
transform_newlines, **context):
url_matches = {}
if self.replace_links and replace_links:
pos = 0
while True:
match = _url_re.search(data, pos)
if not match:
break
token = '{{ bbcode-link-%s }}' % len(url_matches)
url_matches[token] = self._link_replace(match, **context)
start, end = match.span()
data = data[:start] + token + data[end:]
pos = start
if escape_html:
data = self._replace(data, self.REPLACE_ESCAPE)
if replace_cosmetic:
data = self._replace(data, self.REPLACE_COSMETIC)
for token, replacement in url_matches.items():
data = data.replace(token, replacement)
if transform_newlines:
data = data.replace('\n', '\r')
return data
|
transform
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, escape_html, replace_links, replace_cosmetic,\n transform_newlines, **context):\n url_matches = {}\n if self.replace_links and replace_links:\n pos = 0\n while True:\n match = _url_re.search(data, pos)\n if not match:\n break\n token = '{{ bbcode-link-%s }}' % len(url_matches)\n url_matches[token] = self._link_replace(match, **context)\n start, end = match.span()\n data = data[:start] + token + data[end:]\n pos = start\n if escape_html:\n data = self._replace(data, self.REPLACE_ESCAPE)\n if replace_cosmetic:\n data = self._replace(data, self.REPLACE_COSMETIC)\n for token, replacement in url_matches.items():\n data = data.replace(token, replacement)\n if transform_newlines:\n data = data.replace('\\n', '\\r')\n return data\n",
"role": "user"
},
{
"content": "transform",
"role": "assistant"
}
] |
def x(self, data, **context):
tokens = self.tokenize(data)
full_context = self.default_context.copy()
full_context.update(context)
return self._format_tokens(tokens, None, **full_context).replace('\r',
self.newline)
|
format
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, **context):\n tokens = self.tokenize(data)\n full_context = self.default_context.copy()\n full_context.update(context)\n return self._format_tokens(tokens, None, **full_context).replace('\\r',\n self.newline)\n",
"role": "user"
},
{
"content": "format",
"role": "assistant"
}
] |
def x(self, data, strip_newlines=False):
text = []
for token_type, tag_name, tag_opts, token_text in self.tokenize(data):
if token_type == self.TOKEN_DATA:
text.append(token_text)
elif token_type == self.TOKEN_NEWLINE and not strip_newlines:
text.append(token_text)
return ''.join(text)
|
strip
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, strip_newlines=False):\n text = []\n for token_type, tag_name, tag_opts, token_text in self.tokenize(data):\n if token_type == self.TOKEN_DATA:\n text.append(token_text)\n elif token_type == self.TOKEN_NEWLINE and not strip_newlines:\n text.append(token_text)\n return ''.join(text)\n",
"role": "user"
},
{
"content": "strip",
"role": "assistant"
}
] |
def x(a, axis=0, tol=0.001):
a_trunc = a // tol
vals, counts = mode(a_trunc, axis)
mask = a_trunc == vals
return np.sum(a * mask, axis) / np.sum(mask, axis)
|
mode_in_range
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, axis=0, tol=0.001):\n a_trunc = a // tol\n vals, counts = mode(a_trunc, axis)\n mask = a_trunc == vals\n return np.sum(a * mask, axis) / np.sum(mask, axis)\n",
"role": "user"
},
{
"content": "mode_in_range",
"role": "assistant"
}
] |
def x(self, periods):
return dict([(filt, model.score(periods)) for filt, model in self.
models_.items()])
|
scores
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, periods):\n return dict([(filt, model.score(periods)) for filt, model in self.\n models_.items()])\n",
"role": "user"
},
{
"content": "scores",
"role": "assistant"
}
] |
def x(self):
for key, model in self.models_.items():
model.optimizer = self.optimizer
return dict((filt, model.best_period) for filt, model in self.models_.
items())
|
best_periods
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for key, model in self.models_.items():\n model.optimizer = self.optimizer\n return dict((filt, model.best_period) for filt, model in self.models_.\n items())\n",
"role": "user"
},
{
"content": "best_periods",
"role": "assistant"
}
] |
def x(self, t, y, dy=None):
if dy is None:
dy = 1
self.t, self.y, self.dy = np.broadcast_arrays(t, y, dy)
self._fit(self.t, self.y, self.dy)
self._best_period = None
if self.fit_period:
self._best_period = self._calc_best_period()
return self
|
fit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, t, y, dy=None):\n if dy is None:\n dy = 1\n self.t, self.y, self.dy = np.broadcast_arrays(t, y, dy)\n self._fit(self.t, self.y, self.dy)\n self._best_period = None\n if self.fit_period:\n self._best_period = self._calc_best_period()\n return self\n",
"role": "user"
},
{
"content": "fit",
"role": "assistant"
}
] |
def x(self, t, period=None):
t = np.asarray(t)
if period is None:
period = self.best_period
result = self._predict(t.ravel(), period=period)
return result.reshape(t.shape)
|
predict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, t, period=None):\n t = np.asarray(t)\n if period is None:\n period = self.best_period\n result = self._predict(t.ravel(), period=period)\n return result.reshape(t.shape)\n",
"role": "user"
},
{
"content": "predict",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.