Security News
JSR Working Group Kicks Off with Ambitious Roadmap and Plans for Open Governance
At its inaugural meeting, the JSR Working Group outlined plans for an open governance model and a roadmap to enhance JavaScript package management.
@bitcoinerlab/coinselect
Advanced tools
A TypeScript library for Bitcoin transaction management, based on Bitcoin Descriptors for defining inputs and outputs. It facilitates optimal UTXO selection and transaction size calculation.
Coinselect is a TypeScript library designed for Bitcoin transaction management. It leverages Bitcoin Descriptors to define inputs and outputs, enabling optimal UTXO (Unspent Transaction Output) selection and accurate transaction size calculations.
For an introduction to Bitcoin descriptors, please refer to @bitcoinerlab/descriptors if you're unfamiliar with them.
For detailed API documentation, visit https://bitcoinerlab.com/modules/coinselect/api.
Utilizes Bitcoin Descriptor notation for expressing UTXOs and targets.
Accurately calculates witness sizes in UTXOs for miniscript-based descriptors, even when multiple spending paths exist. Users can select the specific spending path for determining the witness size using the method outlined in @bitcoinerlab/descriptors. A detailed example is available in the Miniscript section below.
Prevents the creation of outputs below the dust threshold, which Bitcoin nodes typically do not relay.
To get started, first install the necessary dependencies:
npm install @bitcoinerlab/secp256k1 \
@bitcoinerlab/descriptors \
@bitcoinerlab/coinselect
Here's a straightforward example using the addr
descriptor:
Imagine you have two UTXOs:
2000
sats in an output with the address bc1qzne9qykh9j55qt8ccqamusp099spdfr49tje60
.4000
sats in an output with the address 12higDjoCCNXSA95xZMWUdPvXNmkAduhWv
.Suppose you wish to send 3000
sats to bc1qxtuy67s0rnz7uq2cyejqx5lj8p25mh0fz2pltm
and want the change sent to bc1qwfh5mj2kms4rrf8amr66f7d5ckmpdqdzlpr082
. Here's how you can achieve this:
import * as secp256k1 from '@bitcoinerlab/secp256k1';
import { DescriptorsFactory } from '@bitcoinerlab/descriptors';
const { Output } = DescriptorsFactory(secp256k1);
import { coinselect } from '@bitcoinerlab/coinselect';
const { utxos, targets, fee, vsize } = coinselect({
utxos: [
{
output: new Output({ descriptor: 'addr(bc1qzne9qykh9j55qt8ccqamusp099spdfr49tje60)' }),
value: 2000
},
{
output: new Output({ descriptor: 'addr(12higDjoCCNXSA95xZMWUdPvXNmkAduhWv)' }),
value: 4000
}
],
targets: [
{
output: new Output({ descriptor: 'addr(bc1qxtuy67s0rnz7uq2cyejqx5lj8p25mh0fz2pltm)' }),
value: 3000
}
],
remainder: new Output({ descriptor: 'addr(bc1qwfh5mj2kms4rrf8amr66f7d5ckmpdqdzlpr082)' }),
feeRate: 1.34
});
This code produces the following result:
{
"utxos": [
{
"output": {}, // The same OutputInstance as above: utxos[0].output
"value": 4000
}
],
"targets": [
{
"output": {}, // The same OutputInstance as above: targets[0].output
"value": 3000
},
{
"output": {}, // A new OutputInstance corresponding to the change
// address passed in remainder
"value": 705 // The final change value that you will receive
}
],
"fee": 295, // The theoretical fee to pay (approximation before tx signing)
"vsize": 220 // The theoretical virtual size (in bytes) of the tx
// (approximation before tx signing)
}
Note on No Solutions: If coinselect
and similar algorithms in this library can't find a feasible combination of UTXOs for the specified targets, they return undefined
. This means the transaction isn't viable with the given inputs and constraints. Ensure to handle such cases in your code, perhaps by informing the user or modifying the input parameters.
Note on addr()
: When using addr(SH_ADDRESS)
descriptors, the library assumes they represent Segwit SH_WPKH_ADDRESS
. For scripts, use the sh(MINISCRIPT)
descriptor format.
Additionally, if you only need to compute the vsize
for a specific set of inputs and outputs, you can use the following approach:
import { vsize } from '@bitcoinerlab/coinselect';
const numBytes = vsize(
[
new Output({ descriptor: 'addr(bc1qzne9qykh9j55qt8ccqamusp099spdfr49tje60)' }),
new Output({ descriptor: 'addr(12higDjoCCNXSA95xZMWUdPvXNmkAduhWv)' })
],
[ new Output({ descriptor: 'addr(bc1qxtuy67s0rnz7uq2cyejqx5lj8p25mh0fz2pltm)' }) ]
);
Having gone through the basic usage of the library, let's now focus on some essential concepts that enhance your understanding and effective utilization of the library. These include understanding Dust, managing Fee Rates and Virtual Size, and grasping the principles of Immutability.
If you'd pay more in fees than the value of the output to spend something, then this is considered dust.
To ensure transactions are relayable by Bitcoin nodes, this library enforces a dust threshold. Transactions with outputs below this threshold may not be accepted by the network. The library proactively throws an error for targets below the dust threshold to prevent the creation of such transactions. Also, the library does not generate change if it is below the dust threshold.
Use the dustThreshold
function prior to creating targets to ensure that output values exceed the minimum threshold (minOutputValue
):
import { dustThreshold } from '@bitcoinerlab/coinselect';
const minOutputValue = dustThreshold(
new Output({ descriptor: 'addr(bc1qzne9qykh9j55qt8ccqamusp099spdfr49tje60)' })
);
For a more detailed explanation, refer to the API documentation.
The rate (fee / vsize
) returned by coinselect
may be higher than the specified feeRate
. This discrepancy is due to rounding effects (target values must be integers in satoshis) and the possibility of not creating change if it falls below the dust threshold, as illustrated in the first code snippet.
After signing, the final vsize
might be lower than the initial estimate provided by coinselect()
/vsize()
. This is because vsize
is calculated assuming DER-encoded signatures of 72 bytes, though they can occasionally be 71 bytes. Consequently, the final feeRate
might exceed the pre-signing estimate. In summary, feeRateAfterSigning >= (fee / vsize) >= feeRate
.
This library adheres to Immutability principles for smoother integration with Reactive UI frameworks.
utxos
and targets
retain their original references unless they are modified (e.g., removal of utxos or addition of change in targets).inputTargets
with outputTargets
. Similarly, to check if all UTXOs were selected, compare inputUtxos
with outputUtxos
.inputTargets
differs from outputTargets
, it indicates that change was added to the remainder
. Change is always appended at the end of the targets
array.inputUtxos
≠ outputUtxos
), use: nonSelectedUtxos = inputUtxos.filter(utxo => !outputUtxos.includes(utxo))
.The UTXO selection algorithms in this library draw inspiration from bitcoinjs/coinselect.
We extend our gratitude and acknowledge the significant contributions of the bitcoinjs-lib team. Their algorithms have been instrumental in numerous wallets and projects for almost a decade.
The default algorithm within the coinselect
library, as shown in the earlier example, sorts UTXOs by their descending net value (each UTXO's value minus the fees needed to spend it). It initially attempts to find a solution using the avoidChange
algorithm, which aims to select UTXOs such that no change is required. If this is not possible, it then applies the addUntilReach
algorithm, which adds UTXOs until the total value exceeds the target value plus fees. Change is added only if it's above the dust threshold. The avoidChange
and addUntilReach
algorithms are further elaborated on in subsequent sections.
Note that in the selection process, each UTXO's contribution towards the transaction fee is evaluated. UTXOs that do not provide enough value to cover their respective fee contributions are automatically excluded. This exclusion criterion is applied across all algorithms within the library to ensure efficient transaction management.
The maxFunds
algorithm is ideal for transferring all available funds from UTXOs to a specified recipient. To use this algorithm, specify the recipient in the remainder
. It's also possible to set additional fixed-value targets, if needed.
If the remainder
value would be below the dust threshold, the function returns undefined
.
Example:
import { maxFunds } from '@bitcoinerlab/coinselect';
const { utxos, targets, fee, vsize } = maxFunds({
utxos: [
{
output: new Output({ descriptor: 'addr(bc1qzne9qykh9j55qt8ccqamusp099spdfr49tje60)' }),
value: 2000
},
{
output: new Output({ descriptor: 'addr(12higDjoCCNXSA95xZMWUdPvXNmkAduhWv)' }),
value: 4000
}
],
targets: [
// Additional fixed-value targets can be included here
],
remainder: new Output({ descriptor: 'addr(bc1qwfh5mj2kms4rrf8amr66f7d5ckmpdqdzlpr082)' }),
feeRate: 1.34
});
The value for the recipient (remainder) is determined by subtracting the sum of the values in targets
and the fee
from the total value of utxos
. To access the recipient's value, use targets[targets.length - 1].value
.
The avoidChange
function seeks a selection of UTXOs that does not necessitate change. Though the function signature is the same as the standard coinselect
(requiring a remainder
), change is never created. The remainder
is used to assess whether hypothetical change would NOT be considered dust and hence a solution is not viable.
This function does not reorder UTXOs prior to selection.
Similar to default coinselect
, the addUntilReach
algorithm continuously adds UTXOs until the combined value surpasses the targets plus fees. This function does not reorder UTXOs before selection. It assesses whether creating change is feasible, taking into account if the change exceeds the dust threshold.
The algorithms in this library are inspired by bitcoinjs/coinselect
. The default algorithm corresponds to the main coinselect
algorithm from bitcoinjs. Similarly, avoidChange
is adapted from bitcoinjs's blackjack
, and addUntilReach
is based on their accumulative
algorithm.
Despite the similarities, there are notable differences from bitcoinjs/coinselect:
dustThreshold
(detailed in previous sections), in line with Bitcoin Core's implementation. In contrast, bitcoinjs/coinselect uses a threshold that correlates with the specified feeRate
.dustThreshold
.feeRate
values are supported.This library supports handling arbitrary scripts through Miniscript-based descriptors, offering advanced functionalities beyond standard address usage.
Miniscript is a structured way to express Bitcoin scripts, enhancing the readability and flexibility of script writing. For those primarily interested in standard addresses, as discussed earlier, this advanced feature might not be necessary. However, Miniscript unlocks a broader range of possibilities for script creation and interpretation.
Consider a Miniscript descriptor representing a UTXO:
wsh(
andor(
pk(Key1),
older(10),
pkh(Key2)
)
)
In this example, Key1
and Key2
are Key Expressions which can be represented in various forms, including as hex-encoded public keys or using BIP32 notation. An example to illustrate this will be provided in the following sections.
The descriptor above defines control over a UTXO with two spending conditions:
First Branch:
Key1
.Second Branch:
Key2
.The vsize of a transaction involving a Miniscript UTXO depends on the chosen spending path, as the required witness varies.
The Miniscript above translates into the following Bitcoin witnessScript/lockingScript: <Key1> OP_CHECKSIG OP_NOTIF OP_DUP OP_HASH160 <HASH160(Key2)> OP_EQUALVERIFY OP_CHECKSIG OP_ELSE 10 OP_CHECKSEQUENCEVERIFY OP_ENDIF
.
To spend using the first branch, the scriptWitness/unlockingScript should be: <sig(Key1)>
(with the tx nSequence
set to 10
). For the second branch, the scriptWitness/unlockingScript is: <sig(Key2)> <Key2> 0
. Note that the input's weight differs depending on the spending path, impacting the overall transaction size.
The @bitcoinerlab/descriptors library provides a method to designate spending paths in Miniscript. For instance, when creating an Output
, you can specify the desired spending path:
import * as secp256k1 from '@bitcoinerlab/secp256k1';
import { OutputInstance, DescriptorsFactory } from '@bitcoinerlab/descriptors';
const { parseKeyExpression, Output } = DescriptorsFactory(secp256k1);
const Key1: string = "[73c5da0a/44'/0'/0']xpubDC5FSnBiZDMmhiuCmWAYsLwgLYrrT9rAqvTySfuCCrgsWz8wxMXUS9Tb9iVMvcRbvFcAHGkMD5Kx8koh4GquNGNTfohfk7pgjhaPCdXpoba/0/0"
const Key2: string = ...; // Some other Key Expression...
const pubKey1: Buffer = parseKeyExpression({ keyExpression: Key1 }).pubkey;
const output: OutputInstance = new Output({
descriptor: `wsh(andor(pk(${Key1}),older(10),pkh(${Key2})))`,
signersPubKeys: [pubKey1]
});
This setup informs the OutputInstance
of the desired spending path, enabling the coinselect algorithms to precisely calculate the witness size. The library constructs a satisfaction (unlockingScript/scriptWitness) based on the assumption that only signatures specified in signersPubKeys
must be used, selecting the most size-efficient witness possible with those signatures. If the spending path depends on pre-images, you should also include a preimages
parameter. For a detailed understanding, refer to the API documentation.
It's important to note that when calculating the witness size, actual signatures are not yet present. Therefore, the assumption is made for 72-byte DER-encoded signatures. Consequently, the final vsize after the transaction has been signed may be slightly smaller than the initial estimate.
Once you have prepared the OutputInstance
with a defined spending path, you can incorporate it into the coinselect
algorithm. Simply include this Output
as part of the utxos
array, along with its corresponding value. The coinselect
algorithm will then consider this Output
in its selection process, factoring in the specified spending path and witness size for an accurate and optimized transaction calculation.
For example:
import { coinselect } from '@bitcoinerlab/coinselect';
// Assuming 'output' is the OutputInstance from the previous example
// and 'outputValue' is the value associated with this output
const result = coinselect({
utxos: [
{ output: output, value: outputValue },
// ... other UTXOs
],
// ... targets, remainder, and feeRate
});
In this way, the coinselect
algorithm can effectively handle complex script conditions, ensuring transactions are constructed efficiently and accurately according to your specified requirements.
The project was initially developed and is currently maintained by Jose-Luis Landabaso. Contributions and help from other developers are welcome.
Before committing any code, make sure it passes all tests:
npm run test
Here are some resources to help you get started with contributing:
To download the source code and build the project, follow these steps:
git clone https://github.com/bitcoinerlab/coinselect.git
npm install
npm run build
This will build the project and generate the necessary files in the dist
directory.
This project is licensed under the MIT License.
FAQs
A TypeScript library for Bitcoin transaction management, based on Bitcoin Descriptors for defining inputs and outputs. It facilitates optimal UTXO selection and transaction size calculation.
We found that @bitcoinerlab/coinselect demonstrated a healthy version release cadence and project activity because the last version was released less than a year ago. It has 1 open source maintainer collaborating on the project.
Did you know?
Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.
Security News
At its inaugural meeting, the JSR Working Group outlined plans for an open governance model and a roadmap to enhance JavaScript package management.
Security News
Research
An advanced npm supply chain attack is leveraging Ethereum smart contracts for decentralized, persistent malware control, evading traditional defenses.
Security News
Research
Attackers are impersonating Sindre Sorhus on npm with a fake 'chalk-node' package containing a malicious backdoor to compromise developers' projects.