You can not select more than 25 topics
Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
53 lines
1.7 KiB
53 lines
1.7 KiB
# https://github.com/bitcoin/bips/blob/master/bip-0021.mediawiki |
|
# bitcoin:<address>[?amount=<amount>][?label=<label>][?message=<message>] |
|
# We don't check validity of Bitcoin address here, as all the tools using |
|
# this are expected to do address validation independently anyway. |
|
|
|
from jmbitcoin import amount_to_sat |
|
from urllib.parse import quote, parse_qs, urlencode, urlparse |
|
from url_decode import urldecode |
|
import re |
|
|
|
|
|
def is_bip21_uri(uri): |
|
parsed = urlparse(uri) |
|
return parsed.scheme.lower() == 'bitcoin' and parsed.path != '' |
|
|
|
|
|
def is_bip21_amount_str(amount): |
|
return re.compile(r"^[0-9]{1,8}(\.[0-9]{1,8})?$").match(str(amount)) != None |
|
|
|
|
|
def validate_bip21_amount(amount): |
|
if not is_bip21_amount_str(amount): |
|
raise ValueError("Invalid BTC amount " + str(amount)) |
|
|
|
|
|
def decode_bip21_uri(uri): |
|
if not is_bip21_uri(uri): |
|
raise ValueError("Not a valid BIP21 URI: " + uri) |
|
result = {} |
|
parsed = urlparse(uri) |
|
result['address'] = parsed.path |
|
params = parse_qs(parsed.query) |
|
for key in params: |
|
if key.startswith('req-'): |
|
raise ValueError("Unknown required parameter " + key + |
|
" in BIP21 URI.") |
|
if key == 'amount': |
|
amount_str = params['amount'][0] |
|
validate_bip21_amount(amount_str) |
|
# Convert amount to sats, as used internally by JM |
|
result['amount'] = amount_to_sat(amount_str + "btc") |
|
else: |
|
result[key] = urldecode(params[key][0]) |
|
return result |
|
|
|
|
|
def encode_bip21_uri(address, params, safe=""): |
|
uri = 'bitcoin:' + address |
|
if len(params) > 0: |
|
if 'amount' in params: |
|
validate_bip21_amount(params['amount']) |
|
uri += '?' + urlencode(params, safe=safe, quote_via=quote) |
|
return uri
|
|
|