id int32 0 252k | repo stringlengths 7 55 | path stringlengths 4 127 | func_name stringlengths 1 88 | original_string stringlengths 75 19.8k | language stringclasses 1 value | code stringlengths 51 19.8k | code_tokens list | docstring stringlengths 3 17.3k | docstring_tokens list | sha stringlengths 40 40 | url stringlengths 87 242 |
|---|---|---|---|---|---|---|---|---|---|---|---|
244,500 | blockstack/blockstack-core | blockstack/lib/subdomains.py | SubdomainDB.get_domain_resolver | def get_domain_resolver(self, domain_name, cur=None):
"""
Get the last-knwon resolver entry for a domain name
Returns None if not found.
"""
get_cmd = "SELECT resolver FROM {} WHERE domain=? AND resolver != '' AND accepted=1 ORDER BY sequence DESC, parent_zonefile_index DESC LIMIT 1;".format(self.subdomain_table)
cursor = None
if cur is None:
cursor = self.conn.cursor()
else:
cursor = cur
db_query_execute(cursor, get_cmd, (domain_name,))
rowdata = cursor.fetchone()
if not rowdata:
return None
return rowdata['resolver'] | python | def get_domain_resolver(self, domain_name, cur=None):
get_cmd = "SELECT resolver FROM {} WHERE domain=? AND resolver != '' AND accepted=1 ORDER BY sequence DESC, parent_zonefile_index DESC LIMIT 1;".format(self.subdomain_table)
cursor = None
if cur is None:
cursor = self.conn.cursor()
else:
cursor = cur
db_query_execute(cursor, get_cmd, (domain_name,))
rowdata = cursor.fetchone()
if not rowdata:
return None
return rowdata['resolver'] | [
"def",
"get_domain_resolver",
"(",
"self",
",",
"domain_name",
",",
"cur",
"=",
"None",
")",
":",
"get_cmd",
"=",
"\"SELECT resolver FROM {} WHERE domain=? AND resolver != '' AND accepted=1 ORDER BY sequence DESC, parent_zonefile_index DESC LIMIT 1;\"",
".",
"format",
"(",
"self"... | Get the last-knwon resolver entry for a domain name
Returns None if not found. | [
"Get",
"the",
"last",
"-",
"knwon",
"resolver",
"entry",
"for",
"a",
"domain",
"name",
"Returns",
"None",
"if",
"not",
"found",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/subdomains.py#L1250-L1269 |
244,501 | blockstack/blockstack-core | blockstack/lib/subdomains.py | SubdomainDB.get_subdomain_DID_info | def get_subdomain_DID_info(self, fqn, cur=None):
"""
Get the DID information for a subdomain.
Raise SubdomainNotFound if there is no such subdomain
Return {'name_type': ..., 'address': ..., 'index': ...}
"""
subrec = self.get_subdomain_entry_at_sequence(fqn, 0, cur=cur)
cmd = 'SELECT zonefile_offset FROM {} WHERE fully_qualified_subdomain = ? AND owner = ? AND sequence=0 AND parent_zonefile_index <= ? AND accepted=1 ORDER BY parent_zonefile_index, zonefile_offset LIMIT 1;'.format(self.subdomain_table)
args = (fqn, subrec.address, subrec.parent_zonefile_index)
cursor = None
if cur is None:
cursor = self.conn.cursor()
else:
cursor = cur
rows = db_query_execute(cursor, cmd, args)
zonefile_offset = None
for r in rows:
zonefile_offset = r['zonefile_offset']
break
if zonefile_offset is None:
raise SubdomainNotFound('No rows for {}'.format(fqn))
cmd = 'SELECT COUNT(*) FROM {} WHERE owner = ? AND sequence=0 AND (parent_zonefile_index < ? OR parent_zonefile_index = ? AND zonefile_offset < ?) AND accepted=1 ORDER BY parent_zonefile_index, zonefile_offset LIMIT 1;'.format(self.subdomain_table)
args = (subrec.address, subrec.parent_zonefile_index, subrec.parent_zonefile_index, zonefile_offset)
rows = db_query_execute(cursor, cmd, args)
count = None
for r in rows:
count = r['COUNT(*)']
break
if count is None:
raise SubdomainNotFound('No rows for {}'.format(fqn))
return {'name_type': 'subdomain', 'address': subrec.address, 'index': count} | python | def get_subdomain_DID_info(self, fqn, cur=None):
subrec = self.get_subdomain_entry_at_sequence(fqn, 0, cur=cur)
cmd = 'SELECT zonefile_offset FROM {} WHERE fully_qualified_subdomain = ? AND owner = ? AND sequence=0 AND parent_zonefile_index <= ? AND accepted=1 ORDER BY parent_zonefile_index, zonefile_offset LIMIT 1;'.format(self.subdomain_table)
args = (fqn, subrec.address, subrec.parent_zonefile_index)
cursor = None
if cur is None:
cursor = self.conn.cursor()
else:
cursor = cur
rows = db_query_execute(cursor, cmd, args)
zonefile_offset = None
for r in rows:
zonefile_offset = r['zonefile_offset']
break
if zonefile_offset is None:
raise SubdomainNotFound('No rows for {}'.format(fqn))
cmd = 'SELECT COUNT(*) FROM {} WHERE owner = ? AND sequence=0 AND (parent_zonefile_index < ? OR parent_zonefile_index = ? AND zonefile_offset < ?) AND accepted=1 ORDER BY parent_zonefile_index, zonefile_offset LIMIT 1;'.format(self.subdomain_table)
args = (subrec.address, subrec.parent_zonefile_index, subrec.parent_zonefile_index, zonefile_offset)
rows = db_query_execute(cursor, cmd, args)
count = None
for r in rows:
count = r['COUNT(*)']
break
if count is None:
raise SubdomainNotFound('No rows for {}'.format(fqn))
return {'name_type': 'subdomain', 'address': subrec.address, 'index': count} | [
"def",
"get_subdomain_DID_info",
"(",
"self",
",",
"fqn",
",",
"cur",
"=",
"None",
")",
":",
"subrec",
"=",
"self",
".",
"get_subdomain_entry_at_sequence",
"(",
"fqn",
",",
"0",
",",
"cur",
"=",
"cur",
")",
"cmd",
"=",
"'SELECT zonefile_offset FROM {} WHERE fu... | Get the DID information for a subdomain.
Raise SubdomainNotFound if there is no such subdomain
Return {'name_type': ..., 'address': ..., 'index': ...} | [
"Get",
"the",
"DID",
"information",
"for",
"a",
"subdomain",
".",
"Raise",
"SubdomainNotFound",
"if",
"there",
"is",
"no",
"such",
"subdomain"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/subdomains.py#L1272-L1311 |
244,502 | blockstack/blockstack-core | blockstack/lib/subdomains.py | SubdomainDB.get_DID_subdomain | def get_DID_subdomain(self, did, cur=None):
"""
Get a subdomain, given its DID
Raise ValueError if the DID is invalid
Raise SubdomainNotFound if the DID does not correspond to a subdomain
"""
did = str(did)
try:
did_info = parse_DID(did)
assert did_info['name_type'] == 'subdomain', 'Not a subdomain DID'
except:
raise ValueError("Invalid DID: {}".format(did))
original_address = did_info['address']
name_index = did_info['index']
# find the initial subdomain (the nth subdomain created by this address)
cmd = 'SELECT fully_qualified_subdomain FROM {} WHERE owner = ? AND sequence = ? ORDER BY parent_zonefile_index, zonefile_offset LIMIT 1 OFFSET ?;'.format(self.subdomain_table)
args = (original_address, 0, name_index)
cursor = None
if cur is None:
cursor = self.conn.cursor()
else:
cursor = cur
subdomain_name = None
rows = db_query_execute(cursor, cmd, args)
for r in rows:
subdomain_name = r['fully_qualified_subdomain']
break
if not subdomain_name:
raise SubdomainNotFound('Does not correspond to a subdomain: {}'.format(did))
# get the current form
subrec = self.get_subdomain_entry(subdomain_name, cur=cur)
subrec.did_info = did_info
return subrec | python | def get_DID_subdomain(self, did, cur=None):
did = str(did)
try:
did_info = parse_DID(did)
assert did_info['name_type'] == 'subdomain', 'Not a subdomain DID'
except:
raise ValueError("Invalid DID: {}".format(did))
original_address = did_info['address']
name_index = did_info['index']
# find the initial subdomain (the nth subdomain created by this address)
cmd = 'SELECT fully_qualified_subdomain FROM {} WHERE owner = ? AND sequence = ? ORDER BY parent_zonefile_index, zonefile_offset LIMIT 1 OFFSET ?;'.format(self.subdomain_table)
args = (original_address, 0, name_index)
cursor = None
if cur is None:
cursor = self.conn.cursor()
else:
cursor = cur
subdomain_name = None
rows = db_query_execute(cursor, cmd, args)
for r in rows:
subdomain_name = r['fully_qualified_subdomain']
break
if not subdomain_name:
raise SubdomainNotFound('Does not correspond to a subdomain: {}'.format(did))
# get the current form
subrec = self.get_subdomain_entry(subdomain_name, cur=cur)
subrec.did_info = did_info
return subrec | [
"def",
"get_DID_subdomain",
"(",
"self",
",",
"did",
",",
"cur",
"=",
"None",
")",
":",
"did",
"=",
"str",
"(",
"did",
")",
"try",
":",
"did_info",
"=",
"parse_DID",
"(",
"did",
")",
"assert",
"did_info",
"[",
"'name_type'",
"]",
"==",
"'subdomain'",
... | Get a subdomain, given its DID
Raise ValueError if the DID is invalid
Raise SubdomainNotFound if the DID does not correspond to a subdomain | [
"Get",
"a",
"subdomain",
"given",
"its",
"DID",
"Raise",
"ValueError",
"if",
"the",
"DID",
"is",
"invalid",
"Raise",
"SubdomainNotFound",
"if",
"the",
"DID",
"does",
"not",
"correspond",
"to",
"a",
"subdomain"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/subdomains.py#L1314-L1354 |
244,503 | blockstack/blockstack-core | blockstack/lib/subdomains.py | SubdomainDB.is_subdomain_zonefile_hash | def is_subdomain_zonefile_hash(self, fqn, zonefile_hash, cur=None):
"""
Does this zone file hash belong to this subdomain?
"""
sql = 'SELECT COUNT(zonefile_hash) FROM {} WHERE fully_qualified_subdomain = ? and zonefile_hash = ?;'.format(self.subdomain_table)
args = (fqn,zonefile_hash)
cursor = None
if cur is None:
cursor = self.conn.cursor()
else:
cursor = cur
rows = db_query_execute(cursor, sql, args)
count = None
for row in rows:
count = row['COUNT(zonefile_hash)']
break
return (count > 0) | python | def is_subdomain_zonefile_hash(self, fqn, zonefile_hash, cur=None):
sql = 'SELECT COUNT(zonefile_hash) FROM {} WHERE fully_qualified_subdomain = ? and zonefile_hash = ?;'.format(self.subdomain_table)
args = (fqn,zonefile_hash)
cursor = None
if cur is None:
cursor = self.conn.cursor()
else:
cursor = cur
rows = db_query_execute(cursor, sql, args)
count = None
for row in rows:
count = row['COUNT(zonefile_hash)']
break
return (count > 0) | [
"def",
"is_subdomain_zonefile_hash",
"(",
"self",
",",
"fqn",
",",
"zonefile_hash",
",",
"cur",
"=",
"None",
")",
":",
"sql",
"=",
"'SELECT COUNT(zonefile_hash) FROM {} WHERE fully_qualified_subdomain = ? and zonefile_hash = ?;'",
".",
"format",
"(",
"self",
".",
"subdoma... | Does this zone file hash belong to this subdomain? | [
"Does",
"this",
"zone",
"file",
"hash",
"belong",
"to",
"this",
"subdomain?"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/subdomains.py#L1357-L1377 |
244,504 | blockstack/blockstack-core | blockstack/lib/subdomains.py | SubdomainDB.update_subdomain_entry | def update_subdomain_entry(self, subdomain_obj, cur=None):
"""
Update the subdomain history table for this subdomain entry.
Creates it if it doesn't exist.
Return True on success
Raise exception on error
"""
# sanity checks
assert isinstance(subdomain_obj, Subdomain)
# NOTE: there is no need to call fsync() on the zone file fd here---we already have the data from the on-chain name's zone file fsync'ed,
# so this information is already durable (albeit somewhere else) and can ostensibly be restored later.
# We get such high subdomain traffic that we cannot call fsync() here each time; otherwise we could stall the node.
zonefile_hash = get_zonefile_data_hash(subdomain_obj.zonefile_str)
rc = store_atlas_zonefile_data(subdomain_obj.zonefile_str, self.zonefiles_dir, fsync=False)
if not rc:
raise Exception("Failed to store zone file {} from {}".format(zonefile_hash, subdomain_obj.get_fqn()))
write_cmd = 'INSERT OR REPLACE INTO {} VALUES (?,?,?,?,?,?,?,?,?,?,?,?,?,?)'.format(self.subdomain_table)
args = (subdomain_obj.get_fqn(), subdomain_obj.domain, subdomain_obj.n, subdomain_obj.address, zonefile_hash,
subdomain_obj.sig, subdomain_obj.block_height, subdomain_obj.parent_zonefile_hash,
subdomain_obj.parent_zonefile_index, subdomain_obj.zonefile_offset, subdomain_obj.txid,
','.join(str(i) for i in subdomain_obj.domain_zonefiles_missing),
1 if subdomain_obj.accepted else 0,
subdomain_obj.resolver)
cursor = None
if cur is None:
cursor = self.conn.cursor()
else:
cursor = cur
db_query_execute(cursor, write_cmd, args)
num_rows_written = cursor.rowcount
if cur is None:
# not part of a transaction
self.conn.commit()
if num_rows_written != 1:
raise ValueError("No row written: fqn={} seq={}".format(subdomain_obj.get_fqn(), subdomain_obj.n))
return True | python | def update_subdomain_entry(self, subdomain_obj, cur=None):
# sanity checks
assert isinstance(subdomain_obj, Subdomain)
# NOTE: there is no need to call fsync() on the zone file fd here---we already have the data from the on-chain name's zone file fsync'ed,
# so this information is already durable (albeit somewhere else) and can ostensibly be restored later.
# We get such high subdomain traffic that we cannot call fsync() here each time; otherwise we could stall the node.
zonefile_hash = get_zonefile_data_hash(subdomain_obj.zonefile_str)
rc = store_atlas_zonefile_data(subdomain_obj.zonefile_str, self.zonefiles_dir, fsync=False)
if not rc:
raise Exception("Failed to store zone file {} from {}".format(zonefile_hash, subdomain_obj.get_fqn()))
write_cmd = 'INSERT OR REPLACE INTO {} VALUES (?,?,?,?,?,?,?,?,?,?,?,?,?,?)'.format(self.subdomain_table)
args = (subdomain_obj.get_fqn(), subdomain_obj.domain, subdomain_obj.n, subdomain_obj.address, zonefile_hash,
subdomain_obj.sig, subdomain_obj.block_height, subdomain_obj.parent_zonefile_hash,
subdomain_obj.parent_zonefile_index, subdomain_obj.zonefile_offset, subdomain_obj.txid,
','.join(str(i) for i in subdomain_obj.domain_zonefiles_missing),
1 if subdomain_obj.accepted else 0,
subdomain_obj.resolver)
cursor = None
if cur is None:
cursor = self.conn.cursor()
else:
cursor = cur
db_query_execute(cursor, write_cmd, args)
num_rows_written = cursor.rowcount
if cur is None:
# not part of a transaction
self.conn.commit()
if num_rows_written != 1:
raise ValueError("No row written: fqn={} seq={}".format(subdomain_obj.get_fqn(), subdomain_obj.n))
return True | [
"def",
"update_subdomain_entry",
"(",
"self",
",",
"subdomain_obj",
",",
"cur",
"=",
"None",
")",
":",
"# sanity checks",
"assert",
"isinstance",
"(",
"subdomain_obj",
",",
"Subdomain",
")",
"# NOTE: there is no need to call fsync() on the zone file fd here---we already have ... | Update the subdomain history table for this subdomain entry.
Creates it if it doesn't exist.
Return True on success
Raise exception on error | [
"Update",
"the",
"subdomain",
"history",
"table",
"for",
"this",
"subdomain",
"entry",
".",
"Creates",
"it",
"if",
"it",
"doesn",
"t",
"exist",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/subdomains.py#L1435-L1478 |
244,505 | blockstack/blockstack-core | blockstack/lib/subdomains.py | SubdomainDB.get_last_block | def get_last_block(self, cur=None):
"""
Get the highest block last processed
"""
sql = 'SELECT MAX(block_height) FROM {};'.format(self.subdomain_table)
cursor = None
if cur is None:
cursor = self.conn.cursor()
else:
cursor = cur
rows = db_query_execute(cursor, sql, ())
height = 0
try:
rowdata = rows.fetchone()
height = rowdata['MAX(block_height)']
except:
height = 0
return height | python | def get_last_block(self, cur=None):
sql = 'SELECT MAX(block_height) FROM {};'.format(self.subdomain_table)
cursor = None
if cur is None:
cursor = self.conn.cursor()
else:
cursor = cur
rows = db_query_execute(cursor, sql, ())
height = 0
try:
rowdata = rows.fetchone()
height = rowdata['MAX(block_height)']
except:
height = 0
return height | [
"def",
"get_last_block",
"(",
"self",
",",
"cur",
"=",
"None",
")",
":",
"sql",
"=",
"'SELECT MAX(block_height) FROM {};'",
".",
"format",
"(",
"self",
".",
"subdomain_table",
")",
"cursor",
"=",
"None",
"if",
"cur",
"is",
"None",
":",
"cursor",
"=",
"self... | Get the highest block last processed | [
"Get",
"the",
"highest",
"block",
"last",
"processed"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/subdomains.py#L1513-L1532 |
244,506 | blockstack/blockstack-core | blockstack/lib/subdomains.py | SubdomainDB.get_last_sequence | def get_last_sequence(self, cur=None):
"""
Get the highest sequence number in this db
"""
sql = 'SELECT sequence FROM {} ORDER BY sequence DESC LIMIT 1;'.format(self.subdomain_table)
cursor = None
if cur is None:
cursor = self.conn.cursor()
else:
cursor = cur
db_query_execute(cursor, sql, ())
last_seq = None
try:
last_seq = cursor.fetchone()[0]
except:
last_seq = 0
return int(last_seq) | python | def get_last_sequence(self, cur=None):
sql = 'SELECT sequence FROM {} ORDER BY sequence DESC LIMIT 1;'.format(self.subdomain_table)
cursor = None
if cur is None:
cursor = self.conn.cursor()
else:
cursor = cur
db_query_execute(cursor, sql, ())
last_seq = None
try:
last_seq = cursor.fetchone()[0]
except:
last_seq = 0
return int(last_seq) | [
"def",
"get_last_sequence",
"(",
"self",
",",
"cur",
"=",
"None",
")",
":",
"sql",
"=",
"'SELECT sequence FROM {} ORDER BY sequence DESC LIMIT 1;'",
".",
"format",
"(",
"self",
".",
"subdomain_table",
")",
"cursor",
"=",
"None",
"if",
"cur",
"is",
"None",
":",
... | Get the highest sequence number in this db | [
"Get",
"the",
"highest",
"sequence",
"number",
"in",
"this",
"db"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/subdomains.py#L1535-L1553 |
244,507 | blockstack/blockstack-core | blockstack/lib/subdomains.py | SubdomainDB._drop_tables | def _drop_tables(self):
"""
Clear the subdomain db's tables
"""
drop_cmd = "DROP TABLE IF EXISTS {};"
for table in [self.subdomain_table, self.blocked_table]:
cursor = self.conn.cursor()
db_query_execute(cursor, drop_cmd.format(table), ()) | python | def _drop_tables(self):
drop_cmd = "DROP TABLE IF EXISTS {};"
for table in [self.subdomain_table, self.blocked_table]:
cursor = self.conn.cursor()
db_query_execute(cursor, drop_cmd.format(table), ()) | [
"def",
"_drop_tables",
"(",
"self",
")",
":",
"drop_cmd",
"=",
"\"DROP TABLE IF EXISTS {};\"",
"for",
"table",
"in",
"[",
"self",
".",
"subdomain_table",
",",
"self",
".",
"blocked_table",
"]",
":",
"cursor",
"=",
"self",
".",
"conn",
".",
"cursor",
"(",
"... | Clear the subdomain db's tables | [
"Clear",
"the",
"subdomain",
"db",
"s",
"tables"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/subdomains.py#L1556-L1563 |
244,508 | blockstack/blockstack-core | blockstack/lib/hashing.py | hash_name | def hash_name(name, script_pubkey, register_addr=None):
"""
Generate the hash over a name and hex-string script pubkey
"""
bin_name = b40_to_bin(name)
name_and_pubkey = bin_name + unhexlify(script_pubkey)
if register_addr is not None:
name_and_pubkey += str(register_addr)
return hex_hash160(name_and_pubkey) | python | def hash_name(name, script_pubkey, register_addr=None):
bin_name = b40_to_bin(name)
name_and_pubkey = bin_name + unhexlify(script_pubkey)
if register_addr is not None:
name_and_pubkey += str(register_addr)
return hex_hash160(name_and_pubkey) | [
"def",
"hash_name",
"(",
"name",
",",
"script_pubkey",
",",
"register_addr",
"=",
"None",
")",
":",
"bin_name",
"=",
"b40_to_bin",
"(",
"name",
")",
"name_and_pubkey",
"=",
"bin_name",
"+",
"unhexlify",
"(",
"script_pubkey",
")",
"if",
"register_addr",
"is",
... | Generate the hash over a name and hex-string script pubkey | [
"Generate",
"the",
"hash",
"over",
"a",
"name",
"and",
"hex",
"-",
"string",
"script",
"pubkey"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/hashing.py#L32-L42 |
244,509 | blockstack/blockstack-core | api/search/basic_index.py | fetch_profile_data_from_file | def fetch_profile_data_from_file():
""" takes profile data from file and saves in the profile_data DB
"""
with open(SEARCH_PROFILE_DATA_FILE, 'r') as fin:
profiles = json.load(fin)
counter = 0
log.debug("-" * 5)
log.debug("Fetching profile data from file")
for entry in profiles:
new_entry = {}
new_entry['key'] = entry['fqu']
new_entry['value'] = entry['profile']
try:
clean_profile_entries(entry['profile'])
profile_data.save(new_entry)
except Exception as e:
log.exception(e)
log.error("Exception on entry {}".format(new_entry))
counter += 1
if counter % 1000 == 0:
log.debug("Processed entries: %s" % counter)
profile_data.ensure_index('key')
return | python | def fetch_profile_data_from_file():
with open(SEARCH_PROFILE_DATA_FILE, 'r') as fin:
profiles = json.load(fin)
counter = 0
log.debug("-" * 5)
log.debug("Fetching profile data from file")
for entry in profiles:
new_entry = {}
new_entry['key'] = entry['fqu']
new_entry['value'] = entry['profile']
try:
clean_profile_entries(entry['profile'])
profile_data.save(new_entry)
except Exception as e:
log.exception(e)
log.error("Exception on entry {}".format(new_entry))
counter += 1
if counter % 1000 == 0:
log.debug("Processed entries: %s" % counter)
profile_data.ensure_index('key')
return | [
"def",
"fetch_profile_data_from_file",
"(",
")",
":",
"with",
"open",
"(",
"SEARCH_PROFILE_DATA_FILE",
",",
"'r'",
")",
"as",
"fin",
":",
"profiles",
"=",
"json",
".",
"load",
"(",
"fin",
")",
"counter",
"=",
"0",
"log",
".",
"debug",
"(",
"\"-\"",
"*",
... | takes profile data from file and saves in the profile_data DB | [
"takes",
"profile",
"data",
"from",
"file",
"and",
"saves",
"in",
"the",
"profile_data",
"DB"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/api/search/basic_index.py#L65-L95 |
244,510 | blockstack/blockstack-core | api/search/basic_index.py | create_search_index | def create_search_index():
""" takes people names from blockchain and writes deduped names in a 'cache'
"""
# create people name cache
counter = 0
people_names = []
twitter_handles = []
usernames = []
log.debug("-" * 5)
log.debug("Creating search index")
for user in namespace.find():
# the profile/info to be inserted
search_profile = {}
counter += 1
if(counter % 1000 == 0):
log.debug("Processed entries: %s" % counter)
if validUsername(user['username']):
pass
else:
continue
profile = get_json(user['profile'])
hasBazaarId=False
# search for openbazaar id in the profile
if 'account' in profile:
for accounts in profile['account']:
if accounts['service'] == 'openbazaar':
hasBazaarId = True
search_profile['openbazaar']=accounts['identifier']
if (hasBazaarId == False):
search_profile['openbazaar'] = None
if 'name' in profile:
try:
name = profile['name']
except:
continue
try:
name = name['formatted'].lower()
except:
name = name.lower()
people_names.append(name)
search_profile['name'] = name
else:
search_profile['name'] = None
if 'twitter' in profile:
twitter_handle = profile['twitter']
try:
twitter_handle = twitter_handle['username'].lower()
except:
try:
twitter_handle = profile['twitter'].lower()
except:
continue
twitter_handles.append(twitter_handle)
search_profile['twitter_handle'] = twitter_handle
else:
search_profile['twitter_handle'] = None
search_profile['fullyQualifiedName'] = user['fqu']
search_profile['username'] = user['username']
usernames.append(user['fqu'])
search_profile['profile'] = profile
search_profiles.save(search_profile)
# dedup names
people_names = list(set(people_names))
people_names = {'name': people_names}
twitter_handles = list(set(twitter_handles))
twitter_handles = {'twitter_handle': twitter_handles}
usernames = list(set(usernames))
usernames = {'username': usernames}
# save final dedup results to mongodb (using it as a cache)
people_cache.save(people_names)
twitter_cache.save(twitter_handles)
username_cache.save(usernames)
optimize_db()
log.debug('Created name/twitter/username search index') | python | def create_search_index():
# create people name cache
counter = 0
people_names = []
twitter_handles = []
usernames = []
log.debug("-" * 5)
log.debug("Creating search index")
for user in namespace.find():
# the profile/info to be inserted
search_profile = {}
counter += 1
if(counter % 1000 == 0):
log.debug("Processed entries: %s" % counter)
if validUsername(user['username']):
pass
else:
continue
profile = get_json(user['profile'])
hasBazaarId=False
# search for openbazaar id in the profile
if 'account' in profile:
for accounts in profile['account']:
if accounts['service'] == 'openbazaar':
hasBazaarId = True
search_profile['openbazaar']=accounts['identifier']
if (hasBazaarId == False):
search_profile['openbazaar'] = None
if 'name' in profile:
try:
name = profile['name']
except:
continue
try:
name = name['formatted'].lower()
except:
name = name.lower()
people_names.append(name)
search_profile['name'] = name
else:
search_profile['name'] = None
if 'twitter' in profile:
twitter_handle = profile['twitter']
try:
twitter_handle = twitter_handle['username'].lower()
except:
try:
twitter_handle = profile['twitter'].lower()
except:
continue
twitter_handles.append(twitter_handle)
search_profile['twitter_handle'] = twitter_handle
else:
search_profile['twitter_handle'] = None
search_profile['fullyQualifiedName'] = user['fqu']
search_profile['username'] = user['username']
usernames.append(user['fqu'])
search_profile['profile'] = profile
search_profiles.save(search_profile)
# dedup names
people_names = list(set(people_names))
people_names = {'name': people_names}
twitter_handles = list(set(twitter_handles))
twitter_handles = {'twitter_handle': twitter_handles}
usernames = list(set(usernames))
usernames = {'username': usernames}
# save final dedup results to mongodb (using it as a cache)
people_cache.save(people_names)
twitter_cache.save(twitter_handles)
username_cache.save(usernames)
optimize_db()
log.debug('Created name/twitter/username search index') | [
"def",
"create_search_index",
"(",
")",
":",
"# create people name cache",
"counter",
"=",
"0",
"people_names",
"=",
"[",
"]",
"twitter_handles",
"=",
"[",
"]",
"usernames",
"=",
"[",
"]",
"log",
".",
"debug",
"(",
"\"-\"",
"*",
"5",
")",
"log",
".",
"de... | takes people names from blockchain and writes deduped names in a 'cache' | [
"takes",
"people",
"names",
"from",
"blockchain",
"and",
"writes",
"deduped",
"names",
"in",
"a",
"cache"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/api/search/basic_index.py#L177-L277 |
244,511 | blockstack/blockstack-core | blockstack/lib/operations/__init__.py | op_extract | def op_extract(op_name, data, senders, inputs, outputs, block_id, vtxindex, txid):
"""
Extract an operation from transaction data.
Return the extracted fields as a dict.
"""
global EXTRACT_METHODS
if op_name not in EXTRACT_METHODS.keys():
raise Exception("No such operation '%s'" % op_name)
method = EXTRACT_METHODS[op_name]
op_data = method( data, senders, inputs, outputs, block_id, vtxindex, txid )
return op_data | python | def op_extract(op_name, data, senders, inputs, outputs, block_id, vtxindex, txid):
global EXTRACT_METHODS
if op_name not in EXTRACT_METHODS.keys():
raise Exception("No such operation '%s'" % op_name)
method = EXTRACT_METHODS[op_name]
op_data = method( data, senders, inputs, outputs, block_id, vtxindex, txid )
return op_data | [
"def",
"op_extract",
"(",
"op_name",
",",
"data",
",",
"senders",
",",
"inputs",
",",
"outputs",
",",
"block_id",
",",
"vtxindex",
",",
"txid",
")",
":",
"global",
"EXTRACT_METHODS",
"if",
"op_name",
"not",
"in",
"EXTRACT_METHODS",
".",
"keys",
"(",
")",
... | Extract an operation from transaction data.
Return the extracted fields as a dict. | [
"Extract",
"an",
"operation",
"from",
"transaction",
"data",
".",
"Return",
"the",
"extracted",
"fields",
"as",
"a",
"dict",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/operations/__init__.py#L183-L195 |
244,512 | blockstack/blockstack-core | blockstack/lib/operations/__init__.py | op_canonicalize | def op_canonicalize(op_name, parsed_op):
"""
Get the canonical representation of a parsed operation's data.
Meant for backwards-compatibility
"""
global CANONICALIZE_METHODS
if op_name not in CANONICALIZE_METHODS:
# no canonicalization needed
return parsed_op
else:
return CANONICALIZE_METHODS[op_name](parsed_op) | python | def op_canonicalize(op_name, parsed_op):
global CANONICALIZE_METHODS
if op_name not in CANONICALIZE_METHODS:
# no canonicalization needed
return parsed_op
else:
return CANONICALIZE_METHODS[op_name](parsed_op) | [
"def",
"op_canonicalize",
"(",
"op_name",
",",
"parsed_op",
")",
":",
"global",
"CANONICALIZE_METHODS",
"if",
"op_name",
"not",
"in",
"CANONICALIZE_METHODS",
":",
"# no canonicalization needed",
"return",
"parsed_op",
"else",
":",
"return",
"CANONICALIZE_METHODS",
"[",
... | Get the canonical representation of a parsed operation's data.
Meant for backwards-compatibility | [
"Get",
"the",
"canonical",
"representation",
"of",
"a",
"parsed",
"operation",
"s",
"data",
".",
"Meant",
"for",
"backwards",
"-",
"compatibility"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/operations/__init__.py#L198-L209 |
244,513 | blockstack/blockstack-core | blockstack/lib/operations/__init__.py | op_decanonicalize | def op_decanonicalize(op_name, canonical_op):
"""
Get the current representation of a parsed operation's data, given the canonical representation
Meant for backwards-compatibility
"""
global DECANONICALIZE_METHODS
if op_name not in DECANONICALIZE_METHODS:
# no decanonicalization needed
return canonical_op
else:
return DECANONICALIZE_METHODS[op_name](canonical_op) | python | def op_decanonicalize(op_name, canonical_op):
global DECANONICALIZE_METHODS
if op_name not in DECANONICALIZE_METHODS:
# no decanonicalization needed
return canonical_op
else:
return DECANONICALIZE_METHODS[op_name](canonical_op) | [
"def",
"op_decanonicalize",
"(",
"op_name",
",",
"canonical_op",
")",
":",
"global",
"DECANONICALIZE_METHODS",
"if",
"op_name",
"not",
"in",
"DECANONICALIZE_METHODS",
":",
"# no decanonicalization needed",
"return",
"canonical_op",
"else",
":",
"return",
"DECANONICALIZE_M... | Get the current representation of a parsed operation's data, given the canonical representation
Meant for backwards-compatibility | [
"Get",
"the",
"current",
"representation",
"of",
"a",
"parsed",
"operation",
"s",
"data",
"given",
"the",
"canonical",
"representation",
"Meant",
"for",
"backwards",
"-",
"compatibility"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/operations/__init__.py#L212-L223 |
244,514 | blockstack/blockstack-core | blockstack/lib/operations/__init__.py | op_check | def op_check( state_engine, nameop, block_id, checked_ops ):
"""
Given the state engine, the current block, the list of pending
operations processed so far, and the current operation, determine
whether or not it should be accepted.
The operation is allowed to be "type-cast" to a new operation, but only once.
If this happens, the operation will be checked again.
Subsequent casts are considered bugs, and will cause a program abort.
TODO: remove type-cast
"""
global CHECK_METHODS, MUTATE_FIELDS
nameop_clone = copy.deepcopy( nameop )
opcode = None
if 'opcode' not in nameop_clone.keys():
op = nameop_clone.get('op', None)
try:
assert op is not None, "BUG: no op defined"
opcode = op_get_opcode_name( op )
assert opcode is not None, "BUG: op '%s' undefined" % op
except Exception, e:
log.exception(e)
log.error("FATAL: BUG: no 'op' defined")
sys.exit(1)
else:
opcode = nameop_clone['opcode']
check_method = CHECK_METHODS.get( opcode, None )
try:
assert check_method is not None, "BUG: no check-method for '%s'" % opcode
except Exception, e:
log.exception(e)
log.error("FATAL: BUG: no check-method for '%s'" % opcode )
sys.exit(1)
rc = check_method( state_engine, nameop_clone, block_id, checked_ops )
if not rc:
# rejected
return False
# accepted! clean up and canonicalize
nameop.clear()
nameop.update(nameop_clone)
# nameop = op_canonicalize(nameop['opcode'], nameop)
op_canonicalize(nameop['opcode'], nameop)
# make sure we don't send unstored fields to the db that are otherwise canonical
unstored_canonical_fields = UNSTORED_CANONICAL_FIELDS.get(nameop['opcode'])
assert unstored_canonical_fields is not None, "BUG: no UNSTORED_CANONICAL_FIELDS entry for {}".format(nameop['opcode'])
for f in unstored_canonical_fields:
if f in nameop:
del nameop[f]
return rc | python | def op_check( state_engine, nameop, block_id, checked_ops ):
global CHECK_METHODS, MUTATE_FIELDS
nameop_clone = copy.deepcopy( nameop )
opcode = None
if 'opcode' not in nameop_clone.keys():
op = nameop_clone.get('op', None)
try:
assert op is not None, "BUG: no op defined"
opcode = op_get_opcode_name( op )
assert opcode is not None, "BUG: op '%s' undefined" % op
except Exception, e:
log.exception(e)
log.error("FATAL: BUG: no 'op' defined")
sys.exit(1)
else:
opcode = nameop_clone['opcode']
check_method = CHECK_METHODS.get( opcode, None )
try:
assert check_method is not None, "BUG: no check-method for '%s'" % opcode
except Exception, e:
log.exception(e)
log.error("FATAL: BUG: no check-method for '%s'" % opcode )
sys.exit(1)
rc = check_method( state_engine, nameop_clone, block_id, checked_ops )
if not rc:
# rejected
return False
# accepted! clean up and canonicalize
nameop.clear()
nameop.update(nameop_clone)
# nameop = op_canonicalize(nameop['opcode'], nameop)
op_canonicalize(nameop['opcode'], nameop)
# make sure we don't send unstored fields to the db that are otherwise canonical
unstored_canonical_fields = UNSTORED_CANONICAL_FIELDS.get(nameop['opcode'])
assert unstored_canonical_fields is not None, "BUG: no UNSTORED_CANONICAL_FIELDS entry for {}".format(nameop['opcode'])
for f in unstored_canonical_fields:
if f in nameop:
del nameop[f]
return rc | [
"def",
"op_check",
"(",
"state_engine",
",",
"nameop",
",",
"block_id",
",",
"checked_ops",
")",
":",
"global",
"CHECK_METHODS",
",",
"MUTATE_FIELDS",
"nameop_clone",
"=",
"copy",
".",
"deepcopy",
"(",
"nameop",
")",
"opcode",
"=",
"None",
"if",
"'opcode'",
... | Given the state engine, the current block, the list of pending
operations processed so far, and the current operation, determine
whether or not it should be accepted.
The operation is allowed to be "type-cast" to a new operation, but only once.
If this happens, the operation will be checked again.
Subsequent casts are considered bugs, and will cause a program abort.
TODO: remove type-cast | [
"Given",
"the",
"state",
"engine",
"the",
"current",
"block",
"the",
"list",
"of",
"pending",
"operations",
"processed",
"so",
"far",
"and",
"the",
"current",
"operation",
"determine",
"whether",
"or",
"not",
"it",
"should",
"be",
"accepted",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/operations/__init__.py#L284-L343 |
244,515 | blockstack/blockstack-core | blockstack/lib/operations/__init__.py | op_get_mutate_fields | def op_get_mutate_fields( op_name ):
"""
Get the names of the fields that will change
when this operation gets applied to a record.
"""
global MUTATE_FIELDS
if op_name not in MUTATE_FIELDS.keys():
raise Exception("No such operation '%s'" % op_name)
fields = MUTATE_FIELDS[op_name][:]
return fields | python | def op_get_mutate_fields( op_name ):
global MUTATE_FIELDS
if op_name not in MUTATE_FIELDS.keys():
raise Exception("No such operation '%s'" % op_name)
fields = MUTATE_FIELDS[op_name][:]
return fields | [
"def",
"op_get_mutate_fields",
"(",
"op_name",
")",
":",
"global",
"MUTATE_FIELDS",
"if",
"op_name",
"not",
"in",
"MUTATE_FIELDS",
".",
"keys",
"(",
")",
":",
"raise",
"Exception",
"(",
"\"No such operation '%s'\"",
"%",
"op_name",
")",
"fields",
"=",
"MUTATE_FI... | Get the names of the fields that will change
when this operation gets applied to a record. | [
"Get",
"the",
"names",
"of",
"the",
"fields",
"that",
"will",
"change",
"when",
"this",
"operation",
"gets",
"applied",
"to",
"a",
"record",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/operations/__init__.py#L346-L357 |
244,516 | blockstack/blockstack-core | blockstack/lib/operations/__init__.py | op_get_consensus_fields | def op_get_consensus_fields( op_name ):
"""
Get the set of consensus-generating fields for an operation.
"""
global SERIALIZE_FIELDS
if op_name not in SERIALIZE_FIELDS.keys():
raise Exception("No such operation '%s'" % op_name )
fields = SERIALIZE_FIELDS[op_name][:]
return fields | python | def op_get_consensus_fields( op_name ):
global SERIALIZE_FIELDS
if op_name not in SERIALIZE_FIELDS.keys():
raise Exception("No such operation '%s'" % op_name )
fields = SERIALIZE_FIELDS[op_name][:]
return fields | [
"def",
"op_get_consensus_fields",
"(",
"op_name",
")",
":",
"global",
"SERIALIZE_FIELDS",
"if",
"op_name",
"not",
"in",
"SERIALIZE_FIELDS",
".",
"keys",
"(",
")",
":",
"raise",
"Exception",
"(",
"\"No such operation '%s'\"",
"%",
"op_name",
")",
"fields",
"=",
"... | Get the set of consensus-generating fields for an operation. | [
"Get",
"the",
"set",
"of",
"consensus",
"-",
"generating",
"fields",
"for",
"an",
"operation",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/operations/__init__.py#L360-L370 |
244,517 | blockstack/blockstack-core | blockstack/lib/operations/update.py | check | def check(state_engine, nameop, block_id, checked_ops ):
"""
Verify the validity of an update to a name's associated data.
Use the nameop's 128-bit name hash to find the name itself.
NAME_UPDATE isn't allowed during an import, so the name's namespace must be ready.
Return True if accepted
Return False if not.
"""
name_consensus_hash = nameop['name_consensus_hash']
sender = nameop['sender']
# deny updates if we exceed quota--the only legal operations are to revoke or transfer.
sender_names = state_engine.get_names_owned_by_sender( sender )
if len(sender_names) > MAX_NAMES_PER_SENDER:
log.warning("Sender '%s' has exceeded quota: only transfers or revokes are allowed" % (sender))
return False
name, consensus_hash = state_engine.get_name_from_name_consensus_hash( name_consensus_hash, sender, block_id )
# name must exist
if name is None or consensus_hash is None:
log.warning("Unable to resolve name consensus hash '%s' to a name owned by '%s'" % (name_consensus_hash, sender))
# nothing to do--write is stale or on a fork
return False
namespace_id = get_namespace_from_name( name )
name_rec = state_engine.get_name( name )
if name_rec is None:
log.warning("Name '%s' does not exist" % name)
return False
# namespace must be ready
if not state_engine.is_namespace_ready( namespace_id ):
# non-existent namespace
log.warning("Namespace '%s' is not ready" % (namespace_id))
return False
# name must not be revoked
if state_engine.is_name_revoked( name ):
log.warning("Name '%s' is revoked" % name)
return False
# name must not be expired as of the *last block processed*
if state_engine.is_name_expired( name, state_engine.lastblock ):
log.warning("Name '%s' is expired" % name)
return False
# name must not be in grace period in *this* block
if state_engine.is_name_in_grace_period(name, block_id):
log.warning("Name '{}' is in the renewal grace period. It can only be renewed at this time.".format(name))
return False
# the name must be registered
if not state_engine.is_name_registered( name ):
# doesn't exist
log.warning("Name '%s' is not registered" % name )
return False
# the name must be owned by the same person who sent this nameop
if not state_engine.is_name_owner( name, sender ):
# wrong owner
log.warning("Name '%s' is not owned by '%s'" % (name, sender))
return False
# remember the name and consensus hash, so we don't have to re-calculate it...
nameop['name'] = name
nameop['consensus_hash'] = consensus_hash
nameop['sender_pubkey'] = name_rec['sender_pubkey']
# not stored, but re-calculateable
del nameop['name_consensus_hash']
return True | python | def check(state_engine, nameop, block_id, checked_ops ):
name_consensus_hash = nameop['name_consensus_hash']
sender = nameop['sender']
# deny updates if we exceed quota--the only legal operations are to revoke or transfer.
sender_names = state_engine.get_names_owned_by_sender( sender )
if len(sender_names) > MAX_NAMES_PER_SENDER:
log.warning("Sender '%s' has exceeded quota: only transfers or revokes are allowed" % (sender))
return False
name, consensus_hash = state_engine.get_name_from_name_consensus_hash( name_consensus_hash, sender, block_id )
# name must exist
if name is None or consensus_hash is None:
log.warning("Unable to resolve name consensus hash '%s' to a name owned by '%s'" % (name_consensus_hash, sender))
# nothing to do--write is stale or on a fork
return False
namespace_id = get_namespace_from_name( name )
name_rec = state_engine.get_name( name )
if name_rec is None:
log.warning("Name '%s' does not exist" % name)
return False
# namespace must be ready
if not state_engine.is_namespace_ready( namespace_id ):
# non-existent namespace
log.warning("Namespace '%s' is not ready" % (namespace_id))
return False
# name must not be revoked
if state_engine.is_name_revoked( name ):
log.warning("Name '%s' is revoked" % name)
return False
# name must not be expired as of the *last block processed*
if state_engine.is_name_expired( name, state_engine.lastblock ):
log.warning("Name '%s' is expired" % name)
return False
# name must not be in grace period in *this* block
if state_engine.is_name_in_grace_period(name, block_id):
log.warning("Name '{}' is in the renewal grace period. It can only be renewed at this time.".format(name))
return False
# the name must be registered
if not state_engine.is_name_registered( name ):
# doesn't exist
log.warning("Name '%s' is not registered" % name )
return False
# the name must be owned by the same person who sent this nameop
if not state_engine.is_name_owner( name, sender ):
# wrong owner
log.warning("Name '%s' is not owned by '%s'" % (name, sender))
return False
# remember the name and consensus hash, so we don't have to re-calculate it...
nameop['name'] = name
nameop['consensus_hash'] = consensus_hash
nameop['sender_pubkey'] = name_rec['sender_pubkey']
# not stored, but re-calculateable
del nameop['name_consensus_hash']
return True | [
"def",
"check",
"(",
"state_engine",
",",
"nameop",
",",
"block_id",
",",
"checked_ops",
")",
":",
"name_consensus_hash",
"=",
"nameop",
"[",
"'name_consensus_hash'",
"]",
"sender",
"=",
"nameop",
"[",
"'sender'",
"]",
"# deny updates if we exceed quota--the only lega... | Verify the validity of an update to a name's associated data.
Use the nameop's 128-bit name hash to find the name itself.
NAME_UPDATE isn't allowed during an import, so the name's namespace must be ready.
Return True if accepted
Return False if not. | [
"Verify",
"the",
"validity",
"of",
"an",
"update",
"to",
"a",
"name",
"s",
"associated",
"data",
".",
"Use",
"the",
"nameop",
"s",
"128",
"-",
"bit",
"name",
"hash",
"to",
"find",
"the",
"name",
"itself",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/operations/update.py#L73-L149 |
244,518 | blockstack/blockstack-core | blockstack/lib/audit.py | genesis_block_audit | def genesis_block_audit(genesis_block_stages, key_bundle=GENESIS_BLOCK_SIGNING_KEYS):
"""
Verify the authenticity of the stages of the genesis block, optionally with a given set of keys.
Return True if valid
Return False if not
"""
gpg2_path = find_gpg2()
if gpg2_path is None:
raise Exception('You must install gpg2 to audit the genesis block, and it must be in your PATH')
log.debug('Loading {} signing key(s)...'.format(len(key_bundle)))
res = load_signing_keys(gpg2_path, [key_bundle[kid] for kid in key_bundle])
if not res:
raise Exception('Failed to install signing keys')
log.debug('Verifying {} signing key(s)...'.format(len(key_bundle)))
res = check_gpg2_keys(gpg2_path, key_bundle.keys())
if not res:
raise Exception('Failed to verify installation of signing keys')
d = tempfile.mkdtemp(prefix='.genesis-block-audit-')
# each entry in genesis_block_stages is a genesis block with its own history
for stage_id, stage in enumerate(genesis_block_stages):
log.debug('Verify stage {}'.format(stage_id))
try:
jsonschema.validate(GENESIS_BLOCK_SCHEMA, stage)
except jsonschema.ValidationError:
shutil.rmtree(d)
log.error('Invalid genesis block -- does not match schema')
raise ValueError('Invalid genesis block')
# all history rows must be signed with a trusted key
for history_id, history_row in enumerate(stage['history']):
with open(os.path.join(d, 'sig'), 'w') as f:
f.write(history_row['signature'])
with open(os.path.join(d, 'hash'), 'w') as f:
f.write(history_row['hash'])
p = subprocess.Popen([gpg2_path, '--verify', os.path.join(d,'sig'), os.path.join(d,'hash')], stdout=subprocess.PIPE, stderr=subprocess.PIPE)
out, err = p.communicate()
if p.returncode != 0:
log.error('Failed to verify stage {} history {}'.format(stage_id, history_id))
shutil.rmtree(d)
return False
gb_rows_str = json.dumps(stage['rows'], sort_keys=True, separators=(',',':')) + '\n'
gb_rows_hash = hashlib.sha256(gb_rows_str).hexdigest()
# must match final history row
if gb_rows_hash != stage['history'][-1]['hash']:
log.error('Genesis block stage {} hash mismatch: {} != {}'.format(stage_id, gb_rows_hash, stage['history'][-1]['hash']))
shutil.rmtree(d)
return False
shutil.rmtree(d)
log.info('Genesis block is legitimate')
return True | python | def genesis_block_audit(genesis_block_stages, key_bundle=GENESIS_BLOCK_SIGNING_KEYS):
gpg2_path = find_gpg2()
if gpg2_path is None:
raise Exception('You must install gpg2 to audit the genesis block, and it must be in your PATH')
log.debug('Loading {} signing key(s)...'.format(len(key_bundle)))
res = load_signing_keys(gpg2_path, [key_bundle[kid] for kid in key_bundle])
if not res:
raise Exception('Failed to install signing keys')
log.debug('Verifying {} signing key(s)...'.format(len(key_bundle)))
res = check_gpg2_keys(gpg2_path, key_bundle.keys())
if not res:
raise Exception('Failed to verify installation of signing keys')
d = tempfile.mkdtemp(prefix='.genesis-block-audit-')
# each entry in genesis_block_stages is a genesis block with its own history
for stage_id, stage in enumerate(genesis_block_stages):
log.debug('Verify stage {}'.format(stage_id))
try:
jsonschema.validate(GENESIS_BLOCK_SCHEMA, stage)
except jsonschema.ValidationError:
shutil.rmtree(d)
log.error('Invalid genesis block -- does not match schema')
raise ValueError('Invalid genesis block')
# all history rows must be signed with a trusted key
for history_id, history_row in enumerate(stage['history']):
with open(os.path.join(d, 'sig'), 'w') as f:
f.write(history_row['signature'])
with open(os.path.join(d, 'hash'), 'w') as f:
f.write(history_row['hash'])
p = subprocess.Popen([gpg2_path, '--verify', os.path.join(d,'sig'), os.path.join(d,'hash')], stdout=subprocess.PIPE, stderr=subprocess.PIPE)
out, err = p.communicate()
if p.returncode != 0:
log.error('Failed to verify stage {} history {}'.format(stage_id, history_id))
shutil.rmtree(d)
return False
gb_rows_str = json.dumps(stage['rows'], sort_keys=True, separators=(',',':')) + '\n'
gb_rows_hash = hashlib.sha256(gb_rows_str).hexdigest()
# must match final history row
if gb_rows_hash != stage['history'][-1]['hash']:
log.error('Genesis block stage {} hash mismatch: {} != {}'.format(stage_id, gb_rows_hash, stage['history'][-1]['hash']))
shutil.rmtree(d)
return False
shutil.rmtree(d)
log.info('Genesis block is legitimate')
return True | [
"def",
"genesis_block_audit",
"(",
"genesis_block_stages",
",",
"key_bundle",
"=",
"GENESIS_BLOCK_SIGNING_KEYS",
")",
":",
"gpg2_path",
"=",
"find_gpg2",
"(",
")",
"if",
"gpg2_path",
"is",
"None",
":",
"raise",
"Exception",
"(",
"'You must install gpg2 to audit the gene... | Verify the authenticity of the stages of the genesis block, optionally with a given set of keys.
Return True if valid
Return False if not | [
"Verify",
"the",
"authenticity",
"of",
"the",
"stages",
"of",
"the",
"genesis",
"block",
"optionally",
"with",
"a",
"given",
"set",
"of",
"keys",
".",
"Return",
"True",
"if",
"valid",
"Return",
"False",
"if",
"not"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/audit.py#L97-L155 |
244,519 | blockstack/blockstack-core | api/resolver.py | is_profile_in_legacy_format | def is_profile_in_legacy_format(profile):
"""
Is a given profile JSON object in legacy format?
"""
if isinstance(profile, dict):
pass
elif isinstance(profile, (str, unicode)):
try:
profile = json.loads(profile)
except ValueError:
return False
else:
return False
if "@type" in profile:
return False
if "@context" in profile:
return False
is_in_legacy_format = False
if "avatar" in profile:
is_in_legacy_format = True
elif "cover" in profile:
is_in_legacy_format = True
elif "bio" in profile:
is_in_legacy_format = True
elif "twitter" in profile:
is_in_legacy_format = True
elif "facebook" in profile:
is_in_legacy_format = True
return is_in_legacy_format | python | def is_profile_in_legacy_format(profile):
if isinstance(profile, dict):
pass
elif isinstance(profile, (str, unicode)):
try:
profile = json.loads(profile)
except ValueError:
return False
else:
return False
if "@type" in profile:
return False
if "@context" in profile:
return False
is_in_legacy_format = False
if "avatar" in profile:
is_in_legacy_format = True
elif "cover" in profile:
is_in_legacy_format = True
elif "bio" in profile:
is_in_legacy_format = True
elif "twitter" in profile:
is_in_legacy_format = True
elif "facebook" in profile:
is_in_legacy_format = True
return is_in_legacy_format | [
"def",
"is_profile_in_legacy_format",
"(",
"profile",
")",
":",
"if",
"isinstance",
"(",
"profile",
",",
"dict",
")",
":",
"pass",
"elif",
"isinstance",
"(",
"profile",
",",
"(",
"str",
",",
"unicode",
")",
")",
":",
"try",
":",
"profile",
"=",
"json",
... | Is a given profile JSON object in legacy format? | [
"Is",
"a",
"given",
"profile",
"JSON",
"object",
"in",
"legacy",
"format?"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/api/resolver.py#L114-L147 |
244,520 | blockstack/blockstack-core | api/resolver.py | format_profile | def format_profile(profile, fqa, zone_file, address, public_key):
""" Process profile data and
1) Insert verifications
2) Check if profile data is valid JSON
"""
# if the zone file is a string, then parse it
if isinstance(zone_file, (str,unicode)):
try:
zone_file = blockstack_zones.parse_zone_file(zone_file)
except:
# leave as text
pass
data = {'profile' : profile,
'zone_file' : zone_file,
'public_key': public_key,
'owner_address' : address}
if not fqa.endswith('.id'):
data['verifications'] = ["No verifications for non-id namespaces."]
return data
profile_in_legacy_format = is_profile_in_legacy_format(profile)
if not profile_in_legacy_format:
data['verifications'] = fetch_proofs(data['profile'], fqa, address,
profile_ver=3, zonefile=zone_file)
else:
if type(profile) is not dict:
data['profile'] = json.loads(profile)
data['verifications'] = fetch_proofs(data['profile'], fqa, address)
return data | python | def format_profile(profile, fqa, zone_file, address, public_key):
# if the zone file is a string, then parse it
if isinstance(zone_file, (str,unicode)):
try:
zone_file = blockstack_zones.parse_zone_file(zone_file)
except:
# leave as text
pass
data = {'profile' : profile,
'zone_file' : zone_file,
'public_key': public_key,
'owner_address' : address}
if not fqa.endswith('.id'):
data['verifications'] = ["No verifications for non-id namespaces."]
return data
profile_in_legacy_format = is_profile_in_legacy_format(profile)
if not profile_in_legacy_format:
data['verifications'] = fetch_proofs(data['profile'], fqa, address,
profile_ver=3, zonefile=zone_file)
else:
if type(profile) is not dict:
data['profile'] = json.loads(profile)
data['verifications'] = fetch_proofs(data['profile'], fqa, address)
return data | [
"def",
"format_profile",
"(",
"profile",
",",
"fqa",
",",
"zone_file",
",",
"address",
",",
"public_key",
")",
":",
"# if the zone file is a string, then parse it ",
"if",
"isinstance",
"(",
"zone_file",
",",
"(",
"str",
",",
"unicode",
")",
")",
":",
"try",
"... | Process profile data and
1) Insert verifications
2) Check if profile data is valid JSON | [
"Process",
"profile",
"data",
"and",
"1",
")",
"Insert",
"verifications",
"2",
")",
"Check",
"if",
"profile",
"data",
"is",
"valid",
"JSON"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/api/resolver.py#L149-L182 |
244,521 | blockstack/blockstack-core | api/resolver.py | get_users | def get_users(username):
""" Fetch data from username in .id namespace
"""
reply = {}
log.debug('Begin /v[x]/users/' + username)
if username is None:
reply['error'] = "No username given"
return jsonify(reply), 404
if ',' in username:
reply['error'] = 'Multiple username queries are no longer supported.'
return jsonify(reply), 401
if "." not in username:
fqa = "{}.{}".format(username, 'id')
else:
fqa = username
profile = get_profile(fqa)
reply[username] = profile
if 'error' in profile:
status_code = 200
if 'status_code' in profile:
status_code = profile['status_code']
del profile['status_code']
return jsonify(reply), status_code
else:
return jsonify(reply), 200 | python | def get_users(username):
reply = {}
log.debug('Begin /v[x]/users/' + username)
if username is None:
reply['error'] = "No username given"
return jsonify(reply), 404
if ',' in username:
reply['error'] = 'Multiple username queries are no longer supported.'
return jsonify(reply), 401
if "." not in username:
fqa = "{}.{}".format(username, 'id')
else:
fqa = username
profile = get_profile(fqa)
reply[username] = profile
if 'error' in profile:
status_code = 200
if 'status_code' in profile:
status_code = profile['status_code']
del profile['status_code']
return jsonify(reply), status_code
else:
return jsonify(reply), 200 | [
"def",
"get_users",
"(",
"username",
")",
":",
"reply",
"=",
"{",
"}",
"log",
".",
"debug",
"(",
"'Begin /v[x]/users/'",
"+",
"username",
")",
"if",
"username",
"is",
"None",
":",
"reply",
"[",
"'error'",
"]",
"=",
"\"No username given\"",
"return",
"jsoni... | Fetch data from username in .id namespace | [
"Fetch",
"data",
"from",
"username",
"in",
".",
"id",
"namespace"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/api/resolver.py#L250-L281 |
244,522 | blockstack/blockstack-core | blockstack/lib/operations/nameimport.py | is_earlier_than | def is_earlier_than( nameop1, block_id, vtxindex ):
"""
Does nameop1 come before bock_id and vtxindex?
"""
return nameop1['block_number'] < block_id or (nameop1['block_number'] == block_id and nameop1['vtxindex'] < vtxindex) | python | def is_earlier_than( nameop1, block_id, vtxindex ):
return nameop1['block_number'] < block_id or (nameop1['block_number'] == block_id and nameop1['vtxindex'] < vtxindex) | [
"def",
"is_earlier_than",
"(",
"nameop1",
",",
"block_id",
",",
"vtxindex",
")",
":",
"return",
"nameop1",
"[",
"'block_number'",
"]",
"<",
"block_id",
"or",
"(",
"nameop1",
"[",
"'block_number'",
"]",
"==",
"block_id",
"and",
"nameop1",
"[",
"'vtxindex'",
"... | Does nameop1 come before bock_id and vtxindex? | [
"Does",
"nameop1",
"come",
"before",
"bock_id",
"and",
"vtxindex?"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/operations/nameimport.py#L107-L111 |
244,523 | blockstack/blockstack-core | blockstack/lib/operations/namespacereveal.py | namespacereveal_sanity_check | def namespacereveal_sanity_check( namespace_id, version, lifetime, coeff, base, bucket_exponents, nonalpha_discount, no_vowel_discount ):
"""
Verify the validity of a namespace reveal.
Return True if valid
Raise an Exception if not valid.
"""
# sanity check
if not is_b40( namespace_id ) or "+" in namespace_id or namespace_id.count(".") > 0:
raise Exception("Namespace ID '%s' has non-base-38 characters" % namespace_id)
if len(namespace_id) > LENGTHS['blockchain_id_namespace_id']:
raise Exception("Invalid namespace ID length for '%s' (expected length between 1 and %s)" % (namespace_id, LENGTHS['blockchain_id_namespace_id']))
if version not in [NAMESPACE_VERSION_PAY_TO_BURN, NAMESPACE_VERSION_PAY_TO_CREATOR, NAMESPACE_VERSION_PAY_WITH_STACKS]:
raise Exception("Invalid namespace version bits {:x}".format(version))
if lifetime < 0 or lifetime > (2**32 - 1):
lifetime = NAMESPACE_LIFE_INFINITE
if coeff < 0 or coeff > 255:
raise Exception("Invalid cost multiplier %s: must be in range [0, 256)" % coeff)
if base < 0 or base > 255:
raise Exception("Invalid base price %s: must be in range [0, 256)" % base)
if type(bucket_exponents) != list:
raise Exception("Bucket exponents must be a list")
if len(bucket_exponents) != 16:
raise Exception("Exactly 16 buckets required")
for i in xrange(0, len(bucket_exponents)):
if bucket_exponents[i] < 0 or bucket_exponents[i] > 15:
raise Exception("Invalid bucket exponent %s (must be in range [0, 16)" % bucket_exponents[i])
if nonalpha_discount <= 0 or nonalpha_discount > 15:
raise Exception("Invalid non-alpha discount %s: must be in range [0, 16)" % nonalpha_discount)
if no_vowel_discount <= 0 or no_vowel_discount > 15:
raise Exception("Invalid no-vowel discount %s: must be in range [0, 16)" % no_vowel_discount)
return True | python | def namespacereveal_sanity_check( namespace_id, version, lifetime, coeff, base, bucket_exponents, nonalpha_discount, no_vowel_discount ):
# sanity check
if not is_b40( namespace_id ) or "+" in namespace_id or namespace_id.count(".") > 0:
raise Exception("Namespace ID '%s' has non-base-38 characters" % namespace_id)
if len(namespace_id) > LENGTHS['blockchain_id_namespace_id']:
raise Exception("Invalid namespace ID length for '%s' (expected length between 1 and %s)" % (namespace_id, LENGTHS['blockchain_id_namespace_id']))
if version not in [NAMESPACE_VERSION_PAY_TO_BURN, NAMESPACE_VERSION_PAY_TO_CREATOR, NAMESPACE_VERSION_PAY_WITH_STACKS]:
raise Exception("Invalid namespace version bits {:x}".format(version))
if lifetime < 0 or lifetime > (2**32 - 1):
lifetime = NAMESPACE_LIFE_INFINITE
if coeff < 0 or coeff > 255:
raise Exception("Invalid cost multiplier %s: must be in range [0, 256)" % coeff)
if base < 0 or base > 255:
raise Exception("Invalid base price %s: must be in range [0, 256)" % base)
if type(bucket_exponents) != list:
raise Exception("Bucket exponents must be a list")
if len(bucket_exponents) != 16:
raise Exception("Exactly 16 buckets required")
for i in xrange(0, len(bucket_exponents)):
if bucket_exponents[i] < 0 or bucket_exponents[i] > 15:
raise Exception("Invalid bucket exponent %s (must be in range [0, 16)" % bucket_exponents[i])
if nonalpha_discount <= 0 or nonalpha_discount > 15:
raise Exception("Invalid non-alpha discount %s: must be in range [0, 16)" % nonalpha_discount)
if no_vowel_discount <= 0 or no_vowel_discount > 15:
raise Exception("Invalid no-vowel discount %s: must be in range [0, 16)" % no_vowel_discount)
return True | [
"def",
"namespacereveal_sanity_check",
"(",
"namespace_id",
",",
"version",
",",
"lifetime",
",",
"coeff",
",",
"base",
",",
"bucket_exponents",
",",
"nonalpha_discount",
",",
"no_vowel_discount",
")",
":",
"# sanity check ",
"if",
"not",
"is_b40",
"(",
"namespace_i... | Verify the validity of a namespace reveal.
Return True if valid
Raise an Exception if not valid. | [
"Verify",
"the",
"validity",
"of",
"a",
"namespace",
"reveal",
".",
"Return",
"True",
"if",
"valid",
"Raise",
"an",
"Exception",
"if",
"not",
"valid",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/operations/namespacereveal.py#L66-L107 |
244,524 | blockstack/blockstack-core | blockstack/lib/operations/preorder.py | check | def check( state_engine, nameop, block_id, checked_ops ):
"""
Verify that a preorder of a name at a particular block number is well-formed
NOTE: these *can't* be incorporated into namespace-imports,
since we have no way of knowning which namespace the
nameop belongs to (it is blinded until registration).
But that's okay--we don't need to preorder names during
a namespace import, because we will only accept names
sent from the importer until the NAMESPACE_REVEAL operation
is sent.
Return True if accepted
Return False if not.
"""
from .register import get_num_names_owned
preorder_name_hash = nameop['preorder_hash']
consensus_hash = nameop['consensus_hash']
sender = nameop['sender']
token_fee = nameop['token_fee']
token_type = nameop['token_units']
token_address = nameop['address']
# must be unique in this block
# NOTE: now checked externally in the @state_preorder decorator
# must be unique across all pending preorders
if not state_engine.is_new_preorder( preorder_name_hash ):
log.warning("Name hash '%s' is already preordered" % preorder_name_hash )
return False
# must have a valid consensus hash
if not state_engine.is_consensus_hash_valid( block_id, consensus_hash ):
log.warning("Invalid consensus hash '%s'" % consensus_hash )
return False
# sender must be beneath quota
num_names = get_num_names_owned( state_engine, checked_ops, sender )
if num_names >= MAX_NAMES_PER_SENDER:
log.warning("Sender '%s' exceeded name quota of %s" % (sender, MAX_NAMES_PER_SENDER ))
return False
# burn fee must be present
if not 'op_fee' in nameop:
log.warning("Missing preorder fee")
return False
epoch_features = get_epoch_features(block_id)
if EPOCH_FEATURE_NAMEOPS_COST_TOKENS in epoch_features and token_type is not None and token_fee is not None:
# does this account have enough balance?
account_info = state_engine.get_account(token_address, token_type)
if account_info is None:
log.warning("No account for {} ({})".format(token_address, token_type))
return False
account_balance = state_engine.get_account_balance(account_info)
assert isinstance(account_balance, (int,long)), 'BUG: account_balance of {} is {} (type {})'.format(token_address, account_balance, type(account_balance))
assert isinstance(token_fee, (int,long)), 'BUG: token_fee is {} (type {})'.format(token_fee, type(token_fee))
if account_balance < token_fee:
# can't afford
log.warning("Account {} has balance {} {}, but needs to pay {} {}".format(token_address, account_balance, token_type, token_fee, token_type))
return False
# must be the black hole address, regardless of namespace version (since we don't yet support pay-stacks-to-namespace-creator)
if nameop['burn_address'] != BLOCKSTACK_BURN_ADDRESS:
# not sent to the right address
log.warning('Preorder burned to {}, but expected {}'.format(nameop['burn_address'], BLOCKSTACK_BURN_ADDRESS))
return False
# for now, this must be Stacks
if nameop['token_units'] != TOKEN_TYPE_STACKS:
# can't use any other token (yet)
log.warning('Preorder burned unrecognized token unit "{}"'.format(nameop['token_units']))
return False
# debit this account when we commit
state_preorder_put_account_payment_info(nameop, token_address, token_type, token_fee)
# NOTE: must be a string, to avoid overflow
nameop['token_fee'] = '{}'.format(token_fee)
else:
# not paying in tokens, but say so!
state_preorder_put_account_payment_info(nameop, None, None, None)
nameop['token_fee'] = '0'
nameop['token_units'] = 'BTC'
return True | python | def check( state_engine, nameop, block_id, checked_ops ):
from .register import get_num_names_owned
preorder_name_hash = nameop['preorder_hash']
consensus_hash = nameop['consensus_hash']
sender = nameop['sender']
token_fee = nameop['token_fee']
token_type = nameop['token_units']
token_address = nameop['address']
# must be unique in this block
# NOTE: now checked externally in the @state_preorder decorator
# must be unique across all pending preorders
if not state_engine.is_new_preorder( preorder_name_hash ):
log.warning("Name hash '%s' is already preordered" % preorder_name_hash )
return False
# must have a valid consensus hash
if not state_engine.is_consensus_hash_valid( block_id, consensus_hash ):
log.warning("Invalid consensus hash '%s'" % consensus_hash )
return False
# sender must be beneath quota
num_names = get_num_names_owned( state_engine, checked_ops, sender )
if num_names >= MAX_NAMES_PER_SENDER:
log.warning("Sender '%s' exceeded name quota of %s" % (sender, MAX_NAMES_PER_SENDER ))
return False
# burn fee must be present
if not 'op_fee' in nameop:
log.warning("Missing preorder fee")
return False
epoch_features = get_epoch_features(block_id)
if EPOCH_FEATURE_NAMEOPS_COST_TOKENS in epoch_features and token_type is not None and token_fee is not None:
# does this account have enough balance?
account_info = state_engine.get_account(token_address, token_type)
if account_info is None:
log.warning("No account for {} ({})".format(token_address, token_type))
return False
account_balance = state_engine.get_account_balance(account_info)
assert isinstance(account_balance, (int,long)), 'BUG: account_balance of {} is {} (type {})'.format(token_address, account_balance, type(account_balance))
assert isinstance(token_fee, (int,long)), 'BUG: token_fee is {} (type {})'.format(token_fee, type(token_fee))
if account_balance < token_fee:
# can't afford
log.warning("Account {} has balance {} {}, but needs to pay {} {}".format(token_address, account_balance, token_type, token_fee, token_type))
return False
# must be the black hole address, regardless of namespace version (since we don't yet support pay-stacks-to-namespace-creator)
if nameop['burn_address'] != BLOCKSTACK_BURN_ADDRESS:
# not sent to the right address
log.warning('Preorder burned to {}, but expected {}'.format(nameop['burn_address'], BLOCKSTACK_BURN_ADDRESS))
return False
# for now, this must be Stacks
if nameop['token_units'] != TOKEN_TYPE_STACKS:
# can't use any other token (yet)
log.warning('Preorder burned unrecognized token unit "{}"'.format(nameop['token_units']))
return False
# debit this account when we commit
state_preorder_put_account_payment_info(nameop, token_address, token_type, token_fee)
# NOTE: must be a string, to avoid overflow
nameop['token_fee'] = '{}'.format(token_fee)
else:
# not paying in tokens, but say so!
state_preorder_put_account_payment_info(nameop, None, None, None)
nameop['token_fee'] = '0'
nameop['token_units'] = 'BTC'
return True | [
"def",
"check",
"(",
"state_engine",
",",
"nameop",
",",
"block_id",
",",
"checked_ops",
")",
":",
"from",
".",
"register",
"import",
"get_num_names_owned",
"preorder_name_hash",
"=",
"nameop",
"[",
"'preorder_hash'",
"]",
"consensus_hash",
"=",
"nameop",
"[",
"... | Verify that a preorder of a name at a particular block number is well-formed
NOTE: these *can't* be incorporated into namespace-imports,
since we have no way of knowning which namespace the
nameop belongs to (it is blinded until registration).
But that's okay--we don't need to preorder names during
a namespace import, because we will only accept names
sent from the importer until the NAMESPACE_REVEAL operation
is sent.
Return True if accepted
Return False if not. | [
"Verify",
"that",
"a",
"preorder",
"of",
"a",
"name",
"at",
"a",
"particular",
"block",
"number",
"is",
"well",
"-",
"formed"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/operations/preorder.py#L53-L145 |
244,525 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_create | def namedb_create(path, genesis_block):
"""
Create a sqlite3 db at the given path.
Create all the tables and indexes we need.
"""
global BLOCKSTACK_DB_SCRIPT
if os.path.exists( path ):
raise Exception("Database '%s' already exists" % path)
lines = [l + ";" for l in BLOCKSTACK_DB_SCRIPT.split(";")]
con = sqlite3.connect( path, isolation_level=None, timeout=2**30 )
for line in lines:
db_query_execute(con, line, ())
con.row_factory = namedb_row_factory
# create genesis block
namedb_create_token_genesis(con, genesis_block['rows'], genesis_block['history'])
return con | python | def namedb_create(path, genesis_block):
global BLOCKSTACK_DB_SCRIPT
if os.path.exists( path ):
raise Exception("Database '%s' already exists" % path)
lines = [l + ";" for l in BLOCKSTACK_DB_SCRIPT.split(";")]
con = sqlite3.connect( path, isolation_level=None, timeout=2**30 )
for line in lines:
db_query_execute(con, line, ())
con.row_factory = namedb_row_factory
# create genesis block
namedb_create_token_genesis(con, genesis_block['rows'], genesis_block['history'])
return con | [
"def",
"namedb_create",
"(",
"path",
",",
"genesis_block",
")",
":",
"global",
"BLOCKSTACK_DB_SCRIPT",
"if",
"os",
".",
"path",
".",
"exists",
"(",
"path",
")",
":",
"raise",
"Exception",
"(",
"\"Database '%s' already exists\"",
"%",
"path",
")",
"lines",
"=",... | Create a sqlite3 db at the given path.
Create all the tables and indexes we need. | [
"Create",
"a",
"sqlite3",
"db",
"at",
"the",
"given",
"path",
".",
"Create",
"all",
"the",
"tables",
"and",
"indexes",
"we",
"need",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L412-L433 |
244,526 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_open | def namedb_open( path ):
"""
Open a connection to our database
"""
con = sqlite3.connect( path, isolation_level=None, timeout=2**30 )
db_query_execute(con, 'pragma mmap_size=536870912', ())
con.row_factory = namedb_row_factory
version = namedb_get_version(con)
if not semver_equal(version, VERSION):
# wrong version
raise Exception('Database has version {}, but this node is version {}. Please update your node database (such as with fast_sync).'.format(version, VERSION))
return con | python | def namedb_open( path ):
con = sqlite3.connect( path, isolation_level=None, timeout=2**30 )
db_query_execute(con, 'pragma mmap_size=536870912', ())
con.row_factory = namedb_row_factory
version = namedb_get_version(con)
if not semver_equal(version, VERSION):
# wrong version
raise Exception('Database has version {}, but this node is version {}. Please update your node database (such as with fast_sync).'.format(version, VERSION))
return con | [
"def",
"namedb_open",
"(",
"path",
")",
":",
"con",
"=",
"sqlite3",
".",
"connect",
"(",
"path",
",",
"isolation_level",
"=",
"None",
",",
"timeout",
"=",
"2",
"**",
"30",
")",
"db_query_execute",
"(",
"con",
",",
"'pragma mmap_size=536870912'",
",",
"(",
... | Open a connection to our database | [
"Open",
"a",
"connection",
"to",
"our",
"database"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L436-L449 |
244,527 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_insert_prepare | def namedb_insert_prepare( cur, record, table_name ):
"""
Prepare to insert a record, but make sure
that all of the column names have values first!
Return an INSERT INTO statement on success.
Raise an exception if not.
"""
namedb_assert_fields_match( cur, record, table_name )
columns = record.keys()
columns.sort()
values = []
for c in columns:
if record[c] == False:
values.append(0)
elif record[c] == True:
values.append(1)
else:
values.append(record[c])
values = tuple(values)
field_placeholders = ",".join( ["?"] * len(columns) )
query = "INSERT INTO %s (%s) VALUES (%s);" % (table_name, ",".join(columns), field_placeholders)
log.debug(namedb_format_query(query, values))
return (query, values) | python | def namedb_insert_prepare( cur, record, table_name ):
namedb_assert_fields_match( cur, record, table_name )
columns = record.keys()
columns.sort()
values = []
for c in columns:
if record[c] == False:
values.append(0)
elif record[c] == True:
values.append(1)
else:
values.append(record[c])
values = tuple(values)
field_placeholders = ",".join( ["?"] * len(columns) )
query = "INSERT INTO %s (%s) VALUES (%s);" % (table_name, ",".join(columns), field_placeholders)
log.debug(namedb_format_query(query, values))
return (query, values) | [
"def",
"namedb_insert_prepare",
"(",
"cur",
",",
"record",
",",
"table_name",
")",
":",
"namedb_assert_fields_match",
"(",
"cur",
",",
"record",
",",
"table_name",
")",
"columns",
"=",
"record",
".",
"keys",
"(",
")",
"columns",
".",
"sort",
"(",
")",
"val... | Prepare to insert a record, but make sure
that all of the column names have values first!
Return an INSERT INTO statement on success.
Raise an exception if not. | [
"Prepare",
"to",
"insert",
"a",
"record",
"but",
"make",
"sure",
"that",
"all",
"of",
"the",
"column",
"names",
"have",
"values",
"first!"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L530-L560 |
244,528 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_update_must_equal | def namedb_update_must_equal( rec, change_fields ):
"""
Generate the set of fields that must stay the same across an update.
"""
must_equal = []
if len(change_fields) != 0:
given = rec.keys()
for k in given:
if k not in change_fields:
must_equal.append(k)
return must_equal | python | def namedb_update_must_equal( rec, change_fields ):
must_equal = []
if len(change_fields) != 0:
given = rec.keys()
for k in given:
if k not in change_fields:
must_equal.append(k)
return must_equal | [
"def",
"namedb_update_must_equal",
"(",
"rec",
",",
"change_fields",
")",
":",
"must_equal",
"=",
"[",
"]",
"if",
"len",
"(",
"change_fields",
")",
"!=",
"0",
":",
"given",
"=",
"rec",
".",
"keys",
"(",
")",
"for",
"k",
"in",
"given",
":",
"if",
"k",... | Generate the set of fields that must stay the same across an update. | [
"Generate",
"the",
"set",
"of",
"fields",
"that",
"must",
"stay",
"the",
"same",
"across",
"an",
"update",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L659-L671 |
244,529 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_delete_prepare | def namedb_delete_prepare( cur, primary_key, primary_key_value, table_name ):
"""
Prepare to delete a record, but make sure the fields in record
correspond to actual columns.
Return a DELETE FROM ... WHERE statement on success.
Raise an Exception if not.
DO NOT CALL THIS METHOD DIRETLY
"""
# primary key corresponds to a real column
namedb_assert_fields_match( cur, {primary_key: primary_key_value}, table_name, columns_match_record=False )
query = "DELETE FROM %s WHERE %s = ?;" % (table_name, primary_key)
values = (primary_key_value,)
return (query, values) | python | def namedb_delete_prepare( cur, primary_key, primary_key_value, table_name ):
# primary key corresponds to a real column
namedb_assert_fields_match( cur, {primary_key: primary_key_value}, table_name, columns_match_record=False )
query = "DELETE FROM %s WHERE %s = ?;" % (table_name, primary_key)
values = (primary_key_value,)
return (query, values) | [
"def",
"namedb_delete_prepare",
"(",
"cur",
",",
"primary_key",
",",
"primary_key_value",
",",
"table_name",
")",
":",
"# primary key corresponds to a real column ",
"namedb_assert_fields_match",
"(",
"cur",
",",
"{",
"primary_key",
":",
"primary_key_value",
"}",
",",
"... | Prepare to delete a record, but make sure the fields in record
correspond to actual columns.
Return a DELETE FROM ... WHERE statement on success.
Raise an Exception if not.
DO NOT CALL THIS METHOD DIRETLY | [
"Prepare",
"to",
"delete",
"a",
"record",
"but",
"make",
"sure",
"the",
"fields",
"in",
"record",
"correspond",
"to",
"actual",
"columns",
".",
"Return",
"a",
"DELETE",
"FROM",
"...",
"WHERE",
"statement",
"on",
"success",
".",
"Raise",
"an",
"Exception",
... | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L674-L689 |
244,530 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_query_execute | def namedb_query_execute( cur, query, values, abort=True):
"""
Execute a query. If it fails, abort. Retry with timeouts on lock
DO NOT CALL THIS DIRECTLY.
"""
return db_query_execute(cur, query, values, abort=abort) | python | def namedb_query_execute( cur, query, values, abort=True):
return db_query_execute(cur, query, values, abort=abort) | [
"def",
"namedb_query_execute",
"(",
"cur",
",",
"query",
",",
"values",
",",
"abort",
"=",
"True",
")",
":",
"return",
"db_query_execute",
"(",
"cur",
",",
"query",
",",
"values",
",",
"abort",
"=",
"abort",
")"
] | Execute a query. If it fails, abort. Retry with timeouts on lock
DO NOT CALL THIS DIRECTLY. | [
"Execute",
"a",
"query",
".",
"If",
"it",
"fails",
"abort",
".",
"Retry",
"with",
"timeouts",
"on",
"lock"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L700-L706 |
244,531 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_preorder_insert | def namedb_preorder_insert( cur, preorder_rec ):
"""
Add a name or namespace preorder record, if it doesn't exist already.
DO NOT CALL THIS DIRECTLY.
"""
preorder_row = copy.deepcopy( preorder_rec )
assert 'preorder_hash' in preorder_row, "BUG: missing preorder_hash"
try:
preorder_query, preorder_values = namedb_insert_prepare( cur, preorder_row, "preorders" )
except Exception, e:
log.exception(e)
log.error("FATAL: Failed to insert name preorder '%s'" % preorder_row['preorder_hash'])
os.abort()
namedb_query_execute( cur, preorder_query, preorder_values )
return True | python | def namedb_preorder_insert( cur, preorder_rec ):
preorder_row = copy.deepcopy( preorder_rec )
assert 'preorder_hash' in preorder_row, "BUG: missing preorder_hash"
try:
preorder_query, preorder_values = namedb_insert_prepare( cur, preorder_row, "preorders" )
except Exception, e:
log.exception(e)
log.error("FATAL: Failed to insert name preorder '%s'" % preorder_row['preorder_hash'])
os.abort()
namedb_query_execute( cur, preorder_query, preorder_values )
return True | [
"def",
"namedb_preorder_insert",
"(",
"cur",
",",
"preorder_rec",
")",
":",
"preorder_row",
"=",
"copy",
".",
"deepcopy",
"(",
"preorder_rec",
")",
"assert",
"'preorder_hash'",
"in",
"preorder_row",
",",
"\"BUG: missing preorder_hash\"",
"try",
":",
"preorder_query",
... | Add a name or namespace preorder record, if it doesn't exist already.
DO NOT CALL THIS DIRECTLY. | [
"Add",
"a",
"name",
"or",
"namespace",
"preorder",
"record",
"if",
"it",
"doesn",
"t",
"exist",
"already",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L709-L728 |
244,532 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_preorder_remove | def namedb_preorder_remove( cur, preorder_hash ):
"""
Remove a preorder hash.
DO NOT CALL THIS DIRECTLY.
"""
try:
query, values = namedb_delete_prepare( cur, 'preorder_hash', preorder_hash, 'preorders' )
except Exception, e:
log.exception(e)
log.error("FATAL: Failed to delete preorder with hash '%s'" % preorder_hash )
os.abort()
log.debug(namedb_format_query(query, values))
namedb_query_execute( cur, query, values )
return True | python | def namedb_preorder_remove( cur, preorder_hash ):
try:
query, values = namedb_delete_prepare( cur, 'preorder_hash', preorder_hash, 'preorders' )
except Exception, e:
log.exception(e)
log.error("FATAL: Failed to delete preorder with hash '%s'" % preorder_hash )
os.abort()
log.debug(namedb_format_query(query, values))
namedb_query_execute( cur, query, values )
return True | [
"def",
"namedb_preorder_remove",
"(",
"cur",
",",
"preorder_hash",
")",
":",
"try",
":",
"query",
",",
"values",
"=",
"namedb_delete_prepare",
"(",
"cur",
",",
"'preorder_hash'",
",",
"preorder_hash",
",",
"'preorders'",
")",
"except",
"Exception",
",",
"e",
"... | Remove a preorder hash.
DO NOT CALL THIS DIRECTLY. | [
"Remove",
"a",
"preorder",
"hash",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L731-L746 |
244,533 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_name_insert | def namedb_name_insert( cur, input_name_rec ):
"""
Add the given name record to the database,
if it doesn't exist already.
"""
name_rec = copy.deepcopy( input_name_rec )
namedb_name_fields_check( name_rec )
try:
query, values = namedb_insert_prepare( cur, name_rec, "name_records" )
except Exception, e:
log.exception(e)
log.error("FATAL: Failed to insert name '%s'" % name_rec['name'])
os.abort()
namedb_query_execute( cur, query, values )
return True | python | def namedb_name_insert( cur, input_name_rec ):
name_rec = copy.deepcopy( input_name_rec )
namedb_name_fields_check( name_rec )
try:
query, values = namedb_insert_prepare( cur, name_rec, "name_records" )
except Exception, e:
log.exception(e)
log.error("FATAL: Failed to insert name '%s'" % name_rec['name'])
os.abort()
namedb_query_execute( cur, query, values )
return True | [
"def",
"namedb_name_insert",
"(",
"cur",
",",
"input_name_rec",
")",
":",
"name_rec",
"=",
"copy",
".",
"deepcopy",
"(",
"input_name_rec",
")",
"namedb_name_fields_check",
"(",
"name_rec",
")",
"try",
":",
"query",
",",
"values",
"=",
"namedb_insert_prepare",
"(... | Add the given name record to the database,
if it doesn't exist already. | [
"Add",
"the",
"given",
"name",
"record",
"to",
"the",
"database",
"if",
"it",
"doesn",
"t",
"exist",
"already",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L775-L793 |
244,534 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_name_update | def namedb_name_update( cur, opcode, input_opdata, only_if={}, constraints_ignored=[] ):
"""
Update an existing name in the database.
If non-empty, only update the given fields.
DO NOT CALL THIS METHOD DIRECTLY.
"""
opdata = copy.deepcopy( input_opdata )
namedb_name_fields_check( opdata )
mutate_fields = op_get_mutate_fields( opcode )
if opcode not in OPCODE_CREATION_OPS:
assert 'name' not in mutate_fields, "BUG: 'name' listed as a mutate field for '%s'" % (opcode)
# reduce opdata down to the given fields....
must_equal = namedb_update_must_equal( opdata, mutate_fields )
must_equal += ['name','block_number']
for ignored in constraints_ignored:
if ignored in must_equal:
# ignore this constraint
must_equal.remove( ignored )
try:
query, values = namedb_update_prepare( cur, ['name', 'block_number'], opdata, "name_records", must_equal=must_equal, only_if=only_if )
except Exception, e:
log.exception(e)
log.error("FATAL: failed to update name '%s'" % opdata['name'])
os.abort()
namedb_query_execute( cur, query, values )
try:
assert cur.rowcount == 1, "Updated %s row(s)" % cur.rowcount
except Exception, e:
log.exception(e)
log.error("FATAL: failed to update name '%s'" % opdata['name'])
log.error("Query: %s", "".join( ["%s %s" % (frag, "'%s'" % val if type(val) in [str, unicode] else val) for (frag, val) in zip(query.split("?"), values + ("",))] ))
os.abort()
return True | python | def namedb_name_update( cur, opcode, input_opdata, only_if={}, constraints_ignored=[] ):
opdata = copy.deepcopy( input_opdata )
namedb_name_fields_check( opdata )
mutate_fields = op_get_mutate_fields( opcode )
if opcode not in OPCODE_CREATION_OPS:
assert 'name' not in mutate_fields, "BUG: 'name' listed as a mutate field for '%s'" % (opcode)
# reduce opdata down to the given fields....
must_equal = namedb_update_must_equal( opdata, mutate_fields )
must_equal += ['name','block_number']
for ignored in constraints_ignored:
if ignored in must_equal:
# ignore this constraint
must_equal.remove( ignored )
try:
query, values = namedb_update_prepare( cur, ['name', 'block_number'], opdata, "name_records", must_equal=must_equal, only_if=only_if )
except Exception, e:
log.exception(e)
log.error("FATAL: failed to update name '%s'" % opdata['name'])
os.abort()
namedb_query_execute( cur, query, values )
try:
assert cur.rowcount == 1, "Updated %s row(s)" % cur.rowcount
except Exception, e:
log.exception(e)
log.error("FATAL: failed to update name '%s'" % opdata['name'])
log.error("Query: %s", "".join( ["%s %s" % (frag, "'%s'" % val if type(val) in [str, unicode] else val) for (frag, val) in zip(query.split("?"), values + ("",))] ))
os.abort()
return True | [
"def",
"namedb_name_update",
"(",
"cur",
",",
"opcode",
",",
"input_opdata",
",",
"only_if",
"=",
"{",
"}",
",",
"constraints_ignored",
"=",
"[",
"]",
")",
":",
"opdata",
"=",
"copy",
".",
"deepcopy",
"(",
"input_opdata",
")",
"namedb_name_fields_check",
"("... | Update an existing name in the database.
If non-empty, only update the given fields.
DO NOT CALL THIS METHOD DIRECTLY. | [
"Update",
"an",
"existing",
"name",
"in",
"the",
"database",
".",
"If",
"non",
"-",
"empty",
"only",
"update",
"the",
"given",
"fields",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L796-L837 |
244,535 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_state_mutation_sanity_check | def namedb_state_mutation_sanity_check( opcode, op_data ):
"""
Make sure all mutate fields for this operation are present.
Return True if so
Raise exception if not
"""
# sanity check: each mutate field in the operation must be defined in op_data, even if it's null.
missing = []
mutate_fields = op_get_mutate_fields( opcode )
for field in mutate_fields:
if field not in op_data.keys():
missing.append( field )
assert len(missing) == 0, ("BUG: operation '%s' is missing the following fields: %s" % (opcode, ",".join(missing)))
return True | python | def namedb_state_mutation_sanity_check( opcode, op_data ):
# sanity check: each mutate field in the operation must be defined in op_data, even if it's null.
missing = []
mutate_fields = op_get_mutate_fields( opcode )
for field in mutate_fields:
if field not in op_data.keys():
missing.append( field )
assert len(missing) == 0, ("BUG: operation '%s' is missing the following fields: %s" % (opcode, ",".join(missing)))
return True | [
"def",
"namedb_state_mutation_sanity_check",
"(",
"opcode",
",",
"op_data",
")",
":",
"# sanity check: each mutate field in the operation must be defined in op_data, even if it's null.",
"missing",
"=",
"[",
"]",
"mutate_fields",
"=",
"op_get_mutate_fields",
"(",
"opcode",
")",
... | Make sure all mutate fields for this operation are present.
Return True if so
Raise exception if not | [
"Make",
"sure",
"all",
"mutate",
"fields",
"for",
"this",
"operation",
"are",
"present",
".",
"Return",
"True",
"if",
"so",
"Raise",
"exception",
"if",
"not"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L963-L978 |
244,536 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_get_last_name_import | def namedb_get_last_name_import(cur, name, block_id, vtxindex):
"""
Find the last name import for this name
"""
query = 'SELECT history_data FROM history WHERE history_id = ? AND (block_id < ? OR (block_id = ? AND vtxindex < ?)) ' + \
'ORDER BY block_id DESC,vtxindex DESC LIMIT 1;'
args = (name, block_id, block_id, vtxindex)
history_rows = namedb_query_execute(cur, query, args)
for row in history_rows:
history_data = json.loads(row['history_data'])
return history_data
return None | python | def namedb_get_last_name_import(cur, name, block_id, vtxindex):
query = 'SELECT history_data FROM history WHERE history_id = ? AND (block_id < ? OR (block_id = ? AND vtxindex < ?)) ' + \
'ORDER BY block_id DESC,vtxindex DESC LIMIT 1;'
args = (name, block_id, block_id, vtxindex)
history_rows = namedb_query_execute(cur, query, args)
for row in history_rows:
history_data = json.loads(row['history_data'])
return history_data
return None | [
"def",
"namedb_get_last_name_import",
"(",
"cur",
",",
"name",
",",
"block_id",
",",
"vtxindex",
")",
":",
"query",
"=",
"'SELECT history_data FROM history WHERE history_id = ? AND (block_id < ? OR (block_id = ? AND vtxindex < ?)) '",
"+",
"'ORDER BY block_id DESC,vtxindex DESC LIMIT... | Find the last name import for this name | [
"Find",
"the",
"last",
"name",
"import",
"for",
"this",
"name"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L1328-L1343 |
244,537 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_account_transaction_save | def namedb_account_transaction_save(cur, address, token_type, new_credit_value, new_debit_value, block_id, vtxindex, txid, existing_account):
"""
Insert the new state of an account at a particular point in time.
The data must be for a never-before-seen (txid,block_id,vtxindex) set in the accounts table, but must
correspond to an entry in the history table.
If existing_account is not None, then copy all other remaining fields from it.
Return True on success
Raise an Exception on error
"""
if existing_account is None:
existing_account = {}
accounts_insert = {
'address': address,
'type': token_type,
'credit_value': '{}'.format(new_credit_value),
'debit_value': '{}'.format(new_debit_value),
'lock_transfer_block_id': existing_account.get('lock_transfer_block_id', 0), # unlocks immediately if the account doesn't exist
'receive_whitelisted': existing_account.get('receive_whitelisted', True), # new accounts are whitelisted by default (for now)
'metadata': existing_account.get('metadata', None),
'block_id': block_id,
'txid': txid,
'vtxindex': vtxindex
}
try:
query, values = namedb_insert_prepare(cur, accounts_insert, 'accounts')
except Exception as e:
log.exception(e)
log.fatal('FATAL: failed to append account history record for {} at ({},{})'.format(address, block_id, vtxindex))
os.abort()
namedb_query_execute(cur, query, values)
return True | python | def namedb_account_transaction_save(cur, address, token_type, new_credit_value, new_debit_value, block_id, vtxindex, txid, existing_account):
if existing_account is None:
existing_account = {}
accounts_insert = {
'address': address,
'type': token_type,
'credit_value': '{}'.format(new_credit_value),
'debit_value': '{}'.format(new_debit_value),
'lock_transfer_block_id': existing_account.get('lock_transfer_block_id', 0), # unlocks immediately if the account doesn't exist
'receive_whitelisted': existing_account.get('receive_whitelisted', True), # new accounts are whitelisted by default (for now)
'metadata': existing_account.get('metadata', None),
'block_id': block_id,
'txid': txid,
'vtxindex': vtxindex
}
try:
query, values = namedb_insert_prepare(cur, accounts_insert, 'accounts')
except Exception as e:
log.exception(e)
log.fatal('FATAL: failed to append account history record for {} at ({},{})'.format(address, block_id, vtxindex))
os.abort()
namedb_query_execute(cur, query, values)
return True | [
"def",
"namedb_account_transaction_save",
"(",
"cur",
",",
"address",
",",
"token_type",
",",
"new_credit_value",
",",
"new_debit_value",
",",
"block_id",
",",
"vtxindex",
",",
"txid",
",",
"existing_account",
")",
":",
"if",
"existing_account",
"is",
"None",
":",... | Insert the new state of an account at a particular point in time.
The data must be for a never-before-seen (txid,block_id,vtxindex) set in the accounts table, but must
correspond to an entry in the history table.
If existing_account is not None, then copy all other remaining fields from it.
Return True on success
Raise an Exception on error | [
"Insert",
"the",
"new",
"state",
"of",
"an",
"account",
"at",
"a",
"particular",
"point",
"in",
"time",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L1420-L1456 |
244,538 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_account_debit | def namedb_account_debit(cur, account_addr, token_type, amount, block_id, vtxindex, txid):
"""
Debit an account at a particular point in time by the given amount.
Insert a new history entry for the account into the accounts table.
The account must exist
Abort the program if the account balance goes negative, or the count does not exist
"""
account = namedb_get_account(cur, account_addr, token_type)
if account is None:
traceback.print_stack()
log.fatal('Account {} does not exist'.format(account_addr))
os.abort()
new_credit_value = account['credit_value']
new_debit_value = account['debit_value'] + amount
# sanity check
if new_debit_value > new_credit_value:
traceback.print_stack()
log.fatal('Account {} for "{}" tokens overdrew (debits = {}, credits = {})'.format(account_addr, token_type, new_debit_value, new_credit_value))
os.abort()
new_balance = new_credit_value - new_debit_value
log.debug("Account balance of units of '{}' for {} is now {}".format(token_type, account_addr, new_balance))
res = namedb_account_transaction_save(cur, account_addr, token_type, new_credit_value, new_debit_value, block_id, vtxindex, txid, account)
if not res:
traceback.print_stack()
log.fatal('Failed to save new account state for {}'.format(account_addr))
os.abort()
return True | python | def namedb_account_debit(cur, account_addr, token_type, amount, block_id, vtxindex, txid):
account = namedb_get_account(cur, account_addr, token_type)
if account is None:
traceback.print_stack()
log.fatal('Account {} does not exist'.format(account_addr))
os.abort()
new_credit_value = account['credit_value']
new_debit_value = account['debit_value'] + amount
# sanity check
if new_debit_value > new_credit_value:
traceback.print_stack()
log.fatal('Account {} for "{}" tokens overdrew (debits = {}, credits = {})'.format(account_addr, token_type, new_debit_value, new_credit_value))
os.abort()
new_balance = new_credit_value - new_debit_value
log.debug("Account balance of units of '{}' for {} is now {}".format(token_type, account_addr, new_balance))
res = namedb_account_transaction_save(cur, account_addr, token_type, new_credit_value, new_debit_value, block_id, vtxindex, txid, account)
if not res:
traceback.print_stack()
log.fatal('Failed to save new account state for {}'.format(account_addr))
os.abort()
return True | [
"def",
"namedb_account_debit",
"(",
"cur",
",",
"account_addr",
",",
"token_type",
",",
"amount",
",",
"block_id",
",",
"vtxindex",
",",
"txid",
")",
":",
"account",
"=",
"namedb_get_account",
"(",
"cur",
",",
"account_addr",
",",
"token_type",
")",
"if",
"a... | Debit an account at a particular point in time by the given amount.
Insert a new history entry for the account into the accounts table.
The account must exist
Abort the program if the account balance goes negative, or the count does not exist | [
"Debit",
"an",
"account",
"at",
"a",
"particular",
"point",
"in",
"time",
"by",
"the",
"given",
"amount",
".",
"Insert",
"a",
"new",
"history",
"entry",
"for",
"the",
"account",
"into",
"the",
"accounts",
"table",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L1459-L1492 |
244,539 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_accounts_vest | def namedb_accounts_vest(cur, block_height):
"""
Vest tokens at this block to all recipients.
Goes through the vesting table and debits each account that should vest on this block.
"""
sql = 'SELECT * FROM account_vesting WHERE block_id = ?'
args = (block_height,)
vesting_rows = namedb_query_execute(cur, sql, args)
rows = []
for row in vesting_rows:
tmp = {}
tmp.update(row)
rows.append(tmp)
for row in rows:
addr = row['address']
token_type = row['type']
token_amount = row['vesting_value']
log.debug("Vest {} with {} {}".format(addr, token_amount, token_type))
fake_txid = namedb_vesting_txid(addr, token_type, token_amount, block_height)
res = namedb_account_credit(cur, addr, token_type, token_amount, block_height, 0, fake_txid)
if not res:
traceback.print_stack()
log.fatal('Failed to vest {} {} to {}'.format(token_amount, token_type, addr))
os.abort()
return True | python | def namedb_accounts_vest(cur, block_height):
sql = 'SELECT * FROM account_vesting WHERE block_id = ?'
args = (block_height,)
vesting_rows = namedb_query_execute(cur, sql, args)
rows = []
for row in vesting_rows:
tmp = {}
tmp.update(row)
rows.append(tmp)
for row in rows:
addr = row['address']
token_type = row['type']
token_amount = row['vesting_value']
log.debug("Vest {} with {} {}".format(addr, token_amount, token_type))
fake_txid = namedb_vesting_txid(addr, token_type, token_amount, block_height)
res = namedb_account_credit(cur, addr, token_type, token_amount, block_height, 0, fake_txid)
if not res:
traceback.print_stack()
log.fatal('Failed to vest {} {} to {}'.format(token_amount, token_type, addr))
os.abort()
return True | [
"def",
"namedb_accounts_vest",
"(",
"cur",
",",
"block_height",
")",
":",
"sql",
"=",
"'SELECT * FROM account_vesting WHERE block_id = ?'",
"args",
"=",
"(",
"block_height",
",",
")",
"vesting_rows",
"=",
"namedb_query_execute",
"(",
"cur",
",",
"sql",
",",
"args",
... | Vest tokens at this block to all recipients.
Goes through the vesting table and debits each account that should vest on this block. | [
"Vest",
"tokens",
"at",
"this",
"block",
"to",
"all",
"recipients",
".",
"Goes",
"through",
"the",
"vesting",
"table",
"and",
"debits",
"each",
"account",
"that",
"should",
"vest",
"on",
"this",
"block",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L1538-L1568 |
244,540 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_is_history_snapshot | def namedb_is_history_snapshot( history_snapshot ):
"""
Given a dict, verify that it is a history snapshot.
It must have all consensus fields.
Return True if so.
Raise an exception of it doesn't.
"""
# sanity check: each mutate field in the operation must be defined in op_data, even if it's null.
missing = []
assert 'op' in history_snapshot.keys(), "BUG: no op given"
opcode = op_get_opcode_name( history_snapshot['op'] )
assert opcode is not None, "BUG: unrecognized op '%s'" % history_snapshot['op']
consensus_fields = op_get_consensus_fields( opcode )
for field in consensus_fields:
if field not in history_snapshot.keys():
missing.append( field )
assert len(missing) == 0, ("BUG: operation '%s' is missing the following fields: %s" % (opcode, ",".join(missing)))
return True | python | def namedb_is_history_snapshot( history_snapshot ):
# sanity check: each mutate field in the operation must be defined in op_data, even if it's null.
missing = []
assert 'op' in history_snapshot.keys(), "BUG: no op given"
opcode = op_get_opcode_name( history_snapshot['op'] )
assert opcode is not None, "BUG: unrecognized op '%s'" % history_snapshot['op']
consensus_fields = op_get_consensus_fields( opcode )
for field in consensus_fields:
if field not in history_snapshot.keys():
missing.append( field )
assert len(missing) == 0, ("BUG: operation '%s' is missing the following fields: %s" % (opcode, ",".join(missing)))
return True | [
"def",
"namedb_is_history_snapshot",
"(",
"history_snapshot",
")",
":",
"# sanity check: each mutate field in the operation must be defined in op_data, even if it's null.",
"missing",
"=",
"[",
"]",
"assert",
"'op'",
"in",
"history_snapshot",
".",
"keys",
"(",
")",
",",
"\"B... | Given a dict, verify that it is a history snapshot.
It must have all consensus fields.
Return True if so.
Raise an exception of it doesn't. | [
"Given",
"a",
"dict",
"verify",
"that",
"it",
"is",
"a",
"history",
"snapshot",
".",
"It",
"must",
"have",
"all",
"consensus",
"fields",
".",
"Return",
"True",
"if",
"so",
".",
"Raise",
"an",
"exception",
"of",
"it",
"doesn",
"t",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L1571-L1593 |
244,541 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_get_account_tokens | def namedb_get_account_tokens(cur, address):
"""
Get an account's tokens
Returns the list of tokens on success
Returns None if not found
"""
sql = 'SELECT DISTINCT type FROM accounts WHERE address = ?;'
args = (address,)
rows = namedb_query_execute(cur, sql, args)
ret = []
for row in rows:
ret.append(row['type'])
return ret | python | def namedb_get_account_tokens(cur, address):
sql = 'SELECT DISTINCT type FROM accounts WHERE address = ?;'
args = (address,)
rows = namedb_query_execute(cur, sql, args)
ret = []
for row in rows:
ret.append(row['type'])
return ret | [
"def",
"namedb_get_account_tokens",
"(",
"cur",
",",
"address",
")",
":",
"sql",
"=",
"'SELECT DISTINCT type FROM accounts WHERE address = ?;'",
"args",
"=",
"(",
"address",
",",
")",
"rows",
"=",
"namedb_query_execute",
"(",
"cur",
",",
"sql",
",",
"args",
")",
... | Get an account's tokens
Returns the list of tokens on success
Returns None if not found | [
"Get",
"an",
"account",
"s",
"tokens",
"Returns",
"the",
"list",
"of",
"tokens",
"on",
"success",
"Returns",
"None",
"if",
"not",
"found"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L1742-L1756 |
244,542 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_get_account | def namedb_get_account(cur, address, token_type):
"""
Get an account, given the address.
Returns the account row on success
Returns None if not found
"""
sql = 'SELECT * FROM accounts WHERE address = ? AND type = ? ORDER BY block_id DESC, vtxindex DESC LIMIT 1;'
args = (address,token_type)
rows = namedb_query_execute(cur, sql, args)
row = rows.fetchone()
if row is None:
return None
ret = {}
ret.update(row)
return ret | python | def namedb_get_account(cur, address, token_type):
sql = 'SELECT * FROM accounts WHERE address = ? AND type = ? ORDER BY block_id DESC, vtxindex DESC LIMIT 1;'
args = (address,token_type)
rows = namedb_query_execute(cur, sql, args)
row = rows.fetchone()
if row is None:
return None
ret = {}
ret.update(row)
return ret | [
"def",
"namedb_get_account",
"(",
"cur",
",",
"address",
",",
"token_type",
")",
":",
"sql",
"=",
"'SELECT * FROM accounts WHERE address = ? AND type = ? ORDER BY block_id DESC, vtxindex DESC LIMIT 1;'",
"args",
"=",
"(",
"address",
",",
"token_type",
")",
"rows",
"=",
"n... | Get an account, given the address.
Returns the account row on success
Returns None if not found | [
"Get",
"an",
"account",
"given",
"the",
"address",
".",
"Returns",
"the",
"account",
"row",
"on",
"success",
"Returns",
"None",
"if",
"not",
"found"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L1759-L1775 |
244,543 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_get_account_diff | def namedb_get_account_diff(current, prior):
"""
Figure out what the expenditure difference is between two accounts.
They must be for the same token type and address.
Calculates current - prior
"""
if current['address'] != prior['address'] or current['type'] != prior['type']:
raise ValueError("Accounts for two different addresses and/or token types")
# NOTE: only possible since Python doesn't overflow :P
return namedb_get_account_balance(current) - namedb_get_account_balance(prior) | python | def namedb_get_account_diff(current, prior):
if current['address'] != prior['address'] or current['type'] != prior['type']:
raise ValueError("Accounts for two different addresses and/or token types")
# NOTE: only possible since Python doesn't overflow :P
return namedb_get_account_balance(current) - namedb_get_account_balance(prior) | [
"def",
"namedb_get_account_diff",
"(",
"current",
",",
"prior",
")",
":",
"if",
"current",
"[",
"'address'",
"]",
"!=",
"prior",
"[",
"'address'",
"]",
"or",
"current",
"[",
"'type'",
"]",
"!=",
"prior",
"[",
"'type'",
"]",
":",
"raise",
"ValueError",
"(... | Figure out what the expenditure difference is between two accounts.
They must be for the same token type and address.
Calculates current - prior | [
"Figure",
"out",
"what",
"the",
"expenditure",
"difference",
"is",
"between",
"two",
"accounts",
".",
"They",
"must",
"be",
"for",
"the",
"same",
"token",
"type",
"and",
"address",
".",
"Calculates",
"current",
"-",
"prior"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L1808-L1818 |
244,544 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_get_account_history | def namedb_get_account_history(cur, address, offset=None, count=None):
"""
Get the history of an account's tokens
"""
sql = 'SELECT * FROM accounts WHERE address = ? ORDER BY block_id DESC, vtxindex DESC'
args = (address,)
if count is not None:
sql += ' LIMIT ?'
args += (count,)
if offset is not None:
sql += ' OFFSET ?'
args += (offset,)
sql += ';'
rows = namedb_query_execute(cur, sql, args)
ret = []
for rowdata in rows:
tmp = {}
tmp.update(rowdata)
ret.append(tmp)
return ret | python | def namedb_get_account_history(cur, address, offset=None, count=None):
sql = 'SELECT * FROM accounts WHERE address = ? ORDER BY block_id DESC, vtxindex DESC'
args = (address,)
if count is not None:
sql += ' LIMIT ?'
args += (count,)
if offset is not None:
sql += ' OFFSET ?'
args += (offset,)
sql += ';'
rows = namedb_query_execute(cur, sql, args)
ret = []
for rowdata in rows:
tmp = {}
tmp.update(rowdata)
ret.append(tmp)
return ret | [
"def",
"namedb_get_account_history",
"(",
"cur",
",",
"address",
",",
"offset",
"=",
"None",
",",
"count",
"=",
"None",
")",
":",
"sql",
"=",
"'SELECT * FROM accounts WHERE address = ? ORDER BY block_id DESC, vtxindex DESC'",
"args",
"=",
"(",
"address",
",",
")",
"... | Get the history of an account's tokens | [
"Get",
"the",
"history",
"of",
"an",
"account",
"s",
"tokens"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L1821-L1845 |
244,545 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_get_all_account_addresses | def namedb_get_all_account_addresses(cur):
"""
TESTING ONLY
get all account addresses
"""
assert BLOCKSTACK_TEST, 'BUG: this method is only available in test mode'
sql = 'SELECT DISTINCT address FROM accounts;'
args = ()
rows = namedb_query_execute(cur, sql, args)
ret = []
for rowdata in rows:
ret.append(rowdata['address'])
return ret | python | def namedb_get_all_account_addresses(cur):
assert BLOCKSTACK_TEST, 'BUG: this method is only available in test mode'
sql = 'SELECT DISTINCT address FROM accounts;'
args = ()
rows = namedb_query_execute(cur, sql, args)
ret = []
for rowdata in rows:
ret.append(rowdata['address'])
return ret | [
"def",
"namedb_get_all_account_addresses",
"(",
"cur",
")",
":",
"assert",
"BLOCKSTACK_TEST",
",",
"'BUG: this method is only available in test mode'",
"sql",
"=",
"'SELECT DISTINCT address FROM accounts;'",
"args",
"=",
"(",
")",
"rows",
"=",
"namedb_query_execute",
"(",
"... | TESTING ONLY
get all account addresses | [
"TESTING",
"ONLY",
"get",
"all",
"account",
"addresses"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L1848-L1862 |
244,546 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_get_name_at | def namedb_get_name_at(cur, name, block_number, include_expired=False):
"""
Get the sequence of states that a name record was in at a particular block height.
There can be more than one if the name changed during the block.
Returns only unexpired names by default. Can return expired names with include_expired=True
Returns None if this name does not exist at this block height.
"""
if not include_expired:
# don't return anything if this name is expired.
# however, we don't care if the name hasn't been created as of this block_number either, since we might return its preorder (hence only_registered=False)
name_rec = namedb_get_name(cur, name, block_number, include_expired=False, include_history=False, only_registered=False)
if name_rec is None:
# expired at this block.
return None
history_rows = namedb_get_record_states_at(cur, name, block_number)
if len(history_rows) == 0:
# doesn't exist
return None
else:
return history_rows | python | def namedb_get_name_at(cur, name, block_number, include_expired=False):
if not include_expired:
# don't return anything if this name is expired.
# however, we don't care if the name hasn't been created as of this block_number either, since we might return its preorder (hence only_registered=False)
name_rec = namedb_get_name(cur, name, block_number, include_expired=False, include_history=False, only_registered=False)
if name_rec is None:
# expired at this block.
return None
history_rows = namedb_get_record_states_at(cur, name, block_number)
if len(history_rows) == 0:
# doesn't exist
return None
else:
return history_rows | [
"def",
"namedb_get_name_at",
"(",
"cur",
",",
"name",
",",
"block_number",
",",
"include_expired",
"=",
"False",
")",
":",
"if",
"not",
"include_expired",
":",
"# don't return anything if this name is expired.",
"# however, we don't care if the name hasn't been created as of th... | Get the sequence of states that a name record was in at a particular block height.
There can be more than one if the name changed during the block.
Returns only unexpired names by default. Can return expired names with include_expired=True
Returns None if this name does not exist at this block height. | [
"Get",
"the",
"sequence",
"of",
"states",
"that",
"a",
"name",
"record",
"was",
"in",
"at",
"a",
"particular",
"block",
"height",
".",
"There",
"can",
"be",
"more",
"than",
"one",
"if",
"the",
"name",
"changed",
"during",
"the",
"block",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L2150-L2171 |
244,547 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_get_namespace_at | def namedb_get_namespace_at(cur, namespace_id, block_number, include_expired=False):
"""
Get the sequence of states that a namespace record was in at a particular block height.
There can be more than one if the namespace changed durnig the block.
Returns only unexpired namespaces by default. Can return expired namespaces with include_expired=True
"""
if not include_expired:
# don't return anything if the namespace was expired at this block.
# (but do return something here even if the namespace was created after this block, so we can potentially pick up its preorder (hence only_revealed=False))
namespace_rec = namedb_get_namespace(cur, namespace_id, block_number, include_expired=False, include_history=False, only_revealed=False)
if namespace_rec is None:
# expired at this block
return None
history_rows = namedb_get_record_states_at(cur, namespace_id, block_number)
if len(history_rows) == 0:
# doesn't exist yet
return None
else:
return history_rows | python | def namedb_get_namespace_at(cur, namespace_id, block_number, include_expired=False):
if not include_expired:
# don't return anything if the namespace was expired at this block.
# (but do return something here even if the namespace was created after this block, so we can potentially pick up its preorder (hence only_revealed=False))
namespace_rec = namedb_get_namespace(cur, namespace_id, block_number, include_expired=False, include_history=False, only_revealed=False)
if namespace_rec is None:
# expired at this block
return None
history_rows = namedb_get_record_states_at(cur, namespace_id, block_number)
if len(history_rows) == 0:
# doesn't exist yet
return None
else:
return history_rows | [
"def",
"namedb_get_namespace_at",
"(",
"cur",
",",
"namespace_id",
",",
"block_number",
",",
"include_expired",
"=",
"False",
")",
":",
"if",
"not",
"include_expired",
":",
"# don't return anything if the namespace was expired at this block.",
"# (but do return something here e... | Get the sequence of states that a namespace record was in at a particular block height.
There can be more than one if the namespace changed durnig the block.
Returns only unexpired namespaces by default. Can return expired namespaces with include_expired=True | [
"Get",
"the",
"sequence",
"of",
"states",
"that",
"a",
"namespace",
"record",
"was",
"in",
"at",
"a",
"particular",
"block",
"height",
".",
"There",
"can",
"be",
"more",
"than",
"one",
"if",
"the",
"namespace",
"changed",
"durnig",
"the",
"block",
".",
"... | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L2174-L2194 |
244,548 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_get_account_balance | def namedb_get_account_balance(account):
"""
Get the balance of an account for a particular type of token.
This is its credits minus its debits.
Returns the current balance on success.
Aborts on error, or if the balance is somehow negative.
"""
# NOTE: this is only possible because Python does not overflow :P
balance = account['credit_value'] - account['debit_value']
if balance < 0:
log.fatal("Balance of {} is {} (credits = {}, debits = {})".format(account['address'], balance, account['credit_value'], account['debit_value']))
traceback.print_stack()
os.abort()
return balance | python | def namedb_get_account_balance(account):
# NOTE: this is only possible because Python does not overflow :P
balance = account['credit_value'] - account['debit_value']
if balance < 0:
log.fatal("Balance of {} is {} (credits = {}, debits = {})".format(account['address'], balance, account['credit_value'], account['debit_value']))
traceback.print_stack()
os.abort()
return balance | [
"def",
"namedb_get_account_balance",
"(",
"account",
")",
":",
"# NOTE: this is only possible because Python does not overflow :P",
"balance",
"=",
"account",
"[",
"'credit_value'",
"]",
"-",
"account",
"[",
"'debit_value'",
"]",
"if",
"balance",
"<",
"0",
":",
"log",
... | Get the balance of an account for a particular type of token.
This is its credits minus its debits.
Returns the current balance on success.
Aborts on error, or if the balance is somehow negative. | [
"Get",
"the",
"balance",
"of",
"an",
"account",
"for",
"a",
"particular",
"type",
"of",
"token",
".",
"This",
"is",
"its",
"credits",
"minus",
"its",
"debits",
".",
"Returns",
"the",
"current",
"balance",
"on",
"success",
".",
"Aborts",
"on",
"error",
"o... | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L2197-L2211 |
244,549 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_get_preorder | def namedb_get_preorder(cur, preorder_hash, current_block_number, include_expired=False, expiry_time=None):
"""
Get a preorder record by hash.
If include_expired is set, then so must expiry_time
Return None if not found.
"""
select_query = None
args = None
if include_expired:
select_query = "SELECT * FROM preorders WHERE preorder_hash = ?;"
args = (preorder_hash,)
else:
assert expiry_time is not None, "expiry_time is required with include_expired"
select_query = "SELECT * FROM preorders WHERE preorder_hash = ? AND block_number < ?;"
args = (preorder_hash, expiry_time + current_block_number)
preorder_rows = namedb_query_execute( cur, select_query, (preorder_hash,))
preorder_row = preorder_rows.fetchone()
if preorder_row is None:
# no such preorder
return None
preorder_rec = {}
preorder_rec.update( preorder_row )
return preorder_rec | python | def namedb_get_preorder(cur, preorder_hash, current_block_number, include_expired=False, expiry_time=None):
select_query = None
args = None
if include_expired:
select_query = "SELECT * FROM preorders WHERE preorder_hash = ?;"
args = (preorder_hash,)
else:
assert expiry_time is not None, "expiry_time is required with include_expired"
select_query = "SELECT * FROM preorders WHERE preorder_hash = ? AND block_number < ?;"
args = (preorder_hash, expiry_time + current_block_number)
preorder_rows = namedb_query_execute( cur, select_query, (preorder_hash,))
preorder_row = preorder_rows.fetchone()
if preorder_row is None:
# no such preorder
return None
preorder_rec = {}
preorder_rec.update( preorder_row )
return preorder_rec | [
"def",
"namedb_get_preorder",
"(",
"cur",
",",
"preorder_hash",
",",
"current_block_number",
",",
"include_expired",
"=",
"False",
",",
"expiry_time",
"=",
"None",
")",
":",
"select_query",
"=",
"None",
"args",
"=",
"None",
"if",
"include_expired",
":",
"select_... | Get a preorder record by hash.
If include_expired is set, then so must expiry_time
Return None if not found. | [
"Get",
"a",
"preorder",
"record",
"by",
"hash",
".",
"If",
"include_expired",
"is",
"set",
"then",
"so",
"must",
"expiry_time",
"Return",
"None",
"if",
"not",
"found",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L2214-L2242 |
244,550 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_get_num_historic_names_by_address | def namedb_get_num_historic_names_by_address( cur, address ):
"""
Get the number of names owned by an address throughout history
"""
select_query = "SELECT COUNT(*) FROM name_records JOIN history ON name_records.name = history.history_id " + \
"WHERE history.creator_address = ?;"
args = (address,)
count = namedb_select_count_rows( cur, select_query, args )
return count | python | def namedb_get_num_historic_names_by_address( cur, address ):
select_query = "SELECT COUNT(*) FROM name_records JOIN history ON name_records.name = history.history_id " + \
"WHERE history.creator_address = ?;"
args = (address,)
count = namedb_select_count_rows( cur, select_query, args )
return count | [
"def",
"namedb_get_num_historic_names_by_address",
"(",
"cur",
",",
"address",
")",
":",
"select_query",
"=",
"\"SELECT COUNT(*) FROM name_records JOIN history ON name_records.name = history.history_id \"",
"+",
"\"WHERE history.creator_address = ?;\"",
"args",
"=",
"(",
"address",
... | Get the number of names owned by an address throughout history | [
"Get",
"the",
"number",
"of",
"names",
"owned",
"by",
"an",
"address",
"throughout",
"history"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L2269-L2280 |
244,551 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_get_num_names | def namedb_get_num_names( cur, current_block, include_expired=False ):
"""
Get the number of names that exist at the current block
"""
unexpired_query = ""
unexpired_args = ()
if not include_expired:
# count all names, including expired ones
unexpired_query, unexpired_args = namedb_select_where_unexpired_names( current_block )
unexpired_query = 'WHERE {}'.format(unexpired_query)
query = "SELECT COUNT(name_records.name) FROM name_records JOIN namespaces ON name_records.namespace_id = namespaces.namespace_id " + unexpired_query + ";"
args = unexpired_args
num_rows = namedb_select_count_rows( cur, query, args, count_column='COUNT(name_records.name)' )
return num_rows | python | def namedb_get_num_names( cur, current_block, include_expired=False ):
unexpired_query = ""
unexpired_args = ()
if not include_expired:
# count all names, including expired ones
unexpired_query, unexpired_args = namedb_select_where_unexpired_names( current_block )
unexpired_query = 'WHERE {}'.format(unexpired_query)
query = "SELECT COUNT(name_records.name) FROM name_records JOIN namespaces ON name_records.namespace_id = namespaces.namespace_id " + unexpired_query + ";"
args = unexpired_args
num_rows = namedb_select_count_rows( cur, query, args, count_column='COUNT(name_records.name)' )
return num_rows | [
"def",
"namedb_get_num_names",
"(",
"cur",
",",
"current_block",
",",
"include_expired",
"=",
"False",
")",
":",
"unexpired_query",
"=",
"\"\"",
"unexpired_args",
"=",
"(",
")",
"if",
"not",
"include_expired",
":",
"# count all names, including expired ones",
"unexpir... | Get the number of names that exist at the current block | [
"Get",
"the",
"number",
"of",
"names",
"that",
"exist",
"at",
"the",
"current",
"block"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L2458-L2474 |
244,552 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_get_all_names | def namedb_get_all_names( cur, current_block, offset=None, count=None, include_expired=False ):
"""
Get a list of all names in the database, optionally
paginated with offset and count. Exclude expired names. Include revoked names.
"""
unexpired_query = ""
unexpired_args = ()
if not include_expired:
# all names, including expired ones
unexpired_query, unexpired_args = namedb_select_where_unexpired_names( current_block )
unexpired_query = 'WHERE {}'.format(unexpired_query)
query = "SELECT name FROM name_records JOIN namespaces ON name_records.namespace_id = namespaces.namespace_id " + unexpired_query + " ORDER BY name "
args = unexpired_args
offset_count_query, offset_count_args = namedb_offset_count_predicate( offset=offset, count=count )
query += offset_count_query + ";"
args += offset_count_args
name_rows = namedb_query_execute( cur, query, tuple(args) )
ret = []
for name_row in name_rows:
rec = {}
rec.update( name_row )
ret.append( rec['name'] )
return ret | python | def namedb_get_all_names( cur, current_block, offset=None, count=None, include_expired=False ):
unexpired_query = ""
unexpired_args = ()
if not include_expired:
# all names, including expired ones
unexpired_query, unexpired_args = namedb_select_where_unexpired_names( current_block )
unexpired_query = 'WHERE {}'.format(unexpired_query)
query = "SELECT name FROM name_records JOIN namespaces ON name_records.namespace_id = namespaces.namespace_id " + unexpired_query + " ORDER BY name "
args = unexpired_args
offset_count_query, offset_count_args = namedb_offset_count_predicate( offset=offset, count=count )
query += offset_count_query + ";"
args += offset_count_args
name_rows = namedb_query_execute( cur, query, tuple(args) )
ret = []
for name_row in name_rows:
rec = {}
rec.update( name_row )
ret.append( rec['name'] )
return ret | [
"def",
"namedb_get_all_names",
"(",
"cur",
",",
"current_block",
",",
"offset",
"=",
"None",
",",
"count",
"=",
"None",
",",
"include_expired",
"=",
"False",
")",
":",
"unexpired_query",
"=",
"\"\"",
"unexpired_args",
"=",
"(",
")",
"if",
"not",
"include_exp... | Get a list of all names in the database, optionally
paginated with offset and count. Exclude expired names. Include revoked names. | [
"Get",
"a",
"list",
"of",
"all",
"names",
"in",
"the",
"database",
"optionally",
"paginated",
"with",
"offset",
"and",
"count",
".",
"Exclude",
"expired",
"names",
".",
"Include",
"revoked",
"names",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L2477-L2505 |
244,553 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_get_num_names_in_namespace | def namedb_get_num_names_in_namespace( cur, namespace_id, current_block ):
"""
Get the number of names in a given namespace
"""
unexpired_query, unexpired_args = namedb_select_where_unexpired_names( current_block )
query = "SELECT COUNT(name_records.name) FROM name_records JOIN namespaces ON name_records.namespace_id = namespaces.namespace_id WHERE name_records.namespace_id = ? AND " + unexpired_query + " ORDER BY name;"
args = (namespace_id,) + unexpired_args
num_rows = namedb_select_count_rows( cur, query, args, count_column='COUNT(name_records.name)' )
return num_rows | python | def namedb_get_num_names_in_namespace( cur, namespace_id, current_block ):
unexpired_query, unexpired_args = namedb_select_where_unexpired_names( current_block )
query = "SELECT COUNT(name_records.name) FROM name_records JOIN namespaces ON name_records.namespace_id = namespaces.namespace_id WHERE name_records.namespace_id = ? AND " + unexpired_query + " ORDER BY name;"
args = (namespace_id,) + unexpired_args
num_rows = namedb_select_count_rows( cur, query, args, count_column='COUNT(name_records.name)' )
return num_rows | [
"def",
"namedb_get_num_names_in_namespace",
"(",
"cur",
",",
"namespace_id",
",",
"current_block",
")",
":",
"unexpired_query",
",",
"unexpired_args",
"=",
"namedb_select_where_unexpired_names",
"(",
"current_block",
")",
"query",
"=",
"\"SELECT COUNT(name_records.name) FROM ... | Get the number of names in a given namespace | [
"Get",
"the",
"number",
"of",
"names",
"in",
"a",
"given",
"namespace"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L2508-L2518 |
244,554 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_get_names_in_namespace | def namedb_get_names_in_namespace( cur, namespace_id, current_block, offset=None, count=None ):
"""
Get a list of all names in a namespace, optionally
paginated with offset and count. Exclude expired names
"""
unexpired_query, unexpired_args = namedb_select_where_unexpired_names( current_block )
query = "SELECT name FROM name_records JOIN namespaces ON name_records.namespace_id = namespaces.namespace_id WHERE name_records.namespace_id = ? AND " + unexpired_query + " ORDER BY name "
args = (namespace_id,) + unexpired_args
offset_count_query, offset_count_args = namedb_offset_count_predicate( offset=offset, count=count )
query += offset_count_query + ";"
args += offset_count_args
name_rows = namedb_query_execute( cur, query, tuple(args) )
ret = []
for name_row in name_rows:
rec = {}
rec.update( name_row )
ret.append( rec['name'] )
return ret | python | def namedb_get_names_in_namespace( cur, namespace_id, current_block, offset=None, count=None ):
unexpired_query, unexpired_args = namedb_select_where_unexpired_names( current_block )
query = "SELECT name FROM name_records JOIN namespaces ON name_records.namespace_id = namespaces.namespace_id WHERE name_records.namespace_id = ? AND " + unexpired_query + " ORDER BY name "
args = (namespace_id,) + unexpired_args
offset_count_query, offset_count_args = namedb_offset_count_predicate( offset=offset, count=count )
query += offset_count_query + ";"
args += offset_count_args
name_rows = namedb_query_execute( cur, query, tuple(args) )
ret = []
for name_row in name_rows:
rec = {}
rec.update( name_row )
ret.append( rec['name'] )
return ret | [
"def",
"namedb_get_names_in_namespace",
"(",
"cur",
",",
"namespace_id",
",",
"current_block",
",",
"offset",
"=",
"None",
",",
"count",
"=",
"None",
")",
":",
"unexpired_query",
",",
"unexpired_args",
"=",
"namedb_select_where_unexpired_names",
"(",
"current_block",
... | Get a list of all names in a namespace, optionally
paginated with offset and count. Exclude expired names | [
"Get",
"a",
"list",
"of",
"all",
"names",
"in",
"a",
"namespace",
"optionally",
"paginated",
"with",
"offset",
"and",
"count",
".",
"Exclude",
"expired",
"names"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L2521-L2543 |
244,555 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_get_all_namespace_ids | def namedb_get_all_namespace_ids( cur ):
"""
Get a list of all READY namespace IDs.
"""
query = "SELECT namespace_id FROM namespaces WHERE op = ?;"
args = (NAMESPACE_READY,)
namespace_rows = namedb_query_execute( cur, query, args )
ret = []
for namespace_row in namespace_rows:
ret.append( namespace_row['namespace_id'] )
return ret | python | def namedb_get_all_namespace_ids( cur ):
query = "SELECT namespace_id FROM namespaces WHERE op = ?;"
args = (NAMESPACE_READY,)
namespace_rows = namedb_query_execute( cur, query, args )
ret = []
for namespace_row in namespace_rows:
ret.append( namespace_row['namespace_id'] )
return ret | [
"def",
"namedb_get_all_namespace_ids",
"(",
"cur",
")",
":",
"query",
"=",
"\"SELECT namespace_id FROM namespaces WHERE op = ?;\"",
"args",
"=",
"(",
"NAMESPACE_READY",
",",
")",
"namespace_rows",
"=",
"namedb_query_execute",
"(",
"cur",
",",
"query",
",",
"args",
")"... | Get a list of all READY namespace IDs. | [
"Get",
"a",
"list",
"of",
"all",
"READY",
"namespace",
"IDs",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L2546-L2559 |
244,556 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_get_all_preordered_namespace_hashes | def namedb_get_all_preordered_namespace_hashes( cur, current_block ):
"""
Get a list of all preordered namespace hashes that haven't expired yet.
Used for testing
"""
query = "SELECT preorder_hash FROM preorders WHERE op = ? AND block_number >= ? AND block_number < ?;"
args = (NAMESPACE_PREORDER, current_block, current_block + NAMESPACE_PREORDER_EXPIRE )
namespace_rows = namedb_query_execute( cur, query, args )
ret = []
for namespace_row in namespace_rows:
ret.append( namespace_row['preorder_hash'] )
return ret | python | def namedb_get_all_preordered_namespace_hashes( cur, current_block ):
query = "SELECT preorder_hash FROM preorders WHERE op = ? AND block_number >= ? AND block_number < ?;"
args = (NAMESPACE_PREORDER, current_block, current_block + NAMESPACE_PREORDER_EXPIRE )
namespace_rows = namedb_query_execute( cur, query, args )
ret = []
for namespace_row in namespace_rows:
ret.append( namespace_row['preorder_hash'] )
return ret | [
"def",
"namedb_get_all_preordered_namespace_hashes",
"(",
"cur",
",",
"current_block",
")",
":",
"query",
"=",
"\"SELECT preorder_hash FROM preorders WHERE op = ? AND block_number >= ? AND block_number < ?;\"",
"args",
"=",
"(",
"NAMESPACE_PREORDER",
",",
"current_block",
",",
"c... | Get a list of all preordered namespace hashes that haven't expired yet.
Used for testing | [
"Get",
"a",
"list",
"of",
"all",
"preordered",
"namespace",
"hashes",
"that",
"haven",
"t",
"expired",
"yet",
".",
"Used",
"for",
"testing"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L2562-L2575 |
244,557 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_get_all_revealed_namespace_ids | def namedb_get_all_revealed_namespace_ids( self, current_block ):
"""
Get all non-expired revealed namespaces.
"""
query = "SELECT namespace_id FROM namespaces WHERE op = ? AND reveal_block < ?;"
args = (NAMESPACE_REVEAL, current_block + NAMESPACE_REVEAL_EXPIRE )
namespace_rows = namedb_query_execute( cur, query, args )
ret = []
for namespace_row in namespace_rows:
ret.append( namespace_row['namespace_id'] )
return ret | python | def namedb_get_all_revealed_namespace_ids( self, current_block ):
query = "SELECT namespace_id FROM namespaces WHERE op = ? AND reveal_block < ?;"
args = (NAMESPACE_REVEAL, current_block + NAMESPACE_REVEAL_EXPIRE )
namespace_rows = namedb_query_execute( cur, query, args )
ret = []
for namespace_row in namespace_rows:
ret.append( namespace_row['namespace_id'] )
return ret | [
"def",
"namedb_get_all_revealed_namespace_ids",
"(",
"self",
",",
"current_block",
")",
":",
"query",
"=",
"\"SELECT namespace_id FROM namespaces WHERE op = ? AND reveal_block < ?;\"",
"args",
"=",
"(",
"NAMESPACE_REVEAL",
",",
"current_block",
"+",
"NAMESPACE_REVEAL_EXPIRE",
"... | Get all non-expired revealed namespaces. | [
"Get",
"all",
"non",
"-",
"expired",
"revealed",
"namespaces",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L2578-L2591 |
244,558 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_get_all_importing_namespace_hashes | def namedb_get_all_importing_namespace_hashes( self, current_block ):
"""
Get the list of all non-expired preordered and revealed namespace hashes.
"""
query = "SELECT preorder_hash FROM namespaces WHERE (op = ? AND reveal_block < ?) OR (op = ? AND block_number < ?);"
args = (NAMESPACE_REVEAL, current_block + NAMESPACE_REVEAL_EXPIRE, NAMESPACE_PREORDER, current_block + NAMESPACE_PREORDER_EXPIRE )
namespace_rows = namedb_query_execute( cur, query, args )
ret = []
for namespace_row in namespace_rows:
ret.append( namespace_row['preorder_hash'] )
return ret | python | def namedb_get_all_importing_namespace_hashes( self, current_block ):
query = "SELECT preorder_hash FROM namespaces WHERE (op = ? AND reveal_block < ?) OR (op = ? AND block_number < ?);"
args = (NAMESPACE_REVEAL, current_block + NAMESPACE_REVEAL_EXPIRE, NAMESPACE_PREORDER, current_block + NAMESPACE_PREORDER_EXPIRE )
namespace_rows = namedb_query_execute( cur, query, args )
ret = []
for namespace_row in namespace_rows:
ret.append( namespace_row['preorder_hash'] )
return ret | [
"def",
"namedb_get_all_importing_namespace_hashes",
"(",
"self",
",",
"current_block",
")",
":",
"query",
"=",
"\"SELECT preorder_hash FROM namespaces WHERE (op = ? AND reveal_block < ?) OR (op = ? AND block_number < ?);\"",
"args",
"=",
"(",
"NAMESPACE_REVEAL",
",",
"current_block",... | Get the list of all non-expired preordered and revealed namespace hashes. | [
"Get",
"the",
"list",
"of",
"all",
"non",
"-",
"expired",
"preordered",
"and",
"revealed",
"namespace",
"hashes",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L2594-L2607 |
244,559 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_get_names_by_sender | def namedb_get_names_by_sender( cur, sender, current_block ):
"""
Given a sender pubkey script, find all the non-expired non-revoked names owned by it.
Return None if the sender owns no names.
"""
unexpired_query, unexpired_args = namedb_select_where_unexpired_names( current_block )
query = "SELECT name_records.name FROM name_records JOIN namespaces ON name_records.namespace_id = namespaces.namespace_id " + \
"WHERE name_records.sender = ? AND name_records.revoked = 0 AND " + unexpired_query + ";"
args = (sender,) + unexpired_args
name_rows = namedb_query_execute( cur, query, args )
names = []
for name_row in name_rows:
names.append( name_row['name'] )
return names | python | def namedb_get_names_by_sender( cur, sender, current_block ):
unexpired_query, unexpired_args = namedb_select_where_unexpired_names( current_block )
query = "SELECT name_records.name FROM name_records JOIN namespaces ON name_records.namespace_id = namespaces.namespace_id " + \
"WHERE name_records.sender = ? AND name_records.revoked = 0 AND " + unexpired_query + ";"
args = (sender,) + unexpired_args
name_rows = namedb_query_execute( cur, query, args )
names = []
for name_row in name_rows:
names.append( name_row['name'] )
return names | [
"def",
"namedb_get_names_by_sender",
"(",
"cur",
",",
"sender",
",",
"current_block",
")",
":",
"unexpired_query",
",",
"unexpired_args",
"=",
"namedb_select_where_unexpired_names",
"(",
"current_block",
")",
"query",
"=",
"\"SELECT name_records.name FROM name_records JOIN na... | Given a sender pubkey script, find all the non-expired non-revoked names owned by it.
Return None if the sender owns no names. | [
"Given",
"a",
"sender",
"pubkey",
"script",
"find",
"all",
"the",
"non",
"-",
"expired",
"non",
"-",
"revoked",
"names",
"owned",
"by",
"it",
".",
"Return",
"None",
"if",
"the",
"sender",
"owns",
"no",
"names",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L2610-L2629 |
244,560 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_get_namespace_preorder | def namedb_get_namespace_preorder( db, namespace_preorder_hash, current_block ):
"""
Get a namespace preorder, given its hash.
Return the preorder record on success.
Return None if not found, or if it expired, or if the namespace was revealed or readied.
"""
cur = db.cursor()
select_query = "SELECT * FROM preorders WHERE preorder_hash = ? AND op = ? AND block_number < ?;"
args = (namespace_preorder_hash, NAMESPACE_PREORDER, current_block + NAMESPACE_PREORDER_EXPIRE)
preorder_rows = namedb_query_execute( cur, select_query, args )
preorder_row = preorder_rows.fetchone()
if preorder_row is None:
# no such preorder
return None
preorder_rec = {}
preorder_rec.update( preorder_row )
# make sure that the namespace doesn't already exist
cur = db.cursor()
select_query = "SELECT preorder_hash FROM namespaces WHERE preorder_hash = ? AND ((op = ?) OR (op = ? AND reveal_block < ?));"
args = (namespace_preorder_hash, NAMESPACE_READY, NAMESPACE_REVEAL, current_block + NAMESPACE_REVEAL_EXPIRE)
ns_rows = namedb_query_execute( cur, select_query, args )
ns_row = ns_rows.fetchone()
if ns_row is not None:
# exists
return None
return preorder_rec | python | def namedb_get_namespace_preorder( db, namespace_preorder_hash, current_block ):
cur = db.cursor()
select_query = "SELECT * FROM preorders WHERE preorder_hash = ? AND op = ? AND block_number < ?;"
args = (namespace_preorder_hash, NAMESPACE_PREORDER, current_block + NAMESPACE_PREORDER_EXPIRE)
preorder_rows = namedb_query_execute( cur, select_query, args )
preorder_row = preorder_rows.fetchone()
if preorder_row is None:
# no such preorder
return None
preorder_rec = {}
preorder_rec.update( preorder_row )
# make sure that the namespace doesn't already exist
cur = db.cursor()
select_query = "SELECT preorder_hash FROM namespaces WHERE preorder_hash = ? AND ((op = ?) OR (op = ? AND reveal_block < ?));"
args = (namespace_preorder_hash, NAMESPACE_READY, NAMESPACE_REVEAL, current_block + NAMESPACE_REVEAL_EXPIRE)
ns_rows = namedb_query_execute( cur, select_query, args )
ns_row = ns_rows.fetchone()
if ns_row is not None:
# exists
return None
return preorder_rec | [
"def",
"namedb_get_namespace_preorder",
"(",
"db",
",",
"namespace_preorder_hash",
",",
"current_block",
")",
":",
"cur",
"=",
"db",
".",
"cursor",
"(",
")",
"select_query",
"=",
"\"SELECT * FROM preorders WHERE preorder_hash = ? AND op = ? AND block_number < ?;\"",
"args",
... | Get a namespace preorder, given its hash.
Return the preorder record on success.
Return None if not found, or if it expired, or if the namespace was revealed or readied. | [
"Get",
"a",
"namespace",
"preorder",
"given",
"its",
"hash",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L2676-L2708 |
244,561 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_get_namespace_ready | def namedb_get_namespace_ready( cur, namespace_id, include_history=True ):
"""
Get a ready namespace, and optionally its history.
Only return a namespace if it is ready.
"""
select_query = "SELECT * FROM namespaces WHERE namespace_id = ? AND op = ?;"
namespace_rows = namedb_query_execute( cur, select_query, (namespace_id, NAMESPACE_READY))
namespace_row = namespace_rows.fetchone()
if namespace_row is None:
# no such namespace
return None
namespace = {}
namespace.update( namespace_row )
if include_history:
hist = namedb_get_history( cur, namespace_id )
namespace['history'] = hist
namespace = op_decanonicalize('NAMESPACE_READY', namespace)
return namespace | python | def namedb_get_namespace_ready( cur, namespace_id, include_history=True ):
select_query = "SELECT * FROM namespaces WHERE namespace_id = ? AND op = ?;"
namespace_rows = namedb_query_execute( cur, select_query, (namespace_id, NAMESPACE_READY))
namespace_row = namespace_rows.fetchone()
if namespace_row is None:
# no such namespace
return None
namespace = {}
namespace.update( namespace_row )
if include_history:
hist = namedb_get_history( cur, namespace_id )
namespace['history'] = hist
namespace = op_decanonicalize('NAMESPACE_READY', namespace)
return namespace | [
"def",
"namedb_get_namespace_ready",
"(",
"cur",
",",
"namespace_id",
",",
"include_history",
"=",
"True",
")",
":",
"select_query",
"=",
"\"SELECT * FROM namespaces WHERE namespace_id = ? AND op = ?;\"",
"namespace_rows",
"=",
"namedb_query_execute",
"(",
"cur",
",",
"sele... | Get a ready namespace, and optionally its history.
Only return a namespace if it is ready. | [
"Get",
"a",
"ready",
"namespace",
"and",
"optionally",
"its",
"history",
".",
"Only",
"return",
"a",
"namespace",
"if",
"it",
"is",
"ready",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L2740-L2762 |
244,562 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_get_name_from_name_hash128 | def namedb_get_name_from_name_hash128( cur, name_hash128, block_number ):
"""
Given the hexlified 128-bit hash of a name, get the name.
"""
unexpired_query, unexpired_args = namedb_select_where_unexpired_names( block_number )
select_query = "SELECT name FROM name_records JOIN namespaces ON name_records.namespace_id = namespaces.namespace_id " + \
"WHERE name_hash128 = ? AND revoked = 0 AND " + unexpired_query + ";"
args = (name_hash128,) + unexpired_args
name_rows = namedb_query_execute( cur, select_query, args )
name_row = name_rows.fetchone()
if name_row is None:
# no such namespace
return None
return name_row['name'] | python | def namedb_get_name_from_name_hash128( cur, name_hash128, block_number ):
unexpired_query, unexpired_args = namedb_select_where_unexpired_names( block_number )
select_query = "SELECT name FROM name_records JOIN namespaces ON name_records.namespace_id = namespaces.namespace_id " + \
"WHERE name_hash128 = ? AND revoked = 0 AND " + unexpired_query + ";"
args = (name_hash128,) + unexpired_args
name_rows = namedb_query_execute( cur, select_query, args )
name_row = name_rows.fetchone()
if name_row is None:
# no such namespace
return None
return name_row['name'] | [
"def",
"namedb_get_name_from_name_hash128",
"(",
"cur",
",",
"name_hash128",
",",
"block_number",
")",
":",
"unexpired_query",
",",
"unexpired_args",
"=",
"namedb_select_where_unexpired_names",
"(",
"block_number",
")",
"select_query",
"=",
"\"SELECT name FROM name_records JO... | Given the hexlified 128-bit hash of a name, get the name. | [
"Given",
"the",
"hexlified",
"128",
"-",
"bit",
"hash",
"of",
"a",
"name",
"get",
"the",
"name",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L2765-L2783 |
244,563 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_get_names_with_value_hash | def namedb_get_names_with_value_hash( cur, value_hash, block_number ):
"""
Get the names with the given value hash. Only includes current, non-revoked names.
Return None if there are no names.
"""
unexpired_query, unexpired_args = namedb_select_where_unexpired_names( block_number )
select_query = "SELECT name FROM name_records JOIN namespaces ON name_records.namespace_id = namespaces.namespace_id " + \
"WHERE value_hash = ? AND revoked = 0 AND " + unexpired_query + ";"
args = (value_hash,) + unexpired_args
name_rows = namedb_query_execute( cur, select_query, args )
names = []
for name_row in name_rows:
names.append( name_row['name'] )
if len(names) == 0:
return None
else:
return names | python | def namedb_get_names_with_value_hash( cur, value_hash, block_number ):
unexpired_query, unexpired_args = namedb_select_where_unexpired_names( block_number )
select_query = "SELECT name FROM name_records JOIN namespaces ON name_records.namespace_id = namespaces.namespace_id " + \
"WHERE value_hash = ? AND revoked = 0 AND " + unexpired_query + ";"
args = (value_hash,) + unexpired_args
name_rows = namedb_query_execute( cur, select_query, args )
names = []
for name_row in name_rows:
names.append( name_row['name'] )
if len(names) == 0:
return None
else:
return names | [
"def",
"namedb_get_names_with_value_hash",
"(",
"cur",
",",
"value_hash",
",",
"block_number",
")",
":",
"unexpired_query",
",",
"unexpired_args",
"=",
"namedb_select_where_unexpired_names",
"(",
"block_number",
")",
"select_query",
"=",
"\"SELECT name FROM name_records JOIN ... | Get the names with the given value hash. Only includes current, non-revoked names.
Return None if there are no names. | [
"Get",
"the",
"names",
"with",
"the",
"given",
"value",
"hash",
".",
"Only",
"includes",
"current",
"non",
"-",
"revoked",
"names",
".",
"Return",
"None",
"if",
"there",
"are",
"no",
"names",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L2786-L2806 |
244,564 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_get_value_hash_txids | def namedb_get_value_hash_txids(cur, value_hash):
"""
Get the list of txs that sent this value hash, ordered by block and vtxindex
"""
query = 'SELECT txid FROM history WHERE value_hash = ? ORDER BY block_id,vtxindex;'
args = (value_hash,)
rows = namedb_query_execute(cur, query, args)
txids = []
for r in rows:
# present
txid = str(r['txid'])
txids.append(txid)
return txids | python | def namedb_get_value_hash_txids(cur, value_hash):
query = 'SELECT txid FROM history WHERE value_hash = ? ORDER BY block_id,vtxindex;'
args = (value_hash,)
rows = namedb_query_execute(cur, query, args)
txids = []
for r in rows:
# present
txid = str(r['txid'])
txids.append(txid)
return txids | [
"def",
"namedb_get_value_hash_txids",
"(",
"cur",
",",
"value_hash",
")",
":",
"query",
"=",
"'SELECT txid FROM history WHERE value_hash = ? ORDER BY block_id,vtxindex;'",
"args",
"=",
"(",
"value_hash",
",",
")",
"rows",
"=",
"namedb_query_execute",
"(",
"cur",
",",
"q... | Get the list of txs that sent this value hash, ordered by block and vtxindex | [
"Get",
"the",
"list",
"of",
"txs",
"that",
"sent",
"this",
"value",
"hash",
"ordered",
"by",
"block",
"and",
"vtxindex"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L2809-L2824 |
244,565 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_get_num_block_vtxs | def namedb_get_num_block_vtxs( cur, block_number ):
"""
How many virtual transactions were processed for this block?
"""
select_query = "SELECT vtxindex FROM history WHERE history_id = ?;"
args = (block_number,)
rows = namedb_query_execute( cur, select_query, args )
count = 0
for r in rows:
count += 1
return count | python | def namedb_get_num_block_vtxs( cur, block_number ):
select_query = "SELECT vtxindex FROM history WHERE history_id = ?;"
args = (block_number,)
rows = namedb_query_execute( cur, select_query, args )
count = 0
for r in rows:
count += 1
return count | [
"def",
"namedb_get_num_block_vtxs",
"(",
"cur",
",",
"block_number",
")",
":",
"select_query",
"=",
"\"SELECT vtxindex FROM history WHERE history_id = ?;\"",
"args",
"=",
"(",
"block_number",
",",
")",
"rows",
"=",
"namedb_query_execute",
"(",
"cur",
",",
"select_query"... | How many virtual transactions were processed for this block? | [
"How",
"many",
"virtual",
"transactions",
"were",
"processed",
"for",
"this",
"block?"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L2827-L2839 |
244,566 | blockstack/blockstack-core | blockstack/lib/nameset/db.py | namedb_is_name_zonefile_hash | def namedb_is_name_zonefile_hash(cur, name, zonefile_hash):
"""
Determine if a zone file hash was sent by a name.
Return True if so, false if not
"""
select_query = 'SELECT COUNT(value_hash) FROM history WHERE history_id = ? AND value_hash = ?'
select_args = (name,zonefile_hash)
rows = namedb_query_execute(cur, select_query, select_args)
count = None
for r in rows:
count = r['COUNT(value_hash)']
break
return count > 0 | python | def namedb_is_name_zonefile_hash(cur, name, zonefile_hash):
select_query = 'SELECT COUNT(value_hash) FROM history WHERE history_id = ? AND value_hash = ?'
select_args = (name,zonefile_hash)
rows = namedb_query_execute(cur, select_query, select_args)
count = None
for r in rows:
count = r['COUNT(value_hash)']
break
return count > 0 | [
"def",
"namedb_is_name_zonefile_hash",
"(",
"cur",
",",
"name",
",",
"zonefile_hash",
")",
":",
"select_query",
"=",
"'SELECT COUNT(value_hash) FROM history WHERE history_id = ? AND value_hash = ?'",
"select_args",
"=",
"(",
"name",
",",
"zonefile_hash",
")",
"rows",
"=",
... | Determine if a zone file hash was sent by a name.
Return True if so, false if not | [
"Determine",
"if",
"a",
"zone",
"file",
"hash",
"was",
"sent",
"by",
"a",
"name",
".",
"Return",
"True",
"if",
"so",
"false",
"if",
"not"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/nameset/db.py#L2842-L2857 |
244,567 | blockstack/blockstack-core | blockstack/lib/operations/announce.py | process_announcement | def process_announcement( sender_namerec, op, working_dir ):
"""
If the announcement is valid, then immediately record it.
"""
node_config = get_blockstack_opts()
# valid announcement
announce_hash = op['message_hash']
announcer_id = op['announcer_id']
# verify that it came from this individual
name_history = sender_namerec['history']
allowed_value_hashes = []
for block_height in name_history.keys():
for historic_namerec in name_history[block_height]:
if historic_namerec.get('value_hash'):
allowed_value_hashes.append(historic_namerec['value_hash'])
if announce_hash not in allowed_value_hashes:
# this individual did not send this announcement
log.warning("Announce hash {} not found in name history for {}".format(announce_hash, announcer_id))
return
# go get it from Atlas
zonefiles_dir = node_config.get('zonefiles', None)
if not zonefiles_dir:
log.warning("This node does not store zone files, so no announcement can be found")
return
announce_text = get_atlas_zonefile_data(announce_hash, zonefiles_dir)
if announce_text is None:
log.warning("No zone file {} found".format(announce_hash))
return
# go append it
log.critical("ANNOUNCEMENT (from %s): %s\n------BEGIN MESSAGE------\n%s\n------END MESSAGE------\n" % (announcer_id, announce_hash, announce_text))
store_announcement( working_dir, announce_hash, announce_text ) | python | def process_announcement( sender_namerec, op, working_dir ):
node_config = get_blockstack_opts()
# valid announcement
announce_hash = op['message_hash']
announcer_id = op['announcer_id']
# verify that it came from this individual
name_history = sender_namerec['history']
allowed_value_hashes = []
for block_height in name_history.keys():
for historic_namerec in name_history[block_height]:
if historic_namerec.get('value_hash'):
allowed_value_hashes.append(historic_namerec['value_hash'])
if announce_hash not in allowed_value_hashes:
# this individual did not send this announcement
log.warning("Announce hash {} not found in name history for {}".format(announce_hash, announcer_id))
return
# go get it from Atlas
zonefiles_dir = node_config.get('zonefiles', None)
if not zonefiles_dir:
log.warning("This node does not store zone files, so no announcement can be found")
return
announce_text = get_atlas_zonefile_data(announce_hash, zonefiles_dir)
if announce_text is None:
log.warning("No zone file {} found".format(announce_hash))
return
# go append it
log.critical("ANNOUNCEMENT (from %s): %s\n------BEGIN MESSAGE------\n%s\n------END MESSAGE------\n" % (announcer_id, announce_hash, announce_text))
store_announcement( working_dir, announce_hash, announce_text ) | [
"def",
"process_announcement",
"(",
"sender_namerec",
",",
"op",
",",
"working_dir",
")",
":",
"node_config",
"=",
"get_blockstack_opts",
"(",
")",
"# valid announcement",
"announce_hash",
"=",
"op",
"[",
"'message_hash'",
"]",
"announcer_id",
"=",
"op",
"[",
"'an... | If the announcement is valid, then immediately record it. | [
"If",
"the",
"announcement",
"is",
"valid",
"then",
"immediately",
"record",
"it",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/operations/announce.py#L39-L75 |
244,568 | blockstack/blockstack-core | blockstack/lib/operations/announce.py | check | def check( state_engine, nameop, block_id, checked_ops ):
"""
Log an announcement from the blockstack developers,
but first verify that it is correct.
Return True if the announcement came from the announce IDs whitelist
Return False otherwise
"""
sender = nameop['sender']
sending_blockchain_id = None
found = False
blockchain_namerec = None
for blockchain_id in state_engine.get_announce_ids():
blockchain_namerec = state_engine.get_name( blockchain_id )
if blockchain_namerec is None:
# this name doesn't exist yet, or is expired or revoked
continue
if str(sender) == str(blockchain_namerec['sender']):
# yup!
found = True
sending_blockchain_id = blockchain_id
break
if not found:
log.warning("Announcement not sent from our whitelist of blockchain IDs")
return False
nameop['announcer_id'] = sending_blockchain_id
process_announcement( blockchain_namerec, nameop, state_engine.working_dir )
return True | python | def check( state_engine, nameop, block_id, checked_ops ):
sender = nameop['sender']
sending_blockchain_id = None
found = False
blockchain_namerec = None
for blockchain_id in state_engine.get_announce_ids():
blockchain_namerec = state_engine.get_name( blockchain_id )
if blockchain_namerec is None:
# this name doesn't exist yet, or is expired or revoked
continue
if str(sender) == str(blockchain_namerec['sender']):
# yup!
found = True
sending_blockchain_id = blockchain_id
break
if not found:
log.warning("Announcement not sent from our whitelist of blockchain IDs")
return False
nameop['announcer_id'] = sending_blockchain_id
process_announcement( blockchain_namerec, nameop, state_engine.working_dir )
return True | [
"def",
"check",
"(",
"state_engine",
",",
"nameop",
",",
"block_id",
",",
"checked_ops",
")",
":",
"sender",
"=",
"nameop",
"[",
"'sender'",
"]",
"sending_blockchain_id",
"=",
"None",
"found",
"=",
"False",
"blockchain_namerec",
"=",
"None",
"for",
"blockchain... | Log an announcement from the blockstack developers,
but first verify that it is correct.
Return True if the announcement came from the announce IDs whitelist
Return False otherwise | [
"Log",
"an",
"announcement",
"from",
"the",
"blockstack",
"developers",
"but",
"first",
"verify",
"that",
"it",
"is",
"correct",
".",
"Return",
"True",
"if",
"the",
"announcement",
"came",
"from",
"the",
"announce",
"IDs",
"whitelist",
"Return",
"False",
"othe... | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/operations/announce.py#L157-L188 |
244,569 | blockstack/blockstack-core | blockstack/lib/snv.py | get_bitcoind_client | def get_bitcoind_client():
"""
Connect to the bitcoind node
"""
bitcoind_opts = get_bitcoin_opts()
bitcoind_host = bitcoind_opts['bitcoind_server']
bitcoind_port = bitcoind_opts['bitcoind_port']
bitcoind_user = bitcoind_opts['bitcoind_user']
bitcoind_passwd = bitcoind_opts['bitcoind_passwd']
return create_bitcoind_service_proxy(bitcoind_user, bitcoind_passwd, server=bitcoind_host, port=bitcoind_port) | python | def get_bitcoind_client():
bitcoind_opts = get_bitcoin_opts()
bitcoind_host = bitcoind_opts['bitcoind_server']
bitcoind_port = bitcoind_opts['bitcoind_port']
bitcoind_user = bitcoind_opts['bitcoind_user']
bitcoind_passwd = bitcoind_opts['bitcoind_passwd']
return create_bitcoind_service_proxy(bitcoind_user, bitcoind_passwd, server=bitcoind_host, port=bitcoind_port) | [
"def",
"get_bitcoind_client",
"(",
")",
":",
"bitcoind_opts",
"=",
"get_bitcoin_opts",
"(",
")",
"bitcoind_host",
"=",
"bitcoind_opts",
"[",
"'bitcoind_server'",
"]",
"bitcoind_port",
"=",
"bitcoind_opts",
"[",
"'bitcoind_port'",
"]",
"bitcoind_user",
"=",
"bitcoind_o... | Connect to the bitcoind node | [
"Connect",
"to",
"the",
"bitcoind",
"node"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/snv.py#L58-L68 |
244,570 | blockstack/blockstack-core | blockstack/lib/snv.py | txid_to_block_data | def txid_to_block_data(txid, bitcoind_proxy, proxy=None):
"""
Given a txid, get its block's data.
Use SPV to verify the information we receive from the (untrusted)
bitcoind host.
@bitcoind_proxy must be a BitcoindConnection (from virtualchain.lib.session)
Return the (block hash, block data, txdata) on success
Return (None, None, None) on error
"""
proxy = get_default_proxy() if proxy is None else proxy
timeout = 1.0
while True:
try:
untrusted_tx_data = bitcoind_proxy.getrawtransaction(txid, 1)
untrusted_block_hash = untrusted_tx_data['blockhash']
untrusted_block_data = bitcoind_proxy.getblock(untrusted_block_hash)
break
except (OSError, IOError) as ie:
log.exception(ie)
log.error('Network error; retrying...')
timeout = timeout * 2 + random.randint(0, timeout)
continue
except Exception as e:
log.exception(e)
return None, None, None
bitcoind_opts = get_bitcoin_opts()
spv_headers_path = bitcoind_opts['bitcoind_spv_path']
# first, can we trust this block? is it in the SPV headers?
untrusted_block_header_hex = virtualchain.block_header_to_hex(
untrusted_block_data, untrusted_block_data['previousblockhash']
)
block_id = SPVClient.block_header_index(
spv_headers_path,
('{}00'.format(untrusted_block_header_hex)).decode('hex')
)
if block_id < 0:
# bad header
log.error('Block header "{}" is not in the SPV headers ({})'.format(
untrusted_block_header_hex, spv_headers_path
))
return None, None, None
# block header is trusted. Is the transaction data consistent with it?
verified_block_header = virtualchain.block_verify(untrusted_block_data)
if not verified_block_header:
msg = (
'Block transaction IDs are not consistent '
'with the Merkle root of the trusted header'
)
log.error(msg)
return None, None, None
# verify block hash
verified_block_hash = virtualchain.block_header_verify(
untrusted_block_data, untrusted_block_data['previousblockhash'], untrusted_block_hash
)
if not verified_block_hash:
log.error('Block hash is not consistent with block header')
return None, None, None
# we trust the block hash, block data, and txids
block_hash = untrusted_block_hash
block_data = untrusted_block_data
tx_data = untrusted_tx_data
return block_hash, block_data, tx_data | python | def txid_to_block_data(txid, bitcoind_proxy, proxy=None):
proxy = get_default_proxy() if proxy is None else proxy
timeout = 1.0
while True:
try:
untrusted_tx_data = bitcoind_proxy.getrawtransaction(txid, 1)
untrusted_block_hash = untrusted_tx_data['blockhash']
untrusted_block_data = bitcoind_proxy.getblock(untrusted_block_hash)
break
except (OSError, IOError) as ie:
log.exception(ie)
log.error('Network error; retrying...')
timeout = timeout * 2 + random.randint(0, timeout)
continue
except Exception as e:
log.exception(e)
return None, None, None
bitcoind_opts = get_bitcoin_opts()
spv_headers_path = bitcoind_opts['bitcoind_spv_path']
# first, can we trust this block? is it in the SPV headers?
untrusted_block_header_hex = virtualchain.block_header_to_hex(
untrusted_block_data, untrusted_block_data['previousblockhash']
)
block_id = SPVClient.block_header_index(
spv_headers_path,
('{}00'.format(untrusted_block_header_hex)).decode('hex')
)
if block_id < 0:
# bad header
log.error('Block header "{}" is not in the SPV headers ({})'.format(
untrusted_block_header_hex, spv_headers_path
))
return None, None, None
# block header is trusted. Is the transaction data consistent with it?
verified_block_header = virtualchain.block_verify(untrusted_block_data)
if not verified_block_header:
msg = (
'Block transaction IDs are not consistent '
'with the Merkle root of the trusted header'
)
log.error(msg)
return None, None, None
# verify block hash
verified_block_hash = virtualchain.block_header_verify(
untrusted_block_data, untrusted_block_data['previousblockhash'], untrusted_block_hash
)
if not verified_block_hash:
log.error('Block hash is not consistent with block header')
return None, None, None
# we trust the block hash, block data, and txids
block_hash = untrusted_block_hash
block_data = untrusted_block_data
tx_data = untrusted_tx_data
return block_hash, block_data, tx_data | [
"def",
"txid_to_block_data",
"(",
"txid",
",",
"bitcoind_proxy",
",",
"proxy",
"=",
"None",
")",
":",
"proxy",
"=",
"get_default_proxy",
"(",
")",
"if",
"proxy",
"is",
"None",
"else",
"proxy",
"timeout",
"=",
"1.0",
"while",
"True",
":",
"try",
":",
"unt... | Given a txid, get its block's data.
Use SPV to verify the information we receive from the (untrusted)
bitcoind host.
@bitcoind_proxy must be a BitcoindConnection (from virtualchain.lib.session)
Return the (block hash, block data, txdata) on success
Return (None, None, None) on error | [
"Given",
"a",
"txid",
"get",
"its",
"block",
"s",
"data",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/snv.py#L71-L150 |
244,571 | blockstack/blockstack-core | blockstack/lib/snv.py | get_consensus_hash_from_tx | def get_consensus_hash_from_tx(tx):
"""
Given an SPV-verified transaction, extract its consensus hash.
Only works of the tx encodes a NAME_PREORDER, NAMESPACE_PREORDER,
or NAME_TRANSFER.
Return hex-encoded consensus hash on success.
Return None on error.
"""
opcode, payload = parse_tx_op_return(tx)
if opcode is None or payload is None:
return None
# only present in NAME_PREORDER, NAMESPACE_PREORDER, NAME_TRANSFER
if opcode in [NAME_PREORDER, NAMESPACE_PREORDER, NAME_TRANSFER]:
consensus_hash = payload[-16:].encode('hex')
return consensus_hash
msg = (
'Blockchain ID transaction is not a '
'NAME_PREORDER, NAMESPACE_PROERDER or NAME_TRANSFER'
)
log.error(msg)
return None | python | def get_consensus_hash_from_tx(tx):
opcode, payload = parse_tx_op_return(tx)
if opcode is None or payload is None:
return None
# only present in NAME_PREORDER, NAMESPACE_PREORDER, NAME_TRANSFER
if opcode in [NAME_PREORDER, NAMESPACE_PREORDER, NAME_TRANSFER]:
consensus_hash = payload[-16:].encode('hex')
return consensus_hash
msg = (
'Blockchain ID transaction is not a '
'NAME_PREORDER, NAMESPACE_PROERDER or NAME_TRANSFER'
)
log.error(msg)
return None | [
"def",
"get_consensus_hash_from_tx",
"(",
"tx",
")",
":",
"opcode",
",",
"payload",
"=",
"parse_tx_op_return",
"(",
"tx",
")",
"if",
"opcode",
"is",
"None",
"or",
"payload",
"is",
"None",
":",
"return",
"None",
"# only present in NAME_PREORDER, NAMESPACE_PREORDER, N... | Given an SPV-verified transaction, extract its consensus hash.
Only works of the tx encodes a NAME_PREORDER, NAMESPACE_PREORDER,
or NAME_TRANSFER.
Return hex-encoded consensus hash on success.
Return None on error. | [
"Given",
"an",
"SPV",
"-",
"verified",
"transaction",
"extract",
"its",
"consensus",
"hash",
".",
"Only",
"works",
"of",
"the",
"tx",
"encodes",
"a",
"NAME_PREORDER",
"NAMESPACE_PREORDER",
"or",
"NAME_TRANSFER",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/snv.py#L278-L304 |
244,572 | blockstack/blockstack-core | blockstack/lib/client.py | json_is_exception | def json_is_exception(resp):
"""
Is the given response object
an exception traceback?
Return True if so
Return False if not
"""
if not json_is_error(resp):
return False
if 'traceback' not in resp.keys() or 'error' not in resp.keys():
return False
return True | python | def json_is_exception(resp):
if not json_is_error(resp):
return False
if 'traceback' not in resp.keys() or 'error' not in resp.keys():
return False
return True | [
"def",
"json_is_exception",
"(",
"resp",
")",
":",
"if",
"not",
"json_is_error",
"(",
"resp",
")",
":",
"return",
"False",
"if",
"'traceback'",
"not",
"in",
"resp",
".",
"keys",
"(",
")",
"or",
"'error'",
"not",
"in",
"resp",
".",
"keys",
"(",
")",
"... | Is the given response object
an exception traceback?
Return True if so
Return False if not | [
"Is",
"the",
"given",
"response",
"object",
"an",
"exception",
"traceback?"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/client.py#L240-L254 |
244,573 | blockstack/blockstack-core | blockstack/lib/client.py | put_zonefiles | def put_zonefiles(hostport, zonefile_data_list, timeout=30, my_hostport=None, proxy=None):
"""
Push one or more zonefiles to the given server.
Each zone file in the list must be base64-encoded
Return {'status': True, 'saved': [...]} on success
Return {'error': ...} on error
"""
assert hostport or proxy, 'need either hostport or proxy'
saved_schema = {
'type': 'object',
'properties': {
'saved': {
'type': 'array',
'items': {
'type': 'integer',
'minimum': 0,
'maximum': 1,
},
'minItems': len(zonefile_data_list),
'maxItems': len(zonefile_data_list)
},
},
'required': [
'saved'
]
}
schema = json_response_schema( saved_schema )
if proxy is None:
proxy = connect_hostport(hostport)
push_info = None
try:
push_info = proxy.put_zonefiles(zonefile_data_list)
push_info = json_validate(schema, push_info)
if json_is_error(push_info):
return push_info
except socket.timeout:
log.error("Connection timed out")
resp = {'error': 'Connection to remote host timed out.', 'http_status': 503}
return resp
except socket.error as se:
log.error("Connection error {}".format(se.errno))
resp = {'error': 'Connection to remote host failed.', 'http_status': 502}
return resp
except ValidationError as e:
if BLOCKSTACK_DEBUG:
log.exception(e)
resp = {'error': 'Server response did not match expected schema. You are likely communicating with an out-of-date Blockstack node.', 'http_status': 502}
return resp
except Exception as ee:
if BLOCKSTACK_DEBUG:
log.exception(ee)
log.error("Caught exception while connecting to Blockstack node: {}".format(ee))
resp = {'error': 'Failed to contact Blockstack node. Try again with `--debug`.', 'http_status': 500}
return resp
return push_info | python | def put_zonefiles(hostport, zonefile_data_list, timeout=30, my_hostport=None, proxy=None):
assert hostport or proxy, 'need either hostport or proxy'
saved_schema = {
'type': 'object',
'properties': {
'saved': {
'type': 'array',
'items': {
'type': 'integer',
'minimum': 0,
'maximum': 1,
},
'minItems': len(zonefile_data_list),
'maxItems': len(zonefile_data_list)
},
},
'required': [
'saved'
]
}
schema = json_response_schema( saved_schema )
if proxy is None:
proxy = connect_hostport(hostport)
push_info = None
try:
push_info = proxy.put_zonefiles(zonefile_data_list)
push_info = json_validate(schema, push_info)
if json_is_error(push_info):
return push_info
except socket.timeout:
log.error("Connection timed out")
resp = {'error': 'Connection to remote host timed out.', 'http_status': 503}
return resp
except socket.error as se:
log.error("Connection error {}".format(se.errno))
resp = {'error': 'Connection to remote host failed.', 'http_status': 502}
return resp
except ValidationError as e:
if BLOCKSTACK_DEBUG:
log.exception(e)
resp = {'error': 'Server response did not match expected schema. You are likely communicating with an out-of-date Blockstack node.', 'http_status': 502}
return resp
except Exception as ee:
if BLOCKSTACK_DEBUG:
log.exception(ee)
log.error("Caught exception while connecting to Blockstack node: {}".format(ee))
resp = {'error': 'Failed to contact Blockstack node. Try again with `--debug`.', 'http_status': 500}
return resp
return push_info | [
"def",
"put_zonefiles",
"(",
"hostport",
",",
"zonefile_data_list",
",",
"timeout",
"=",
"30",
",",
"my_hostport",
"=",
"None",
",",
"proxy",
"=",
"None",
")",
":",
"assert",
"hostport",
"or",
"proxy",
",",
"'need either hostport or proxy'",
"saved_schema",
"=",... | Push one or more zonefiles to the given server.
Each zone file in the list must be base64-encoded
Return {'status': True, 'saved': [...]} on success
Return {'error': ...} on error | [
"Push",
"one",
"or",
"more",
"zonefiles",
"to",
"the",
"given",
"server",
".",
"Each",
"zone",
"file",
"in",
"the",
"list",
"must",
"be",
"base64",
"-",
"encoded"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/client.py#L879-L945 |
244,574 | blockstack/blockstack-core | blockstack/lib/client.py | get_zonefiles_by_block | def get_zonefiles_by_block(from_block, to_block, hostport=None, proxy=None):
"""
Get zonefile information for zonefiles announced in [@from_block, @to_block]
Returns { 'last_block' : server's last seen block,
'zonefile_info' : [ { 'zonefile_hash' : '...',
'txid' : '...',
'block_height' : '...' } ] }
"""
assert hostport or proxy, 'need either hostport or proxy'
if proxy is None:
proxy = connect_hostport(hostport)
zonefile_info_schema = {
'type' : 'array',
'items' : {
'type' : 'object',
'properties' : {
'name' : {'type' : 'string'},
'zonefile_hash' : { 'type' : 'string',
'pattern' : OP_ZONEFILE_HASH_PATTERN },
'txid' : {'type' : 'string',
'pattern' : OP_TXID_PATTERN},
'block_height' : {'type' : 'integer'}
},
'required' : [ 'zonefile_hash', 'txid', 'block_height' ]
}
}
response_schema = {
'type' : 'object',
'properties' : {
'lastblock' : {'type' : 'integer'},
'zonefile_info' : zonefile_info_schema
},
'required' : ['lastblock', 'zonefile_info']
}
offset = 0
output_zonefiles = []
last_server_block = 0
resp = {'zonefile_info': []}
while offset == 0 or len(resp['zonefile_info']) > 0:
resp = proxy.get_zonefiles_by_block(from_block, to_block, offset, 100)
if 'error' in resp:
return resp
resp = json_validate(response_schema, resp)
if json_is_error(resp):
return resp
output_zonefiles += resp['zonefile_info']
offset += 100
last_server_block = max(resp['lastblock'], last_server_block)
return { 'last_block' : last_server_block,
'zonefile_info' : output_zonefiles } | python | def get_zonefiles_by_block(from_block, to_block, hostport=None, proxy=None):
assert hostport or proxy, 'need either hostport or proxy'
if proxy is None:
proxy = connect_hostport(hostport)
zonefile_info_schema = {
'type' : 'array',
'items' : {
'type' : 'object',
'properties' : {
'name' : {'type' : 'string'},
'zonefile_hash' : { 'type' : 'string',
'pattern' : OP_ZONEFILE_HASH_PATTERN },
'txid' : {'type' : 'string',
'pattern' : OP_TXID_PATTERN},
'block_height' : {'type' : 'integer'}
},
'required' : [ 'zonefile_hash', 'txid', 'block_height' ]
}
}
response_schema = {
'type' : 'object',
'properties' : {
'lastblock' : {'type' : 'integer'},
'zonefile_info' : zonefile_info_schema
},
'required' : ['lastblock', 'zonefile_info']
}
offset = 0
output_zonefiles = []
last_server_block = 0
resp = {'zonefile_info': []}
while offset == 0 or len(resp['zonefile_info']) > 0:
resp = proxy.get_zonefiles_by_block(from_block, to_block, offset, 100)
if 'error' in resp:
return resp
resp = json_validate(response_schema, resp)
if json_is_error(resp):
return resp
output_zonefiles += resp['zonefile_info']
offset += 100
last_server_block = max(resp['lastblock'], last_server_block)
return { 'last_block' : last_server_block,
'zonefile_info' : output_zonefiles } | [
"def",
"get_zonefiles_by_block",
"(",
"from_block",
",",
"to_block",
",",
"hostport",
"=",
"None",
",",
"proxy",
"=",
"None",
")",
":",
"assert",
"hostport",
"or",
"proxy",
",",
"'need either hostport or proxy'",
"if",
"proxy",
"is",
"None",
":",
"proxy",
"=",... | Get zonefile information for zonefiles announced in [@from_block, @to_block]
Returns { 'last_block' : server's last seen block,
'zonefile_info' : [ { 'zonefile_hash' : '...',
'txid' : '...',
'block_height' : '...' } ] } | [
"Get",
"zonefile",
"information",
"for",
"zonefiles",
"announced",
"in",
"["
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/client.py#L948-L1005 |
244,575 | blockstack/blockstack-core | blockstack/lib/client.py | get_account_tokens | def get_account_tokens(address, hostport=None, proxy=None):
"""
Get the types of tokens that an address owns
Returns a list of token types
"""
assert proxy or hostport, 'Need proxy or hostport'
if proxy is None:
proxy = connect_hostport(hostport)
tokens_schema = {
'type': 'object',
'properties': {
'token_types': {
'type': 'array',
'pattern': '^(.+){1,19}',
},
},
'required': [
'token_types',
]
}
schema = json_response_schema(tokens_schema)
try:
resp = proxy.get_account_tokens(address)
resp = json_validate(schema, resp)
if json_is_error(resp):
return resp
except ValidationError as ve:
if BLOCKSTACK_DEBUG:
log.exception(ve)
resp = {'error': 'Server response did not match expected schema. You are likely communicating with an out-of-date Blockstack node.', 'http_status': 502}
return resp
except socket.timeout:
log.error("Connection timed out")
resp = {'error': 'Connection to remote host timed out.', 'http_status': 503}
return resp
except socket.error as se:
log.error("Connection error {}".format(se.errno))
resp = {'error': 'Connection to remote host failed.', 'http_status': 502}
return resp
except AssertionError as ae:
if BLOCKSTACK_DEBUG:
log.exception(ae)
resp = json_traceback(resp.get('error'))
return resp
except Exception as ee:
if BLOCKSTACK_DEBUG:
log.exception(ee)
log.error("Caught exception while connecting to Blockstack node: {}".format(ee))
resp = {'error': 'Failed to contact Blockstack node. Try again with `--debug`.', 'http_status': 500}
return resp
resp['token_types'].sort()
return resp['token_types'] | python | def get_account_tokens(address, hostport=None, proxy=None):
assert proxy or hostport, 'Need proxy or hostport'
if proxy is None:
proxy = connect_hostport(hostport)
tokens_schema = {
'type': 'object',
'properties': {
'token_types': {
'type': 'array',
'pattern': '^(.+){1,19}',
},
},
'required': [
'token_types',
]
}
schema = json_response_schema(tokens_schema)
try:
resp = proxy.get_account_tokens(address)
resp = json_validate(schema, resp)
if json_is_error(resp):
return resp
except ValidationError as ve:
if BLOCKSTACK_DEBUG:
log.exception(ve)
resp = {'error': 'Server response did not match expected schema. You are likely communicating with an out-of-date Blockstack node.', 'http_status': 502}
return resp
except socket.timeout:
log.error("Connection timed out")
resp = {'error': 'Connection to remote host timed out.', 'http_status': 503}
return resp
except socket.error as se:
log.error("Connection error {}".format(se.errno))
resp = {'error': 'Connection to remote host failed.', 'http_status': 502}
return resp
except AssertionError as ae:
if BLOCKSTACK_DEBUG:
log.exception(ae)
resp = json_traceback(resp.get('error'))
return resp
except Exception as ee:
if BLOCKSTACK_DEBUG:
log.exception(ee)
log.error("Caught exception while connecting to Blockstack node: {}".format(ee))
resp = {'error': 'Failed to contact Blockstack node. Try again with `--debug`.', 'http_status': 500}
return resp
resp['token_types'].sort()
return resp['token_types'] | [
"def",
"get_account_tokens",
"(",
"address",
",",
"hostport",
"=",
"None",
",",
"proxy",
"=",
"None",
")",
":",
"assert",
"proxy",
"or",
"hostport",
",",
"'Need proxy or hostport'",
"if",
"proxy",
"is",
"None",
":",
"proxy",
"=",
"connect_hostport",
"(",
"ho... | Get the types of tokens that an address owns
Returns a list of token types | [
"Get",
"the",
"types",
"of",
"tokens",
"that",
"an",
"address",
"owns",
"Returns",
"a",
"list",
"of",
"token",
"types"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/client.py#L1378-L1441 |
244,576 | blockstack/blockstack-core | blockstack/lib/client.py | get_account_balance | def get_account_balance(address, token_type, hostport=None, proxy=None):
"""
Get the balance of an account for a particular token
Returns an int
"""
assert proxy or hostport, 'Need proxy or hostport'
if proxy is None:
proxy = connect_hostport(hostport)
balance_schema = {
'type': 'object',
'properties': {
'balance': {
'type': 'integer',
},
},
'required': [
'balance',
],
}
schema = json_response_schema(balance_schema)
try:
resp = proxy.get_account_balance(address, token_type)
resp = json_validate(schema, resp)
if json_is_error(resp):
return resp
except ValidationError as e:
if BLOCKSTACK_DEBUG:
log.exception(e)
resp = {'error': 'Server response did not match expected schema. You are likely communicating with an out-of-date Blockstack node.', 'http_status': 502}
return resp
except socket.timeout:
log.error("Connection timed out")
resp = {'error': 'Connection to remote host timed out.', 'http_status': 503}
return resp
except socket.error as se:
log.error("Connection error {}".format(se.errno))
resp = {'error': 'Connection to remote host failed.', 'http_status': 502}
return resp
except Exception as ee:
if BLOCKSTACK_DEBUG:
log.exception(ee)
log.error("Caught exception while connecting to Blockstack node: {}".format(ee))
resp = {'error': 'Failed to contact Blockstack node. Try again with `--debug`.', 'http_status': 500}
return resp
return resp['balance'] | python | def get_account_balance(address, token_type, hostport=None, proxy=None):
assert proxy or hostport, 'Need proxy or hostport'
if proxy is None:
proxy = connect_hostport(hostport)
balance_schema = {
'type': 'object',
'properties': {
'balance': {
'type': 'integer',
},
},
'required': [
'balance',
],
}
schema = json_response_schema(balance_schema)
try:
resp = proxy.get_account_balance(address, token_type)
resp = json_validate(schema, resp)
if json_is_error(resp):
return resp
except ValidationError as e:
if BLOCKSTACK_DEBUG:
log.exception(e)
resp = {'error': 'Server response did not match expected schema. You are likely communicating with an out-of-date Blockstack node.', 'http_status': 502}
return resp
except socket.timeout:
log.error("Connection timed out")
resp = {'error': 'Connection to remote host timed out.', 'http_status': 503}
return resp
except socket.error as se:
log.error("Connection error {}".format(se.errno))
resp = {'error': 'Connection to remote host failed.', 'http_status': 502}
return resp
except Exception as ee:
if BLOCKSTACK_DEBUG:
log.exception(ee)
log.error("Caught exception while connecting to Blockstack node: {}".format(ee))
resp = {'error': 'Failed to contact Blockstack node. Try again with `--debug`.', 'http_status': 500}
return resp
return resp['balance'] | [
"def",
"get_account_balance",
"(",
"address",
",",
"token_type",
",",
"hostport",
"=",
"None",
",",
"proxy",
"=",
"None",
")",
":",
"assert",
"proxy",
"or",
"hostport",
",",
"'Need proxy or hostport'",
"if",
"proxy",
"is",
"None",
":",
"proxy",
"=",
"connect... | Get the balance of an account for a particular token
Returns an int | [
"Get",
"the",
"balance",
"of",
"an",
"account",
"for",
"a",
"particular",
"token",
"Returns",
"an",
"int"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/client.py#L1504-L1558 |
244,577 | blockstack/blockstack-core | blockstack/lib/client.py | get_name_DID | def get_name_DID(name, proxy=None, hostport=None):
"""
Get the DID for a name or subdomain
Return the DID string on success
Return None if not found
"""
assert proxy or hostport, 'Need proxy or hostport'
if proxy is None:
proxy = connect_hostport(hostport)
did_schema = {
'type': 'object',
'properties': {
'did': {
'type': 'string'
}
},
'required': [ 'did' ],
}
schema = json_response_schema(did_schema)
resp = {}
try:
resp = proxy.get_name_DID(name)
resp = json_validate(schema, resp)
if json_is_error(resp):
return resp
# DID must be well-formed
assert parse_DID(resp['did'])
except ValidationError as ve:
if BLOCKSTACK_DEBUG:
log.exception(ve)
resp = {'error': 'Server response did not match expected schema. You are likely communicating with an out-of-date Blockstack node.', 'http_status': 502}
return resp
except AssertionError as e:
if BLOCKSTACK_DEBUG:
log.exception(e)
resp = {'error': 'Server replied an unparseable DID'}
return resp
except socket.timeout:
log.error("Connection timed out")
resp = {'error': 'Connection to remote host timed out.', 'http_status': 503}
return resp
except socket.error as se:
log.error("Connection error {}".format(se.errno))
resp = {'error': 'Connection to remote host failed.', 'http_status': 502}
return resp
except Exception as ee:
if BLOCKSTACK_DEBUG:
log.exception(ee)
log.error("Caught exception while connecting to Blockstack node: {}".format(ee))
resp = {'error': 'Failed to contact Blockstack node. Try again with `--debug`.', 'http_status': 500}
return resp
return resp['did'] | python | def get_name_DID(name, proxy=None, hostport=None):
assert proxy or hostport, 'Need proxy or hostport'
if proxy is None:
proxy = connect_hostport(hostport)
did_schema = {
'type': 'object',
'properties': {
'did': {
'type': 'string'
}
},
'required': [ 'did' ],
}
schema = json_response_schema(did_schema)
resp = {}
try:
resp = proxy.get_name_DID(name)
resp = json_validate(schema, resp)
if json_is_error(resp):
return resp
# DID must be well-formed
assert parse_DID(resp['did'])
except ValidationError as ve:
if BLOCKSTACK_DEBUG:
log.exception(ve)
resp = {'error': 'Server response did not match expected schema. You are likely communicating with an out-of-date Blockstack node.', 'http_status': 502}
return resp
except AssertionError as e:
if BLOCKSTACK_DEBUG:
log.exception(e)
resp = {'error': 'Server replied an unparseable DID'}
return resp
except socket.timeout:
log.error("Connection timed out")
resp = {'error': 'Connection to remote host timed out.', 'http_status': 503}
return resp
except socket.error as se:
log.error("Connection error {}".format(se.errno))
resp = {'error': 'Connection to remote host failed.', 'http_status': 502}
return resp
except Exception as ee:
if BLOCKSTACK_DEBUG:
log.exception(ee)
log.error("Caught exception while connecting to Blockstack node: {}".format(ee))
resp = {'error': 'Failed to contact Blockstack node. Try again with `--debug`.', 'http_status': 500}
return resp
return resp['did'] | [
"def",
"get_name_DID",
"(",
"name",
",",
"proxy",
"=",
"None",
",",
"hostport",
"=",
"None",
")",
":",
"assert",
"proxy",
"or",
"hostport",
",",
"'Need proxy or hostport'",
"if",
"proxy",
"is",
"None",
":",
"proxy",
"=",
"connect_hostport",
"(",
"hostport",
... | Get the DID for a name or subdomain
Return the DID string on success
Return None if not found | [
"Get",
"the",
"DID",
"for",
"a",
"name",
"or",
"subdomain",
"Return",
"the",
"DID",
"string",
"on",
"success",
"Return",
"None",
"if",
"not",
"found"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/client.py#L2473-L2536 |
244,578 | blockstack/blockstack-core | blockstack/lib/client.py | get_JWT | def get_JWT(url, address=None):
"""
Given a URL, fetch and decode the JWT it points to.
If address is given, then authenticate the JWT with the address.
Return None if we could not fetch it, or unable to authenticate it.
NOTE: the URL must be usable by the requests library
"""
jwt_txt = None
jwt = None
log.debug("Try {}".format(url))
# special case: handle file://
urlinfo = urllib2.urlparse.urlparse(url)
if urlinfo.scheme == 'file':
# points to a path on disk
try:
with open(urlinfo.path, 'r') as f:
jwt_txt = f.read()
except Exception as e:
if BLOCKSTACK_TEST:
log.exception(e)
log.warning("Failed to read {}".format(url))
return None
else:
# http(s) URL or similar
try:
resp = requests.get(url)
assert resp.status_code == 200, 'Bad status code on {}: {}'.format(url, resp.status_code)
jwt_txt = resp.text
except Exception as e:
if BLOCKSTACK_TEST:
log.exception(e)
log.warning("Unable to resolve {}".format(url))
return None
try:
# one of two things are possible:
# * this is a JWT string
# * this is a serialized JSON string whose first item is a dict that has 'token' as key,
# and that key is a JWT string.
try:
jwt_txt = json.loads(jwt_txt)[0]['token']
except:
pass
jwt = jsontokens.decode_token(jwt_txt)
except Exception as e:
if BLOCKSTACK_TEST:
log.exception(e)
log.warning("Unable to decode token at {}".format(url))
return None
try:
# must be well-formed
assert isinstance(jwt, dict)
assert 'payload' in jwt, jwt
assert isinstance(jwt['payload'], dict)
assert 'issuer' in jwt['payload'], jwt
assert isinstance(jwt['payload']['issuer'], dict)
assert 'publicKey' in jwt['payload']['issuer'], jwt
assert virtualchain.ecdsalib.ecdsa_public_key(str(jwt['payload']['issuer']['publicKey']))
except AssertionError as ae:
if BLOCKSTACK_TEST or BLOCKSTACK_DEBUG:
log.exception(ae)
log.warning("JWT at {} is malformed".format(url))
return None
if address is not None:
public_key = str(jwt['payload']['issuer']['publicKey'])
addrs = [virtualchain.address_reencode(virtualchain.ecdsalib.ecdsa_public_key(keylib.key_formatting.decompress(public_key)).address()),
virtualchain.address_reencode(virtualchain.ecdsalib.ecdsa_public_key(keylib.key_formatting.compress(public_key)).address())]
if virtualchain.address_reencode(address) not in addrs:
# got a JWT, but it doesn't match the address
log.warning("Found JWT at {}, but its public key has addresses {} and {} (expected {})".format(url, addrs[0], addrs[1], address))
return None
verifier = jsontokens.TokenVerifier()
if not verifier.verify(jwt_txt, public_key):
# got a JWT, and the address matches, but the signature does not
log.warning("Found JWT at {}, but it was not signed by {} ({})".format(url, public_key, address))
return None
return jwt | python | def get_JWT(url, address=None):
jwt_txt = None
jwt = None
log.debug("Try {}".format(url))
# special case: handle file://
urlinfo = urllib2.urlparse.urlparse(url)
if urlinfo.scheme == 'file':
# points to a path on disk
try:
with open(urlinfo.path, 'r') as f:
jwt_txt = f.read()
except Exception as e:
if BLOCKSTACK_TEST:
log.exception(e)
log.warning("Failed to read {}".format(url))
return None
else:
# http(s) URL or similar
try:
resp = requests.get(url)
assert resp.status_code == 200, 'Bad status code on {}: {}'.format(url, resp.status_code)
jwt_txt = resp.text
except Exception as e:
if BLOCKSTACK_TEST:
log.exception(e)
log.warning("Unable to resolve {}".format(url))
return None
try:
# one of two things are possible:
# * this is a JWT string
# * this is a serialized JSON string whose first item is a dict that has 'token' as key,
# and that key is a JWT string.
try:
jwt_txt = json.loads(jwt_txt)[0]['token']
except:
pass
jwt = jsontokens.decode_token(jwt_txt)
except Exception as e:
if BLOCKSTACK_TEST:
log.exception(e)
log.warning("Unable to decode token at {}".format(url))
return None
try:
# must be well-formed
assert isinstance(jwt, dict)
assert 'payload' in jwt, jwt
assert isinstance(jwt['payload'], dict)
assert 'issuer' in jwt['payload'], jwt
assert isinstance(jwt['payload']['issuer'], dict)
assert 'publicKey' in jwt['payload']['issuer'], jwt
assert virtualchain.ecdsalib.ecdsa_public_key(str(jwt['payload']['issuer']['publicKey']))
except AssertionError as ae:
if BLOCKSTACK_TEST or BLOCKSTACK_DEBUG:
log.exception(ae)
log.warning("JWT at {} is malformed".format(url))
return None
if address is not None:
public_key = str(jwt['payload']['issuer']['publicKey'])
addrs = [virtualchain.address_reencode(virtualchain.ecdsalib.ecdsa_public_key(keylib.key_formatting.decompress(public_key)).address()),
virtualchain.address_reencode(virtualchain.ecdsalib.ecdsa_public_key(keylib.key_formatting.compress(public_key)).address())]
if virtualchain.address_reencode(address) not in addrs:
# got a JWT, but it doesn't match the address
log.warning("Found JWT at {}, but its public key has addresses {} and {} (expected {})".format(url, addrs[0], addrs[1], address))
return None
verifier = jsontokens.TokenVerifier()
if not verifier.verify(jwt_txt, public_key):
# got a JWT, and the address matches, but the signature does not
log.warning("Found JWT at {}, but it was not signed by {} ({})".format(url, public_key, address))
return None
return jwt | [
"def",
"get_JWT",
"(",
"url",
",",
"address",
"=",
"None",
")",
":",
"jwt_txt",
"=",
"None",
"jwt",
"=",
"None",
"log",
".",
"debug",
"(",
"\"Try {}\"",
".",
"format",
"(",
"url",
")",
")",
"# special case: handle file://",
"urlinfo",
"=",
"urllib2",
"."... | Given a URL, fetch and decode the JWT it points to.
If address is given, then authenticate the JWT with the address.
Return None if we could not fetch it, or unable to authenticate it.
NOTE: the URL must be usable by the requests library | [
"Given",
"a",
"URL",
"fetch",
"and",
"decode",
"the",
"JWT",
"it",
"points",
"to",
".",
"If",
"address",
"is",
"given",
"then",
"authenticate",
"the",
"JWT",
"with",
"the",
"address",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/client.py#L3460-L3554 |
244,579 | blockstack/blockstack-core | blockstack/lib/client.py | decode_name_zonefile | def decode_name_zonefile(name, zonefile_txt):
"""
Decode a zone file for a name.
Must be either a well-formed DNS zone file, or a legacy Onename profile.
Return None on error
"""
user_zonefile = None
try:
# by default, it's a zonefile-formatted text file
user_zonefile_defaultdict = blockstack_zones.parse_zone_file(zonefile_txt)
# force dict
user_zonefile = dict(user_zonefile_defaultdict)
except (IndexError, ValueError, blockstack_zones.InvalidLineException):
# might be legacy profile
log.debug('WARN: failed to parse user zonefile; trying to import as legacy')
try:
user_zonefile = json.loads(zonefile_txt)
if not isinstance(user_zonefile, dict):
log.debug('Not a legacy user zonefile')
return None
except Exception as e:
log.error('Failed to parse non-standard zonefile')
return None
except Exception as e:
if BLOCKSTACK_DEBUG:
log.exception(e)
log.error('Failed to parse zonefile')
return None
if user_zonefile is None:
return None
return user_zonefile | python | def decode_name_zonefile(name, zonefile_txt):
user_zonefile = None
try:
# by default, it's a zonefile-formatted text file
user_zonefile_defaultdict = blockstack_zones.parse_zone_file(zonefile_txt)
# force dict
user_zonefile = dict(user_zonefile_defaultdict)
except (IndexError, ValueError, blockstack_zones.InvalidLineException):
# might be legacy profile
log.debug('WARN: failed to parse user zonefile; trying to import as legacy')
try:
user_zonefile = json.loads(zonefile_txt)
if not isinstance(user_zonefile, dict):
log.debug('Not a legacy user zonefile')
return None
except Exception as e:
log.error('Failed to parse non-standard zonefile')
return None
except Exception as e:
if BLOCKSTACK_DEBUG:
log.exception(e)
log.error('Failed to parse zonefile')
return None
if user_zonefile is None:
return None
return user_zonefile | [
"def",
"decode_name_zonefile",
"(",
"name",
",",
"zonefile_txt",
")",
":",
"user_zonefile",
"=",
"None",
"try",
":",
"# by default, it's a zonefile-formatted text file",
"user_zonefile_defaultdict",
"=",
"blockstack_zones",
".",
"parse_zone_file",
"(",
"zonefile_txt",
")",
... | Decode a zone file for a name.
Must be either a well-formed DNS zone file, or a legacy Onename profile.
Return None on error | [
"Decode",
"a",
"zone",
"file",
"for",
"a",
"name",
".",
"Must",
"be",
"either",
"a",
"well",
"-",
"formed",
"DNS",
"zone",
"file",
"or",
"a",
"legacy",
"Onename",
"profile",
".",
"Return",
"None",
"on",
"error"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/client.py#L3738-L3776 |
244,580 | blockstack/blockstack-core | blockstack/lib/rpc.py | BlockstackAPIEndpointHandler._send_headers | def _send_headers(self, status_code=200, content_type='application/json', more_headers={}):
"""
Generate and reply headers
"""
self.send_response(status_code)
self.send_header('content-type', content_type)
self.send_header('Access-Control-Allow-Origin', '*') # CORS
for (hdr, val) in more_headers.items():
self.send_header(hdr, val)
self.end_headers() | python | def _send_headers(self, status_code=200, content_type='application/json', more_headers={}):
self.send_response(status_code)
self.send_header('content-type', content_type)
self.send_header('Access-Control-Allow-Origin', '*') # CORS
for (hdr, val) in more_headers.items():
self.send_header(hdr, val)
self.end_headers() | [
"def",
"_send_headers",
"(",
"self",
",",
"status_code",
"=",
"200",
",",
"content_type",
"=",
"'application/json'",
",",
"more_headers",
"=",
"{",
"}",
")",
":",
"self",
".",
"send_response",
"(",
"status_code",
")",
"self",
".",
"send_header",
"(",
"'conte... | Generate and reply headers | [
"Generate",
"and",
"reply",
"headers"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/rpc.py#L124-L134 |
244,581 | blockstack/blockstack-core | blockstack/lib/rpc.py | BlockstackAPIEndpointHandler._reply_json | def _reply_json(self, json_payload, status_code=200):
"""
Return a JSON-serializable data structure
"""
self._send_headers(status_code=status_code)
json_str = json.dumps(json_payload)
self.wfile.write(json_str) | python | def _reply_json(self, json_payload, status_code=200):
self._send_headers(status_code=status_code)
json_str = json.dumps(json_payload)
self.wfile.write(json_str) | [
"def",
"_reply_json",
"(",
"self",
",",
"json_payload",
",",
"status_code",
"=",
"200",
")",
":",
"self",
".",
"_send_headers",
"(",
"status_code",
"=",
"status_code",
")",
"json_str",
"=",
"json",
".",
"dumps",
"(",
"json_payload",
")",
"self",
".",
"wfil... | Return a JSON-serializable data structure | [
"Return",
"a",
"JSON",
"-",
"serializable",
"data",
"structure"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/rpc.py#L137-L143 |
244,582 | blockstack/blockstack-core | blockstack/lib/rpc.py | BlockstackAPIEndpointHandler._read_json | def _read_json(self, schema=None, maxlen=JSONRPC_MAX_SIZE):
"""
Read a JSON payload from the requester
Return the parsed payload on success
Return None on error
"""
# JSON post?
request_type = self.headers.get('content-type', None)
client_address_str = "{}:{}".format(self.client_address[0], self.client_address[1])
if request_type != 'application/json':
log.error("Invalid request of type {} from {}".format(request_type, client_address_str))
return None
request_str = self._read_payload(maxlen=maxlen)
if request_str is None:
log.error("Failed to read request")
return None
# parse the payload
request = None
try:
request = json.loads( request_str )
if schema is not None:
jsonschema.validate( request, schema )
except ValidationError as ve:
if BLOCKSTACK_DEBUG:
log.exception(ve)
log.error("Validation error on request {}...".format(request_str[:15]))
if ve.validator == "maxLength":
return {"error" : "maxLength"}
except (TypeError, ValueError) as ve:
if BLOCKSTACK_DEBUG:
log.exception(ve)
return None
return request | python | def _read_json(self, schema=None, maxlen=JSONRPC_MAX_SIZE):
# JSON post?
request_type = self.headers.get('content-type', None)
client_address_str = "{}:{}".format(self.client_address[0], self.client_address[1])
if request_type != 'application/json':
log.error("Invalid request of type {} from {}".format(request_type, client_address_str))
return None
request_str = self._read_payload(maxlen=maxlen)
if request_str is None:
log.error("Failed to read request")
return None
# parse the payload
request = None
try:
request = json.loads( request_str )
if schema is not None:
jsonschema.validate( request, schema )
except ValidationError as ve:
if BLOCKSTACK_DEBUG:
log.exception(ve)
log.error("Validation error on request {}...".format(request_str[:15]))
if ve.validator == "maxLength":
return {"error" : "maxLength"}
except (TypeError, ValueError) as ve:
if BLOCKSTACK_DEBUG:
log.exception(ve)
return None
return request | [
"def",
"_read_json",
"(",
"self",
",",
"schema",
"=",
"None",
",",
"maxlen",
"=",
"JSONRPC_MAX_SIZE",
")",
":",
"# JSON post?",
"request_type",
"=",
"self",
".",
"headers",
".",
"get",
"(",
"'content-type'",
",",
"None",
")",
"client_address_str",
"=",
"\"{}... | Read a JSON payload from the requester
Return the parsed payload on success
Return None on error | [
"Read",
"a",
"JSON",
"payload",
"from",
"the",
"requester",
"Return",
"the",
"parsed",
"payload",
"on",
"success",
"Return",
"None",
"on",
"error"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/rpc.py#L176-L217 |
244,583 | blockstack/blockstack-core | blockstack/lib/rpc.py | BlockstackAPIEndpointHandler.parse_qs | def parse_qs(self, qs):
"""
Parse query string, but enforce one instance of each variable.
Return a dict with the variables on success
Return None on parse error
"""
qs_state = urllib2.urlparse.parse_qs(qs)
ret = {}
for qs_var, qs_value_list in qs_state.items():
if len(qs_value_list) > 1:
return None
ret[qs_var] = qs_value_list[0]
return ret | python | def parse_qs(self, qs):
qs_state = urllib2.urlparse.parse_qs(qs)
ret = {}
for qs_var, qs_value_list in qs_state.items():
if len(qs_value_list) > 1:
return None
ret[qs_var] = qs_value_list[0]
return ret | [
"def",
"parse_qs",
"(",
"self",
",",
"qs",
")",
":",
"qs_state",
"=",
"urllib2",
".",
"urlparse",
".",
"parse_qs",
"(",
"qs",
")",
"ret",
"=",
"{",
"}",
"for",
"qs_var",
",",
"qs_value_list",
"in",
"qs_state",
".",
"items",
"(",
")",
":",
"if",
"le... | Parse query string, but enforce one instance of each variable.
Return a dict with the variables on success
Return None on parse error | [
"Parse",
"query",
"string",
"but",
"enforce",
"one",
"instance",
"of",
"each",
"variable",
".",
"Return",
"a",
"dict",
"with",
"the",
"variables",
"on",
"success",
"Return",
"None",
"on",
"parse",
"error"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/rpc.py#L220-L234 |
244,584 | blockstack/blockstack-core | blockstack/lib/rpc.py | BlockstackAPIEndpointHandler.get_path_and_qs | def get_path_and_qs(self):
"""
Parse and obtain the path and query values.
We don't care about fragments.
Return {'path': ..., 'qs_values': ...} on success
Return {'error': ...} on error
"""
path_parts = self.path.split("?", 1)
if len(path_parts) > 1:
qs = path_parts[1].split("#", 1)[0]
else:
qs = ""
path = path_parts[0].split("#", 1)[0]
path = posixpath.normpath(urllib.unquote(path))
qs_values = self.parse_qs( qs )
if qs_values is None:
return {'error': 'Failed to parse query string'}
parts = path.strip('/').split('/')
return {'path': path, 'qs_values': qs_values, 'parts': parts} | python | def get_path_and_qs(self):
path_parts = self.path.split("?", 1)
if len(path_parts) > 1:
qs = path_parts[1].split("#", 1)[0]
else:
qs = ""
path = path_parts[0].split("#", 1)[0]
path = posixpath.normpath(urllib.unquote(path))
qs_values = self.parse_qs( qs )
if qs_values is None:
return {'error': 'Failed to parse query string'}
parts = path.strip('/').split('/')
return {'path': path, 'qs_values': qs_values, 'parts': parts} | [
"def",
"get_path_and_qs",
"(",
"self",
")",
":",
"path_parts",
"=",
"self",
".",
"path",
".",
"split",
"(",
"\"?\"",
",",
"1",
")",
"if",
"len",
"(",
"path_parts",
")",
">",
"1",
":",
"qs",
"=",
"path_parts",
"[",
"1",
"]",
".",
"split",
"(",
"\"... | Parse and obtain the path and query values.
We don't care about fragments.
Return {'path': ..., 'qs_values': ...} on success
Return {'error': ...} on error | [
"Parse",
"and",
"obtain",
"the",
"path",
"and",
"query",
"values",
".",
"We",
"don",
"t",
"care",
"about",
"fragments",
"."
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/rpc.py#L237-L261 |
244,585 | blockstack/blockstack-core | blockstack/lib/rpc.py | BlockstackAPIEndpointHandler.OPTIONS_preflight | def OPTIONS_preflight( self, path_info ):
"""
Give back CORS preflight check headers
"""
self.send_response(200)
self.send_header('Access-Control-Allow-Origin', '*') # CORS
self.send_header('Access-Control-Allow-Methods', 'GET, PUT, POST, DELETE')
self.send_header('Access-Control-Allow-Headers', 'content-type, authorization, range')
self.send_header('Access-Control-Expose-Headers', 'content-length, content-range')
self.send_header('Access-Control-Max-Age', 21600)
self.end_headers()
return | python | def OPTIONS_preflight( self, path_info ):
self.send_response(200)
self.send_header('Access-Control-Allow-Origin', '*') # CORS
self.send_header('Access-Control-Allow-Methods', 'GET, PUT, POST, DELETE')
self.send_header('Access-Control-Allow-Headers', 'content-type, authorization, range')
self.send_header('Access-Control-Expose-Headers', 'content-length, content-range')
self.send_header('Access-Control-Max-Age', 21600)
self.end_headers()
return | [
"def",
"OPTIONS_preflight",
"(",
"self",
",",
"path_info",
")",
":",
"self",
".",
"send_response",
"(",
"200",
")",
"self",
".",
"send_header",
"(",
"'Access-Control-Allow-Origin'",
",",
"'*'",
")",
"# CORS",
"self",
".",
"send_header",
"(",
"'Access-Control-All... | Give back CORS preflight check headers | [
"Give",
"back",
"CORS",
"preflight",
"check",
"headers"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/rpc.py#L290-L301 |
244,586 | blockstack/blockstack-core | blockstack/lib/rpc.py | BlockstackAPIEndpointHandler.GET_names_owned_by_address | def GET_names_owned_by_address( self, path_info, blockchain, address ):
"""
Get all names owned by an address
Returns the list on success
Return 404 on unsupported blockchain
Return 502 on failure to get names for any non-specified reason
"""
if not check_address(address):
return self._reply_json({'error': 'Invalid address'}, status_code=400)
if blockchain != 'bitcoin':
return self._reply_json({'error': 'Unsupported blockchain'}, status_code=404)
blockstackd_url = get_blockstackd_url()
address = str(address)
subdomain_names = blockstackd_client.get_subdomains_owned_by_address(address, hostport=blockstackd_url)
if json_is_error(subdomain_names):
log.error("Failed to fetch subdomains owned by address")
log.error(subdomain_names)
subdomain_names = []
# make sure we have the right encoding
new_addr = virtualchain.address_reencode(address)
if new_addr != address:
log.debug("Re-encode {} to {}".format(new_addr, address))
address = new_addr
res = blockstackd_client.get_names_owned_by_address(address, hostport=blockstackd_url)
if json_is_error(res):
log.error("Failed to get names owned by address")
self._reply_json({'error': 'Failed to list names by address'}, status_code=res.get('http_status', 502))
return
self._reply_json({'names': res + subdomain_names})
return | python | def GET_names_owned_by_address( self, path_info, blockchain, address ):
if not check_address(address):
return self._reply_json({'error': 'Invalid address'}, status_code=400)
if blockchain != 'bitcoin':
return self._reply_json({'error': 'Unsupported blockchain'}, status_code=404)
blockstackd_url = get_blockstackd_url()
address = str(address)
subdomain_names = blockstackd_client.get_subdomains_owned_by_address(address, hostport=blockstackd_url)
if json_is_error(subdomain_names):
log.error("Failed to fetch subdomains owned by address")
log.error(subdomain_names)
subdomain_names = []
# make sure we have the right encoding
new_addr = virtualchain.address_reencode(address)
if new_addr != address:
log.debug("Re-encode {} to {}".format(new_addr, address))
address = new_addr
res = blockstackd_client.get_names_owned_by_address(address, hostport=blockstackd_url)
if json_is_error(res):
log.error("Failed to get names owned by address")
self._reply_json({'error': 'Failed to list names by address'}, status_code=res.get('http_status', 502))
return
self._reply_json({'names': res + subdomain_names})
return | [
"def",
"GET_names_owned_by_address",
"(",
"self",
",",
"path_info",
",",
"blockchain",
",",
"address",
")",
":",
"if",
"not",
"check_address",
"(",
"address",
")",
":",
"return",
"self",
".",
"_reply_json",
"(",
"{",
"'error'",
":",
"'Invalid address'",
"}",
... | Get all names owned by an address
Returns the list on success
Return 404 on unsupported blockchain
Return 502 on failure to get names for any non-specified reason | [
"Get",
"all",
"names",
"owned",
"by",
"an",
"address",
"Returns",
"the",
"list",
"on",
"success",
"Return",
"404",
"on",
"unsupported",
"blockchain",
"Return",
"502",
"on",
"failure",
"to",
"get",
"names",
"for",
"any",
"non",
"-",
"specified",
"reason"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/rpc.py#L304-L339 |
244,587 | blockstack/blockstack-core | blockstack/lib/rpc.py | BlockstackAPIEndpointHandler.GET_account_record | def GET_account_record(self, path_info, account_addr, token_type):
"""
Get the state of a particular token account
Returns the account
"""
if not check_account_address(account_addr):
return self._reply_json({'error': 'Invalid address'}, status_code=400)
if not check_token_type(token_type):
return self._reply_json({'error': 'Invalid token type'}, status_code=400)
blockstackd_url = get_blockstackd_url()
res = blockstackd_client.get_account_record(account_addr, token_type, hostport=blockstackd_url)
if json_is_error(res):
log.error("Failed to get account state for {} {}: {}".format(account_addr, token_type, res['error']))
return self._reply_json({'error': 'Failed to get account record for {} {}: {}'.format(token_type, account_addr, res['error'])}, status_code=res.get('http_status', 500))
self._reply_json(res)
return | python | def GET_account_record(self, path_info, account_addr, token_type):
if not check_account_address(account_addr):
return self._reply_json({'error': 'Invalid address'}, status_code=400)
if not check_token_type(token_type):
return self._reply_json({'error': 'Invalid token type'}, status_code=400)
blockstackd_url = get_blockstackd_url()
res = blockstackd_client.get_account_record(account_addr, token_type, hostport=blockstackd_url)
if json_is_error(res):
log.error("Failed to get account state for {} {}: {}".format(account_addr, token_type, res['error']))
return self._reply_json({'error': 'Failed to get account record for {} {}: {}'.format(token_type, account_addr, res['error'])}, status_code=res.get('http_status', 500))
self._reply_json(res)
return | [
"def",
"GET_account_record",
"(",
"self",
",",
"path_info",
",",
"account_addr",
",",
"token_type",
")",
":",
"if",
"not",
"check_account_address",
"(",
"account_addr",
")",
":",
"return",
"self",
".",
"_reply_json",
"(",
"{",
"'error'",
":",
"'Invalid address'"... | Get the state of a particular token account
Returns the account | [
"Get",
"the",
"state",
"of",
"a",
"particular",
"token",
"account",
"Returns",
"the",
"account"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/rpc.py#L360-L378 |
244,588 | blockstack/blockstack-core | blockstack/lib/rpc.py | BlockstackAPIEndpointHandler.GET_names | def GET_names( self, path_info ):
"""
Get all names in existence
If `all=true` is set, then include expired names.
Returns the list on success
Returns 400 on invalid arguments
Returns 502 on failure to get names
"""
include_expired = False
qs_values = path_info['qs_values']
page = qs_values.get('page', None)
if page is None:
log.error("Page required")
return self._reply_json({'error': 'page= argument required'}, status_code=400)
try:
page = int(page)
if page < 0:
raise ValueError("Page is negative")
except ValueError:
log.error("Invalid page")
return self._reply_json({'error': 'Invalid page= value'}, status_code=400)
if qs_values.get('all', '').lower() in ['1', 'true']:
include_expired = True
offset = page * 100
count = 100
blockstackd_url = get_blockstackd_url()
res = blockstackd_client.get_all_names(offset, count, include_expired=include_expired, hostport=blockstackd_url)
if json_is_error(res):
log.error("Failed to list all names (offset={}, count={}): {}".format(offset, count, res['error']))
return self._reply_json({'error': 'Failed to list all names'}, status_code=res.get('http_status', 502))
return self._reply_json(res) | python | def GET_names( self, path_info ):
include_expired = False
qs_values = path_info['qs_values']
page = qs_values.get('page', None)
if page is None:
log.error("Page required")
return self._reply_json({'error': 'page= argument required'}, status_code=400)
try:
page = int(page)
if page < 0:
raise ValueError("Page is negative")
except ValueError:
log.error("Invalid page")
return self._reply_json({'error': 'Invalid page= value'}, status_code=400)
if qs_values.get('all', '').lower() in ['1', 'true']:
include_expired = True
offset = page * 100
count = 100
blockstackd_url = get_blockstackd_url()
res = blockstackd_client.get_all_names(offset, count, include_expired=include_expired, hostport=blockstackd_url)
if json_is_error(res):
log.error("Failed to list all names (offset={}, count={}): {}".format(offset, count, res['error']))
return self._reply_json({'error': 'Failed to list all names'}, status_code=res.get('http_status', 502))
return self._reply_json(res) | [
"def",
"GET_names",
"(",
"self",
",",
"path_info",
")",
":",
"include_expired",
"=",
"False",
"qs_values",
"=",
"path_info",
"[",
"'qs_values'",
"]",
"page",
"=",
"qs_values",
".",
"get",
"(",
"'page'",
",",
"None",
")",
"if",
"page",
"is",
"None",
":",
... | Get all names in existence
If `all=true` is set, then include expired names.
Returns the list on success
Returns 400 on invalid arguments
Returns 502 on failure to get names | [
"Get",
"all",
"names",
"in",
"existence",
"If",
"all",
"=",
"true",
"is",
"set",
"then",
"include",
"expired",
"names",
".",
"Returns",
"the",
"list",
"on",
"success",
"Returns",
"400",
"on",
"invalid",
"arguments",
"Returns",
"502",
"on",
"failure",
"to",... | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/rpc.py#L458-L496 |
244,589 | blockstack/blockstack-core | blockstack/lib/rpc.py | BlockstackAPIEndpointHandler.GET_name_history | def GET_name_history(self, path_info, name):
"""
Get the history of a name or subdomain.
Requires 'page' in the query string
return the history on success
return 400 on invalid start_block or end_block
return 502 on failure to query blockstack server
"""
if not check_name(name) and not check_subdomain(name):
return self._reply_json({'error': 'Invalid name or subdomain'}, status_code=400)
qs_values = path_info['qs_values']
page = qs_values.get('page', None)
if page is None:
page = "0" # compatibility
try:
assert len(page) < 10
page = int(page)
assert page >= 0
assert page <= 2**32 - 1
except:
log.error("Invalid page")
self._reply_json({'error': 'Invalid page'}, status_code=400)
return
blockstackd_url = get_blockstackd_url()
res = blockstackd_client.get_name_history_page(name, page, hostport=blockstackd_url)
if json_is_error(res):
log.error('Failed to get name history for {}: {}'.format(name, res['error']))
return self._reply_json({'error': res['error']}, status_code=res.get('http_status', 502))
return self._reply_json(res['history']) | python | def GET_name_history(self, path_info, name):
if not check_name(name) and not check_subdomain(name):
return self._reply_json({'error': 'Invalid name or subdomain'}, status_code=400)
qs_values = path_info['qs_values']
page = qs_values.get('page', None)
if page is None:
page = "0" # compatibility
try:
assert len(page) < 10
page = int(page)
assert page >= 0
assert page <= 2**32 - 1
except:
log.error("Invalid page")
self._reply_json({'error': 'Invalid page'}, status_code=400)
return
blockstackd_url = get_blockstackd_url()
res = blockstackd_client.get_name_history_page(name, page, hostport=blockstackd_url)
if json_is_error(res):
log.error('Failed to get name history for {}: {}'.format(name, res['error']))
return self._reply_json({'error': res['error']}, status_code=res.get('http_status', 502))
return self._reply_json(res['history']) | [
"def",
"GET_name_history",
"(",
"self",
",",
"path_info",
",",
"name",
")",
":",
"if",
"not",
"check_name",
"(",
"name",
")",
"and",
"not",
"check_subdomain",
"(",
"name",
")",
":",
"return",
"self",
".",
"_reply_json",
"(",
"{",
"'error'",
":",
"'Invali... | Get the history of a name or subdomain.
Requires 'page' in the query string
return the history on success
return 400 on invalid start_block or end_block
return 502 on failure to query blockstack server | [
"Get",
"the",
"history",
"of",
"a",
"name",
"or",
"subdomain",
".",
"Requires",
"page",
"in",
"the",
"query",
"string",
"return",
"the",
"history",
"on",
"success",
"return",
"400",
"on",
"invalid",
"start_block",
"or",
"end_block",
"return",
"502",
"on",
... | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/rpc.py#L650-L683 |
244,590 | blockstack/blockstack-core | blockstack/lib/rpc.py | BlockstackAPIEndpointHandler.GET_name_zonefile_by_hash | def GET_name_zonefile_by_hash( self, path_info, name, zonefile_hash ):
"""
Get a historic zonefile for a name
With `raw=1` on the query string, return the raw zone file
Reply 200 with {'zonefile': zonefile} on success
Reply 204 with {'error': ...} if the zone file is non-standard
Reply 404 on not found
Reply 502 on failure to fetch data
"""
if not check_name(name) and not check_subdomain(name):
return self._reply_json({'error': 'Invalid name or subdomain'}, status_code=400)
if not check_string(zonefile_hash, pattern=OP_ZONEFILE_HASH_PATTERN):
return self._reply_json({'error': 'Invalid zone file hash'}, status_code=400)
raw = path_info['qs_values'].get('raw', '')
raw = (raw.lower() in ['1', 'true'])
blockstack_hostport = get_blockstackd_url()
was_set = blockstackd_client.is_name_zonefile_hash(name, zonefile_hash, hostport=blockstack_hostport)
if json_is_error(was_set):
return self._reply_json({'error': was_set['error']}, status_code=was_set.get('http_status', 502))
if not was_set['result']:
self._reply_json({'error': 'No such zonefile'}, status_code=404)
return
resp = blockstackd_client.get_zonefiles(blockstack_hostport, [str(zonefile_hash)])
if json_is_error(resp):
self._reply_json({'error': resp['error']}, status_code=resp.get('http_status', 502))
return
if str(zonefile_hash) not in resp['zonefiles']:
return self._reply_json({'error': 'Blockstack does not have this zonefile. Try again later.'}, status_code=404)
if raw:
self._send_headers(status_code=200, content_type='application/octet-stream')
self.wfile.write(resp['zonefiles'][str(zonefile_hash)])
else:
# make sure it's valid
if str(zonefile_hash) not in resp['zonefiles']:
log.debug('Failed to find zonefile hash {}, possess {}'.format(
str(zonefile_hash), resp['zonefiles'].keys()))
return self._reply_json({'error': 'No such zonefile'}, status_code=404)
zonefile_txt = resp['zonefiles'][str(zonefile_hash)]
res = decode_name_zonefile(name, zonefile_txt)
if res is None:
log.error("Failed to parse zone file for {}".format(name))
self._reply_json({'error': 'Non-standard zone file for {}'.format(name)}, status_code=204)
return
self._reply_json({'zonefile': zonefile_txt})
return | python | def GET_name_zonefile_by_hash( self, path_info, name, zonefile_hash ):
if not check_name(name) and not check_subdomain(name):
return self._reply_json({'error': 'Invalid name or subdomain'}, status_code=400)
if not check_string(zonefile_hash, pattern=OP_ZONEFILE_HASH_PATTERN):
return self._reply_json({'error': 'Invalid zone file hash'}, status_code=400)
raw = path_info['qs_values'].get('raw', '')
raw = (raw.lower() in ['1', 'true'])
blockstack_hostport = get_blockstackd_url()
was_set = blockstackd_client.is_name_zonefile_hash(name, zonefile_hash, hostport=blockstack_hostport)
if json_is_error(was_set):
return self._reply_json({'error': was_set['error']}, status_code=was_set.get('http_status', 502))
if not was_set['result']:
self._reply_json({'error': 'No such zonefile'}, status_code=404)
return
resp = blockstackd_client.get_zonefiles(blockstack_hostport, [str(zonefile_hash)])
if json_is_error(resp):
self._reply_json({'error': resp['error']}, status_code=resp.get('http_status', 502))
return
if str(zonefile_hash) not in resp['zonefiles']:
return self._reply_json({'error': 'Blockstack does not have this zonefile. Try again later.'}, status_code=404)
if raw:
self._send_headers(status_code=200, content_type='application/octet-stream')
self.wfile.write(resp['zonefiles'][str(zonefile_hash)])
else:
# make sure it's valid
if str(zonefile_hash) not in resp['zonefiles']:
log.debug('Failed to find zonefile hash {}, possess {}'.format(
str(zonefile_hash), resp['zonefiles'].keys()))
return self._reply_json({'error': 'No such zonefile'}, status_code=404)
zonefile_txt = resp['zonefiles'][str(zonefile_hash)]
res = decode_name_zonefile(name, zonefile_txt)
if res is None:
log.error("Failed to parse zone file for {}".format(name))
self._reply_json({'error': 'Non-standard zone file for {}'.format(name)}, status_code=204)
return
self._reply_json({'zonefile': zonefile_txt})
return | [
"def",
"GET_name_zonefile_by_hash",
"(",
"self",
",",
"path_info",
",",
"name",
",",
"zonefile_hash",
")",
":",
"if",
"not",
"check_name",
"(",
"name",
")",
"and",
"not",
"check_subdomain",
"(",
"name",
")",
":",
"return",
"self",
".",
"_reply_json",
"(",
... | Get a historic zonefile for a name
With `raw=1` on the query string, return the raw zone file
Reply 200 with {'zonefile': zonefile} on success
Reply 204 with {'error': ...} if the zone file is non-standard
Reply 404 on not found
Reply 502 on failure to fetch data | [
"Get",
"a",
"historic",
"zonefile",
"for",
"a",
"name",
"With",
"raw",
"=",
"1",
"on",
"the",
"query",
"string",
"return",
"the",
"raw",
"zone",
"file"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/rpc.py#L823-L879 |
244,591 | blockstack/blockstack-core | blockstack/lib/rpc.py | BlockstackAPIEndpointHandler.GET_namespaces | def GET_namespaces( self, path_info ):
"""
Get the list of all namespaces
Reply all existing namespaces
Reply 502 if we can't reach the server for whatever reason
"""
qs_values = path_info['qs_values']
offset = qs_values.get('offset', None)
count = qs_values.get('count', None)
blockstackd_url = get_blockstackd_url()
namespaces = blockstackd_client.get_all_namespaces(offset=offset, count=count, hostport=blockstackd_url)
if json_is_error(namespaces):
# error
status_code = namespaces.get('http_status', 502)
return self._reply_json({'error': namespaces['error']}, status_code=status_code)
self._reply_json(namespaces)
return | python | def GET_namespaces( self, path_info ):
qs_values = path_info['qs_values']
offset = qs_values.get('offset', None)
count = qs_values.get('count', None)
blockstackd_url = get_blockstackd_url()
namespaces = blockstackd_client.get_all_namespaces(offset=offset, count=count, hostport=blockstackd_url)
if json_is_error(namespaces):
# error
status_code = namespaces.get('http_status', 502)
return self._reply_json({'error': namespaces['error']}, status_code=status_code)
self._reply_json(namespaces)
return | [
"def",
"GET_namespaces",
"(",
"self",
",",
"path_info",
")",
":",
"qs_values",
"=",
"path_info",
"[",
"'qs_values'",
"]",
"offset",
"=",
"qs_values",
".",
"get",
"(",
"'offset'",
",",
"None",
")",
"count",
"=",
"qs_values",
".",
"get",
"(",
"'count'",
",... | Get the list of all namespaces
Reply all existing namespaces
Reply 502 if we can't reach the server for whatever reason | [
"Get",
"the",
"list",
"of",
"all",
"namespaces",
"Reply",
"all",
"existing",
"namespaces",
"Reply",
"502",
"if",
"we",
"can",
"t",
"reach",
"the",
"server",
"for",
"whatever",
"reason"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/rpc.py#L980-L998 |
244,592 | blockstack/blockstack-core | blockstack/lib/rpc.py | BlockstackAPIEndpointHandler.GET_namespace_info | def GET_namespace_info( self, path_info, namespace_id ):
"""
Look up a namespace's info
Reply information about a namespace
Reply 404 if the namespace doesn't exist
Reply 502 for any error in talking to the blocksatck server
"""
if not check_namespace(namespace_id):
return self._reply_json({'error': 'Invalid namespace'}, status_code=400)
blockstackd_url = get_blockstackd_url()
namespace_rec = blockstackd_client.get_namespace_record(namespace_id, hostport=blockstackd_url)
if json_is_error(namespace_rec):
# error
status_code = namespace_rec.get('http_status', 502)
return self._reply_json({'error': namespace_rec['error']}, status_code=status_code)
self._reply_json(namespace_rec)
return | python | def GET_namespace_info( self, path_info, namespace_id ):
if not check_namespace(namespace_id):
return self._reply_json({'error': 'Invalid namespace'}, status_code=400)
blockstackd_url = get_blockstackd_url()
namespace_rec = blockstackd_client.get_namespace_record(namespace_id, hostport=blockstackd_url)
if json_is_error(namespace_rec):
# error
status_code = namespace_rec.get('http_status', 502)
return self._reply_json({'error': namespace_rec['error']}, status_code=status_code)
self._reply_json(namespace_rec)
return | [
"def",
"GET_namespace_info",
"(",
"self",
",",
"path_info",
",",
"namespace_id",
")",
":",
"if",
"not",
"check_namespace",
"(",
"namespace_id",
")",
":",
"return",
"self",
".",
"_reply_json",
"(",
"{",
"'error'",
":",
"'Invalid namespace'",
"}",
",",
"status_c... | Look up a namespace's info
Reply information about a namespace
Reply 404 if the namespace doesn't exist
Reply 502 for any error in talking to the blocksatck server | [
"Look",
"up",
"a",
"namespace",
"s",
"info",
"Reply",
"information",
"about",
"a",
"namespace",
"Reply",
"404",
"if",
"the",
"namespace",
"doesn",
"t",
"exist",
"Reply",
"502",
"for",
"any",
"error",
"in",
"talking",
"to",
"the",
"blocksatck",
"server"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/rpc.py#L1001-L1019 |
244,593 | blockstack/blockstack-core | blockstack/lib/rpc.py | BlockstackAPIEndpointHandler.GET_namespace_num_names | def GET_namespace_num_names(self, path_info, namespace_id):
"""
Get the number of names in a namespace
Reply the number on success
Reply 404 if the namespace does not exist
Reply 502 on failure to talk to the blockstack server
"""
if not check_namespace(namespace_id):
return self._reply_json({'error': 'Invalid namespace'}, status_code=400)
blockstackd_url = get_blockstackd_url()
name_count = blockstackd_client.get_num_names_in_namespace(namespace_id, hostport=blockstackd_url)
if json_is_error(name_count):
log.error("Failed to load namespace count for {}: {}".format(namespace_id, name_count['error']))
return self._reply_json({'error': 'Failed to load namespace count: {}'.format(name_count['error'])}, status_code=404)
self._reply_json({'names_count': name_count}) | python | def GET_namespace_num_names(self, path_info, namespace_id):
if not check_namespace(namespace_id):
return self._reply_json({'error': 'Invalid namespace'}, status_code=400)
blockstackd_url = get_blockstackd_url()
name_count = blockstackd_client.get_num_names_in_namespace(namespace_id, hostport=blockstackd_url)
if json_is_error(name_count):
log.error("Failed to load namespace count for {}: {}".format(namespace_id, name_count['error']))
return self._reply_json({'error': 'Failed to load namespace count: {}'.format(name_count['error'])}, status_code=404)
self._reply_json({'names_count': name_count}) | [
"def",
"GET_namespace_num_names",
"(",
"self",
",",
"path_info",
",",
"namespace_id",
")",
":",
"if",
"not",
"check_namespace",
"(",
"namespace_id",
")",
":",
"return",
"self",
".",
"_reply_json",
"(",
"{",
"'error'",
":",
"'Invalid namespace'",
"}",
",",
"sta... | Get the number of names in a namespace
Reply the number on success
Reply 404 if the namespace does not exist
Reply 502 on failure to talk to the blockstack server | [
"Get",
"the",
"number",
"of",
"names",
"in",
"a",
"namespace",
"Reply",
"the",
"number",
"on",
"success",
"Reply",
"404",
"if",
"the",
"namespace",
"does",
"not",
"exist",
"Reply",
"502",
"on",
"failure",
"to",
"talk",
"to",
"the",
"blockstack",
"server"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/rpc.py#L1022-L1038 |
244,594 | blockstack/blockstack-core | blockstack/lib/rpc.py | BlockstackAPIEndpointHandler.GET_namespace_names | def GET_namespace_names( self, path_info, namespace_id ):
"""
Get the list of names in a namespace
Reply the list of names in a namespace
Reply 404 if the namespace doesn't exist
Reply 502 for any error in talking to the blockstack server
"""
if not check_namespace(namespace_id):
return self._reply_json({'error': 'Invalid namespace'}, status_code=400)
qs_values = path_info['qs_values']
page = qs_values.get('page', None)
if page is None:
log.error("Page required")
return self._reply_json({'error': 'page= argument required'}, status_code=400)
try:
page = int(page)
if page < 0:
raise ValueError()
except ValueError:
log.error("Invalid page")
return self._reply_json({'error': 'Invalid page= value'}, status_code=400)
offset = page * 100
count = 100
blockstackd_url = get_blockstackd_url()
namespace_names = blockstackd_client.get_names_in_namespace(namespace_id, offset=offset, count=count, hostport=blockstackd_url)
if json_is_error(namespace_names):
# error
status_code = namespace_names.get('http_status', 502)
return self._reply_json({'error': namespace_names['error']}, status_code=status_code)
self._reply_json(namespace_names)
return | python | def GET_namespace_names( self, path_info, namespace_id ):
if not check_namespace(namespace_id):
return self._reply_json({'error': 'Invalid namespace'}, status_code=400)
qs_values = path_info['qs_values']
page = qs_values.get('page', None)
if page is None:
log.error("Page required")
return self._reply_json({'error': 'page= argument required'}, status_code=400)
try:
page = int(page)
if page < 0:
raise ValueError()
except ValueError:
log.error("Invalid page")
return self._reply_json({'error': 'Invalid page= value'}, status_code=400)
offset = page * 100
count = 100
blockstackd_url = get_blockstackd_url()
namespace_names = blockstackd_client.get_names_in_namespace(namespace_id, offset=offset, count=count, hostport=blockstackd_url)
if json_is_error(namespace_names):
# error
status_code = namespace_names.get('http_status', 502)
return self._reply_json({'error': namespace_names['error']}, status_code=status_code)
self._reply_json(namespace_names)
return | [
"def",
"GET_namespace_names",
"(",
"self",
",",
"path_info",
",",
"namespace_id",
")",
":",
"if",
"not",
"check_namespace",
"(",
"namespace_id",
")",
":",
"return",
"self",
".",
"_reply_json",
"(",
"{",
"'error'",
":",
"'Invalid namespace'",
"}",
",",
"status_... | Get the list of names in a namespace
Reply the list of names in a namespace
Reply 404 if the namespace doesn't exist
Reply 502 for any error in talking to the blockstack server | [
"Get",
"the",
"list",
"of",
"names",
"in",
"a",
"namespace",
"Reply",
"the",
"list",
"of",
"names",
"in",
"a",
"namespace",
"Reply",
"404",
"if",
"the",
"namespace",
"doesn",
"t",
"exist",
"Reply",
"502",
"for",
"any",
"error",
"in",
"talking",
"to",
"... | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/rpc.py#L1041-L1077 |
244,595 | blockstack/blockstack-core | blockstack/lib/rpc.py | BlockstackAPIEndpointHandler.GET_blockchain_ops | def GET_blockchain_ops( self, path_info, blockchain_name, blockheight ):
"""
Get the name's historic name operations
Reply the list of nameops at the given block height
Reply 404 for blockchains other than those supported
Reply 502 for any error we have in talking to the blockstack server
"""
try:
blockheight = int(blockheight)
assert check_block(blockheight)
except:
return self._reply_json({'error': 'Invalid block'}, status_code=400)
if blockchain_name != 'bitcoin':
# not supported
return self._reply_json({'error': 'Unsupported blockchain'}, status_code=404)
blockstackd_url = get_blockstackd_url()
nameops = blockstackd_client.get_blockstack_transactions_at(int(blockheight), hostport=blockstackd_url)
if json_is_error(nameops):
# error
status_code = nameops.get('http_status', 502)
return self._reply_json({'error': nameops['error']}, status_code=status_code)
self._reply_json(nameops)
return | python | def GET_blockchain_ops( self, path_info, blockchain_name, blockheight ):
try:
blockheight = int(blockheight)
assert check_block(blockheight)
except:
return self._reply_json({'error': 'Invalid block'}, status_code=400)
if blockchain_name != 'bitcoin':
# not supported
return self._reply_json({'error': 'Unsupported blockchain'}, status_code=404)
blockstackd_url = get_blockstackd_url()
nameops = blockstackd_client.get_blockstack_transactions_at(int(blockheight), hostport=blockstackd_url)
if json_is_error(nameops):
# error
status_code = nameops.get('http_status', 502)
return self._reply_json({'error': nameops['error']}, status_code=status_code)
self._reply_json(nameops)
return | [
"def",
"GET_blockchain_ops",
"(",
"self",
",",
"path_info",
",",
"blockchain_name",
",",
"blockheight",
")",
":",
"try",
":",
"blockheight",
"=",
"int",
"(",
"blockheight",
")",
"assert",
"check_block",
"(",
"blockheight",
")",
"except",
":",
"return",
"self",... | Get the name's historic name operations
Reply the list of nameops at the given block height
Reply 404 for blockchains other than those supported
Reply 502 for any error we have in talking to the blockstack server | [
"Get",
"the",
"name",
"s",
"historic",
"name",
"operations",
"Reply",
"the",
"list",
"of",
"nameops",
"at",
"the",
"given",
"block",
"height",
"Reply",
"404",
"for",
"blockchains",
"other",
"than",
"those",
"supported",
"Reply",
"502",
"for",
"any",
"error",... | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/rpc.py#L1080-L1105 |
244,596 | blockstack/blockstack-core | blockstack/lib/rpc.py | BlockstackAPIEndpointHandler.GET_blockchain_name_record | def GET_blockchain_name_record( self, path_info, blockchain_name, name ):
"""
Get the name's blockchain record in full
Reply the raw blockchain record on success
Reply 404 if the name is not found
Reply 502 if we have an error talking to the server
"""
if not check_name(name) and not check_subdomain(name):
return self._reply_json({'error': 'Invalid name or subdomain'}, status_code=400)
if blockchain_name != 'bitcoin':
# not supported
self._reply_json({'error': 'Unsupported blockchain'}, status_code=404)
return
blockstackd_url = get_blockstackd_url()
name_rec = blockstackd_client.get_name_record(name, include_history=False, hostport=blockstackd_url)
if json_is_error(name_rec):
# error
status_code = name_rec.get('http_status', 502)
return self._reply_json({'error': name_rec['error']}, status_code=status_code)
return self._reply_json(name_rec) | python | def GET_blockchain_name_record( self, path_info, blockchain_name, name ):
if not check_name(name) and not check_subdomain(name):
return self._reply_json({'error': 'Invalid name or subdomain'}, status_code=400)
if blockchain_name != 'bitcoin':
# not supported
self._reply_json({'error': 'Unsupported blockchain'}, status_code=404)
return
blockstackd_url = get_blockstackd_url()
name_rec = blockstackd_client.get_name_record(name, include_history=False, hostport=blockstackd_url)
if json_is_error(name_rec):
# error
status_code = name_rec.get('http_status', 502)
return self._reply_json({'error': name_rec['error']}, status_code=status_code)
return self._reply_json(name_rec) | [
"def",
"GET_blockchain_name_record",
"(",
"self",
",",
"path_info",
",",
"blockchain_name",
",",
"name",
")",
":",
"if",
"not",
"check_name",
"(",
"name",
")",
"and",
"not",
"check_subdomain",
"(",
"name",
")",
":",
"return",
"self",
".",
"_reply_json",
"(",... | Get the name's blockchain record in full
Reply the raw blockchain record on success
Reply 404 if the name is not found
Reply 502 if we have an error talking to the server | [
"Get",
"the",
"name",
"s",
"blockchain",
"record",
"in",
"full",
"Reply",
"the",
"raw",
"blockchain",
"record",
"on",
"success",
"Reply",
"404",
"if",
"the",
"name",
"is",
"not",
"found",
"Reply",
"502",
"if",
"we",
"have",
"an",
"error",
"talking",
"to"... | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/rpc.py#L1108-L1130 |
244,597 | blockstack/blockstack-core | blockstack/lib/rpc.py | BlockstackAPIEndpointHandler._get_balance | def _get_balance( self, get_address, min_confs ):
"""
Works only in test mode!
Get the confirmed balance for an address
"""
bitcoind_opts = get_bitcoin_opts()
bitcoind_host = bitcoind_opts['bitcoind_server']
bitcoind_port = bitcoind_opts['bitcoind_port']
bitcoind_user = bitcoind_opts['bitcoind_user']
bitcoind_passwd = bitcoind_opts['bitcoind_passwd']
bitcoind = create_bitcoind_service_proxy(bitcoind_user, bitcoind_passwd, server=bitcoind_host, port=bitcoind_port)
address = virtualchain.address_reencode(get_address)
try:
unspents = get_unspents(address, bitcoind)
except Exception as e:
log.exception(e)
return {'error': 'Failed to get unspents for {}'.format(get_address)}
satoshis_confirmed = sum(confirmed_utxo['value'] for confirmed_utxo in
filter(lambda utxo: utxo['confirmations'] >= min_confs, unspents))
return {'balance': satoshis_confirmed} | python | def _get_balance( self, get_address, min_confs ):
bitcoind_opts = get_bitcoin_opts()
bitcoind_host = bitcoind_opts['bitcoind_server']
bitcoind_port = bitcoind_opts['bitcoind_port']
bitcoind_user = bitcoind_opts['bitcoind_user']
bitcoind_passwd = bitcoind_opts['bitcoind_passwd']
bitcoind = create_bitcoind_service_proxy(bitcoind_user, bitcoind_passwd, server=bitcoind_host, port=bitcoind_port)
address = virtualchain.address_reencode(get_address)
try:
unspents = get_unspents(address, bitcoind)
except Exception as e:
log.exception(e)
return {'error': 'Failed to get unspents for {}'.format(get_address)}
satoshis_confirmed = sum(confirmed_utxo['value'] for confirmed_utxo in
filter(lambda utxo: utxo['confirmations'] >= min_confs, unspents))
return {'balance': satoshis_confirmed} | [
"def",
"_get_balance",
"(",
"self",
",",
"get_address",
",",
"min_confs",
")",
":",
"bitcoind_opts",
"=",
"get_bitcoin_opts",
"(",
")",
"bitcoind_host",
"=",
"bitcoind_opts",
"[",
"'bitcoind_server'",
"]",
"bitcoind_port",
"=",
"bitcoind_opts",
"[",
"'bitcoind_port'... | Works only in test mode!
Get the confirmed balance for an address | [
"Works",
"only",
"in",
"test",
"mode!",
"Get",
"the",
"confirmed",
"balance",
"for",
"an",
"address"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/rpc.py#L1210-L1233 |
244,598 | blockstack/blockstack-core | blockstack/lib/rpc.py | BlockstackAPIEndpoint.bind | def bind(self):
"""
Bind to our port
"""
log.debug("Set SO_REUSADDR")
self.socket.setsockopt( socket.SOL_SOCKET, socket.SO_REUSEADDR, 1 )
# we want daemon threads, so we join on abrupt shutdown (applies if multithreaded)
self.daemon_threads = True
self.server_bind()
self.server_activate() | python | def bind(self):
log.debug("Set SO_REUSADDR")
self.socket.setsockopt( socket.SOL_SOCKET, socket.SO_REUSEADDR, 1 )
# we want daemon threads, so we join on abrupt shutdown (applies if multithreaded)
self.daemon_threads = True
self.server_bind()
self.server_activate() | [
"def",
"bind",
"(",
"self",
")",
":",
"log",
".",
"debug",
"(",
"\"Set SO_REUSADDR\"",
")",
"self",
".",
"socket",
".",
"setsockopt",
"(",
"socket",
".",
"SOL_SOCKET",
",",
"socket",
".",
"SO_REUSEADDR",
",",
"1",
")",
"# we want daemon threads, so we join on ... | Bind to our port | [
"Bind",
"to",
"our",
"port"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/rpc.py#L1624-L1635 |
244,599 | blockstack/blockstack-core | blockstack/lib/rpc.py | BlockstackAPIEndpoint.overloaded | def overloaded(self, client_addr):
"""
Deflect if we have too many inbound requests
"""
overloaded_txt = 'HTTP/1.0 429 Too Many Requests\r\nServer: BaseHTTP/0.3 Python/2.7.14+\r\nContent-type: text/plain\r\nContent-length: 17\r\n\r\nToo many requests'
if BLOCKSTACK_TEST:
log.warn('Too many requests; deflecting {}'.format(client_addr))
return overloaded_txt | python | def overloaded(self, client_addr):
overloaded_txt = 'HTTP/1.0 429 Too Many Requests\r\nServer: BaseHTTP/0.3 Python/2.7.14+\r\nContent-type: text/plain\r\nContent-length: 17\r\n\r\nToo many requests'
if BLOCKSTACK_TEST:
log.warn('Too many requests; deflecting {}'.format(client_addr))
return overloaded_txt | [
"def",
"overloaded",
"(",
"self",
",",
"client_addr",
")",
":",
"overloaded_txt",
"=",
"'HTTP/1.0 429 Too Many Requests\\r\\nServer: BaseHTTP/0.3 Python/2.7.14+\\r\\nContent-type: text/plain\\r\\nContent-length: 17\\r\\n\\r\\nToo many requests'",
"if",
"BLOCKSTACK_TEST",
":",
"log",
".... | Deflect if we have too many inbound requests | [
"Deflect",
"if",
"we",
"have",
"too",
"many",
"inbound",
"requests"
] | 1dcfdd39b152d29ce13e736a6a1a0981401a0505 | https://github.com/blockstack/blockstack-core/blob/1dcfdd39b152d29ce13e736a6a1a0981401a0505/blockstack/lib/rpc.py#L1638-L1646 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.