Branch data Line data Source code
1 : : // Copyright (c) 2018-present The Bitcoin Core developers
2 : : // Distributed under the MIT software license, see the accompanying
3 : : // file COPYING or http://www.opensource.org/licenses/mit-license.php.
4 : :
5 : : #include <script/descriptor.h>
6 : :
7 : : #include <hash.h>
8 : : #include <key_io.h>
9 : : #include <pubkey.h>
10 : : #include <musig.h>
11 : : #include <script/miniscript.h>
12 : : #include <script/parsing.h>
13 : : #include <script/script.h>
14 : : #include <script/signingprovider.h>
15 : : #include <script/solver.h>
16 : : #include <uint256.h>
17 : :
18 : : #include <common/args.h>
19 : : #include <span.h>
20 : : #include <util/bip32.h>
21 : : #include <util/check.h>
22 : : #include <util/strencodings.h>
23 : : #include <util/vector.h>
24 : :
25 : : #include <algorithm>
26 : : #include <memory>
27 : : #include <numeric>
28 : : #include <optional>
29 : : #include <string>
30 : : #include <vector>
31 : :
32 : : using util::Split;
33 : :
34 : : namespace {
35 : :
36 : : ////////////////////////////////////////////////////////////////////////////
37 : : // Checksum //
38 : : ////////////////////////////////////////////////////////////////////////////
39 : :
40 : : // This section implements a checksum algorithm for descriptors with the
41 : : // following properties:
42 : : // * Mistakes in a descriptor string are measured in "symbol errors". The higher
43 : : // the number of symbol errors, the harder it is to detect:
44 : : // * An error substituting a character from 0123456789()[],'/*abcdefgh@:$%{} for
45 : : // another in that set always counts as 1 symbol error.
46 : : // * Note that hex encoded keys are covered by these characters. Xprvs and
47 : : // xpubs use other characters too, but already have their own checksum
48 : : // mechanism.
49 : : // * Function names like "multi()" use other characters, but mistakes in
50 : : // these would generally result in an unparsable descriptor.
51 : : // * A case error always counts as 1 symbol error.
52 : : // * Any other 1 character substitution error counts as 1 or 2 symbol errors.
53 : : // * Any 1 symbol error is always detected.
54 : : // * Any 2 or 3 symbol error in a descriptor of up to 49154 characters is always detected.
55 : : // * Any 4 symbol error in a descriptor of up to 507 characters is always detected.
56 : : // * Any 5 symbol error in a descriptor of up to 77 characters is always detected.
57 : : // * Is optimized to minimize the chance a 5 symbol error in a descriptor up to 387 characters is undetected
58 : : // * Random errors have a chance of 1 in 2**40 of being undetected.
59 : : //
60 : : // These properties are achieved by expanding every group of 3 (non checksum) characters into
61 : : // 4 GF(32) symbols, over which a cyclic code is defined.
62 : :
63 : : /*
64 : : * Interprets c as 8 groups of 5 bits which are the coefficients of a degree 8 polynomial over GF(32),
65 : : * multiplies that polynomial by x, computes its remainder modulo a generator, and adds the constant term val.
66 : : *
67 : : * This generator is G(x) = x^8 + {30}x^7 + {23}x^6 + {15}x^5 + {14}x^4 + {10}x^3 + {6}x^2 + {12}x + {9}.
68 : : * It is chosen to define an cyclic error detecting code which is selected by:
69 : : * - Starting from all BCH codes over GF(32) of degree 8 and below, which by construction guarantee detecting
70 : : * 3 errors in windows up to 19000 symbols.
71 : : * - Taking all those generators, and for degree 7 ones, extend them to degree 8 by adding all degree-1 factors.
72 : : * - Selecting just the set of generators that guarantee detecting 4 errors in a window of length 512.
73 : : * - Selecting one of those with best worst-case behavior for 5 errors in windows of length up to 512.
74 : : *
75 : : * The generator and the constants to implement it can be verified using this Sage code:
76 : : * B = GF(2) # Binary field
77 : : * BP.<b> = B[] # Polynomials over the binary field
78 : : * F_mod = b**5 + b**3 + 1
79 : : * F.<f> = GF(32, modulus=F_mod, repr='int') # GF(32) definition
80 : : * FP.<x> = F[] # Polynomials over GF(32)
81 : : * E_mod = x**3 + x + F.fetch_int(8)
82 : : * E.<e> = F.extension(E_mod) # Extension field definition
83 : : * alpha = e**2743 # Choice of an element in extension field
84 : : * for p in divisors(E.order() - 1): # Verify alpha has order 32767.
85 : : * assert((alpha**p == 1) == (p % 32767 == 0))
86 : : * G = lcm([(alpha**i).minpoly() for i in [1056,1057,1058]] + [x + 1])
87 : : * print(G) # Print out the generator
88 : : * for i in [1,2,4,8,16]: # Print out {1,2,4,8,16}*(G mod x^8), packed in hex integers.
89 : : * v = 0
90 : : * for coef in reversed((F.fetch_int(i)*(G % x**8)).coefficients(sparse=True)):
91 : : * v = v*32 + coef.integer_representation()
92 : : * print("0x%x" % v)
93 : : */
94 : 2993384 : uint64_t PolyMod(uint64_t c, int val)
95 : : {
96 : 2993384 : uint8_t c0 = c >> 35;
97 : 2993384 : c = ((c & 0x7ffffffff) << 5) ^ val;
98 [ + + ]: 2993384 : if (c0 & 1) c ^= 0xf5dee51989;
99 [ + + ]: 2993384 : if (c0 & 2) c ^= 0xa9fdca3312;
100 [ + + ]: 2993384 : if (c0 & 4) c ^= 0x1bab10e32d;
101 [ + + ]: 2993384 : if (c0 & 8) c ^= 0x3706b1677a;
102 [ + + ]: 2993384 : if (c0 & 16) c ^= 0x644d626ffd;
103 : 2993384 : return c;
104 : : }
105 : :
106 : 15458 : std::string DescriptorChecksum(const std::span<const char>& span)
107 : : {
108 : : /** A character set designed such that:
109 : : * - The most common 'unprotected' descriptor characters (hex, keypaths) are in the first group of 32.
110 : : * - Case errors cause an offset that's a multiple of 32.
111 : : * - As many alphabetic characters are in the same group (while following the above restrictions).
112 : : *
113 : : * If p(x) gives the position of a character c in this character set, every group of 3 characters
114 : : * (a,b,c) is encoded as the 4 symbols (p(a) & 31, p(b) & 31, p(c) & 31, (p(a) / 32) + 3 * (p(b) / 32) + 9 * (p(c) / 32).
115 : : * This means that changes that only affect the lower 5 bits of the position, or only the higher 2 bits, will just
116 : : * affect a single symbol.
117 : : *
118 : : * As a result, within-group-of-32 errors count as 1 symbol, as do cross-group errors that don't affect
119 : : * the position within the groups.
120 : : */
121 : 15458 : static const std::string INPUT_CHARSET =
122 : : "0123456789()[],'/*abcdefgh@:$%{}"
123 : : "IJKLMNOPQRSTUVWXYZ&+-.;<=>?!^_|~"
124 [ + + + - : 15468 : "ijklmnopqrstuvwxyzABCDEFGH`#\"\\ ";
+ - ]
125 : :
126 : : /** The character set for the checksum itself (same as bech32). */
127 [ + + + - : 15468 : static const std::string CHECKSUM_CHARSET = "qpzry9x8gf2tvdw0s3jn54khce6mua7l";
+ - ]
128 : :
129 : 15458 : uint64_t c = 1;
130 : 15458 : int cls = 0;
131 : 15458 : int clscount = 0;
132 [ + + ]: 2163788 : for (auto ch : span) {
133 : 2148331 : auto pos = INPUT_CHARSET.find(ch);
134 [ + + ]: 2148331 : if (pos == std::string::npos) return "";
135 : 2148330 : c = PolyMod(c, pos & 31); // Emit a symbol for the position inside the group, for every character.
136 : 2148330 : cls = cls * 3 + (pos >> 5); // Accumulate the group numbers
137 [ + + ]: 2148330 : if (++clscount == 3) {
138 : : // Emit an extra symbol representing the group numbers, for every 3 characters.
139 : 706861 : c = PolyMod(c, cls);
140 : 706861 : cls = 0;
141 : 706861 : clscount = 0;
142 : : }
143 : : }
144 [ + + ]: 15457 : if (clscount > 0) c = PolyMod(c, cls);
145 [ + + ]: 139113 : for (int j = 0; j < 8; ++j) c = PolyMod(c, 0); // Shift further to determine the checksum.
146 : 15457 : c ^= 1; // Prevent appending zeroes from not affecting the checksum.
147 : :
148 : 15457 : std::string ret(8, ' ');
149 [ + + ]: 139113 : for (int j = 0; j < 8; ++j) ret[j] = CHECKSUM_CHARSET[(c >> (5 * (7 - j))) & 31];
150 : 15457 : return ret;
151 : 15457 : }
152 : :
153 [ - + + - : 29394 : std::string AddChecksum(const std::string& str) { return str + "#" + DescriptorChecksum(str); }
+ - ]
154 : :
155 : : ////////////////////////////////////////////////////////////////////////////
156 : : // Internal representation //
157 : : ////////////////////////////////////////////////////////////////////////////
158 : :
159 : : typedef std::vector<uint32_t> KeyPath;
160 : :
161 : : /** Interface for public key objects in descriptors. */
162 : : struct PubkeyProvider
163 : : {
164 : : protected:
165 : : //! Index of this key expression in the descriptor
166 : : //! E.g. If this PubkeyProvider is key1 in multi(2, key1, key2, key3), then m_expr_index = 0
167 : : uint32_t m_expr_index;
168 : :
169 : : public:
170 : 19460 : explicit PubkeyProvider(uint32_t exp_index) : m_expr_index(exp_index) {}
171 : :
172 : 97 : virtual ~PubkeyProvider() = default;
173 : :
174 : : /** Compare two public keys represented by this provider.
175 : : * Used by the Miniscript descriptors to check for duplicate keys in the script.
176 : : */
177 : 469 : bool operator<(PubkeyProvider& other) const {
178 : 469 : FlatSigningProvider dummy;
179 : :
180 [ + - ]: 469 : std::optional<CPubKey> a = GetPubKey(0, dummy, dummy);
181 [ + - ]: 469 : std::optional<CPubKey> b = other.GetPubKey(0, dummy, dummy);
182 : :
183 : 469 : return a < b;
184 : 469 : }
185 : :
186 : : /** Derive a public key and put it into out.
187 : : * read_cache is the cache to read keys from (if not nullptr)
188 : : * write_cache is the cache to write keys to (if not nullptr)
189 : : * Caches are not exclusive but this is not tested. Currently we use them exclusively
190 : : */
191 : : virtual std::optional<CPubKey> GetPubKey(int pos, const SigningProvider& arg, FlatSigningProvider& out, const DescriptorCache* read_cache = nullptr, DescriptorCache* write_cache = nullptr) const = 0;
192 : :
193 : : /** Whether this represent multiple public keys at different positions. */
194 : : virtual bool IsRange() const = 0;
195 : :
196 : : /** Get the size of the generated public key(s) in bytes (33 or 65). */
197 : : virtual size_t GetSize() const = 0;
198 : :
199 : : enum class StringType {
200 : : PUBLIC,
201 : : COMPAT // string calculation that mustn't change over time to stay compatible with previous software versions
202 : : };
203 : :
204 : : /** Get the descriptor string form. */
205 : : virtual std::string ToString(StringType type=StringType::PUBLIC) const = 0;
206 : :
207 : : /** Get the descriptor string form including private data (if available in arg). */
208 : : virtual bool ToPrivateString(const SigningProvider& arg, std::string& out) const = 0;
209 : :
210 : : /** Get the descriptor string form with the xpub at the last hardened derivation,
211 : : * and always use h for hardened derivation.
212 : : */
213 : : virtual bool ToNormalizedString(const SigningProvider& arg, std::string& out, const DescriptorCache* cache = nullptr) const = 0;
214 : :
215 : : /** Derive a private key, if private data is available in arg and put it into out. */
216 : : virtual void GetPrivKey(int pos, const SigningProvider& arg, FlatSigningProvider& out) const = 0;
217 : :
218 : : /** Return the non-extended public key for this PubkeyProvider, if it has one. */
219 : : virtual std::optional<CPubKey> GetRootPubKey() const = 0;
220 : : /** Return the extended public key for this PubkeyProvider, if it has one. */
221 : : virtual std::optional<CExtPubKey> GetRootExtPubKey() const = 0;
222 : :
223 : : /** Make a deep copy of this PubkeyProvider */
224 : : virtual std::unique_ptr<PubkeyProvider> Clone() const = 0;
225 : :
226 : : /** Whether this PubkeyProvider is a BIP 32 extended key that can be derived from */
227 : : virtual bool IsBIP32() const = 0;
228 : : };
229 : :
230 : : class OriginPubkeyProvider final : public PubkeyProvider
231 : : {
232 : : KeyOriginInfo m_origin;
233 : : std::unique_ptr<PubkeyProvider> m_provider;
234 : : bool m_apostrophe;
235 : :
236 : 159 : std::string OriginString(StringType type, bool normalized=false) const
237 : : {
238 : : // If StringType==COMPAT, always use the apostrophe to stay compatible with previous versions
239 [ + + + + : 159 : bool use_apostrophe = (!normalized && m_apostrophe) || type == StringType::COMPAT;
+ + ]
240 [ + - + - ]: 318 : return HexStr(m_origin.fingerprint) + FormatHDKeypath(m_origin.path, use_apostrophe);
241 : : }
242 : :
243 : : public:
244 : 8923 : OriginPubkeyProvider(uint32_t exp_index, KeyOriginInfo info, std::unique_ptr<PubkeyProvider> provider, bool apostrophe) : PubkeyProvider(exp_index), m_origin(std::move(info)), m_provider(std::move(provider)), m_apostrophe(apostrophe) {}
245 : 2691 : std::optional<CPubKey> GetPubKey(int pos, const SigningProvider& arg, FlatSigningProvider& out, const DescriptorCache* read_cache = nullptr, DescriptorCache* write_cache = nullptr) const override
246 : : {
247 : 2691 : std::optional<CPubKey> pub = m_provider->GetPubKey(pos, arg, out, read_cache, write_cache);
248 [ - + ]: 2691 : if (!pub) return std::nullopt;
249 : 2691 : Assert(out.pubkeys.contains(pub->GetID()));
250 : 2691 : auto& [pubkey, suborigin] = out.origins[pub->GetID()];
251 : 2691 : Assert(pubkey == *pub); // m_provider must have a valid origin by this point.
252 : 2691 : std::copy(std::begin(m_origin.fingerprint), std::end(m_origin.fingerprint), suborigin.fingerprint);
253 : 2691 : suborigin.path.insert(suborigin.path.begin(), m_origin.path.begin(), m_origin.path.end());
254 : 2691 : return pub;
255 : : }
256 : 34 : bool IsRange() const override { return m_provider->IsRange(); }
257 : 49 : size_t GetSize() const override { return m_provider->GetSize(); }
258 : 0 : bool IsBIP32() const override { return m_provider->IsBIP32(); }
259 [ + - + - : 249 : std::string ToString(StringType type) const override { return "[" + OriginString(type) + "]" + m_provider->ToString(type); }
+ - ]
260 : 80 : bool ToPrivateString(const SigningProvider& arg, std::string& ret) const override
261 : : {
262 [ + - ]: 80 : std::string sub;
263 [ + - + + ]: 80 : if (!m_provider->ToPrivateString(arg, sub)) return false;
264 [ + - + - : 92 : ret = "[" + OriginString(StringType::PUBLIC) + "]" + std::move(sub);
+ - ]
265 : 46 : return true;
266 : 80 : }
267 : 30 : bool ToNormalizedString(const SigningProvider& arg, std::string& ret, const DescriptorCache* cache) const override
268 : : {
269 [ + - ]: 30 : std::string sub;
270 [ + - + - ]: 30 : if (!m_provider->ToNormalizedString(arg, sub, cache)) return false;
271 : : // If m_provider is a BIP32PubkeyProvider, we may get a string formatted like a OriginPubkeyProvider
272 : : // In that case, we need to strip out the leading square bracket and fingerprint from the substring,
273 : : // and append that to our own origin string.
274 [ + + ]: 30 : if (sub[0] == '[') {
275 [ + - ]: 4 : sub = sub.substr(9);
276 [ + - + - : 4 : ret = "[" + OriginString(StringType::PUBLIC, /*normalized=*/true) + std::move(sub);
+ - ]
277 : : } else {
278 [ + - + - : 52 : ret = "[" + OriginString(StringType::PUBLIC, /*normalized=*/true) + "]" + std::move(sub);
+ - ]
279 : : }
280 : : return true;
281 : 30 : }
282 : 38 : void GetPrivKey(int pos, const SigningProvider& arg, FlatSigningProvider& out) const override
283 : : {
284 : 38 : m_provider->GetPrivKey(pos, arg, out);
285 : 38 : }
286 : 0 : std::optional<CPubKey> GetRootPubKey() const override
287 : : {
288 : 0 : return m_provider->GetRootPubKey();
289 : : }
290 : 0 : std::optional<CExtPubKey> GetRootExtPubKey() const override
291 : : {
292 : 0 : return m_provider->GetRootExtPubKey();
293 : : }
294 : 0 : std::unique_ptr<PubkeyProvider> Clone() const override
295 : : {
296 [ # # # # ]: 0 : return std::make_unique<OriginPubkeyProvider>(m_expr_index, m_origin, m_provider->Clone(), m_apostrophe);
297 : : }
298 : : };
299 : :
300 : : /** An object representing a parsed constant public key in a descriptor. */
301 : 97 : class ConstPubkeyProvider final : public PubkeyProvider
302 : : {
303 : : CPubKey m_pubkey;
304 : : bool m_xonly;
305 : :
306 : 459 : std::optional<CKey> GetPrivKey(const SigningProvider& arg) const
307 : : {
308 : 459 : CKey key;
309 [ + + + - : 875 : if (!(m_xonly ? arg.GetKeyByXOnly(XOnlyPubKey(m_pubkey), key) :
+ + ]
310 [ + - + - ]: 499 : arg.GetKey(m_pubkey.GetID(), key))) return std::nullopt;
311 : 376 : return key;
312 : 459 : }
313 : :
314 : : public:
315 : 9370 : ConstPubkeyProvider(uint32_t exp_index, const CPubKey& pubkey, bool xonly) : PubkeyProvider(exp_index), m_pubkey(pubkey), m_xonly(xonly) {}
316 : 5349 : std::optional<CPubKey> GetPubKey(int pos, const SigningProvider&, FlatSigningProvider& out, const DescriptorCache* read_cache = nullptr, DescriptorCache* write_cache = nullptr) const override
317 : : {
318 [ + - ]: 5349 : KeyOriginInfo info;
319 [ + - ]: 5349 : CKeyID keyid = m_pubkey.GetID();
320 : 5349 : std::copy(keyid.begin(), keyid.begin() + sizeof(info.fingerprint), info.fingerprint);
321 [ + - + - ]: 5349 : out.origins.emplace(keyid, std::make_pair(m_pubkey, info));
322 [ + - ]: 5349 : out.pubkeys.emplace(keyid, m_pubkey);
323 : 5349 : return m_pubkey;
324 : 5349 : }
325 : 737 : bool IsRange() const override { return false; }
326 : 386 : size_t GetSize() const override { return m_pubkey.size(); }
327 : 8 : bool IsBIP32() const override { return false; }
328 [ + + + - ]: 1384 : std::string ToString(StringType type) const override { return m_xonly ? HexStr(m_pubkey).substr(2) : HexStr(m_pubkey); }
329 : 256 : bool ToPrivateString(const SigningProvider& arg, std::string& ret) const override
330 : : {
331 : 256 : std::optional<CKey> key = GetPrivKey(arg);
332 [ + + ]: 256 : if (!key) return false;
333 [ + - ]: 182 : ret = EncodeSecret(*key);
334 : 182 : return true;
335 : 256 : }
336 : 216 : bool ToNormalizedString(const SigningProvider& arg, std::string& ret, const DescriptorCache* cache) const override
337 : : {
338 : 216 : ret = ToString(StringType::PUBLIC);
339 : 216 : return true;
340 : : }
341 : 203 : void GetPrivKey(int pos, const SigningProvider& arg, FlatSigningProvider& out) const override
342 : : {
343 : 203 : std::optional<CKey> key = GetPrivKey(arg);
344 [ + + ]: 203 : if (!key) return;
345 [ + - + - : 194 : out.keys.emplace(key->GetPubKey().GetID(), *key);
+ - ]
346 : 203 : }
347 : 0 : std::optional<CPubKey> GetRootPubKey() const override
348 : : {
349 : 0 : return m_pubkey;
350 : : }
351 : 0 : std::optional<CExtPubKey> GetRootExtPubKey() const override
352 : : {
353 : 0 : return std::nullopt;
354 : : }
355 : 0 : std::unique_ptr<PubkeyProvider> Clone() const override
356 : : {
357 : 0 : return std::make_unique<ConstPubkeyProvider>(m_expr_index, m_pubkey, m_xonly);
358 : : }
359 : : };
360 : :
361 : : enum class DeriveType {
362 : : NO,
363 : : UNHARDENED,
364 : : HARDENED,
365 : : };
366 : :
367 : : /** An object representing a parsed extended public key in a descriptor. */
368 : : class BIP32PubkeyProvider final : public PubkeyProvider
369 : : {
370 : : // Root xpub, path, and final derivation step type being used, if any
371 : : CExtPubKey m_root_extkey;
372 : : KeyPath m_path;
373 : : DeriveType m_derive;
374 : : // Whether ' or h is used in harded derivation
375 : : bool m_apostrophe;
376 : :
377 : 2276 : bool GetExtKey(const SigningProvider& arg, CExtKey& ret) const
378 : : {
379 : 2276 : CKey key;
380 [ + - + - : 2276 : if (!arg.GetKey(m_root_extkey.pubkey.GetID(), key)) return false;
+ + ]
381 : 2042 : ret.nDepth = m_root_extkey.nDepth;
382 : 2042 : std::copy(m_root_extkey.vchFingerprint, m_root_extkey.vchFingerprint + sizeof(ret.vchFingerprint), ret.vchFingerprint);
383 : 2042 : ret.nChild = m_root_extkey.nChild;
384 : 2042 : ret.chaincode = m_root_extkey.chaincode;
385 [ + - ]: 2042 : ret.key = key;
386 : : return true;
387 : 2276 : }
388 : :
389 : : // Derives the last xprv
390 : 1728 : bool GetDerivedExtKey(const SigningProvider& arg, CExtKey& xprv, CExtKey& last_hardened) const
391 : : {
392 [ + + ]: 1728 : if (!GetExtKey(arg, xprv)) return false;
393 [ + + ]: 5534 : for (auto entry : m_path) {
394 [ + - ]: 3824 : if (!xprv.Derive(xprv, entry)) return false;
395 [ + + ]: 3824 : if (entry >> 31) {
396 : 2992 : last_hardened = xprv;
397 : : }
398 : : }
399 : : return true;
400 : : }
401 : :
402 : 3372 : bool IsHardened() const
403 : : {
404 [ + + ]: 3372 : if (m_derive == DeriveType::HARDENED) return true;
405 [ + + ]: 4123 : for (auto entry : m_path) {
406 [ + + ]: 2151 : if (entry >> 31) return true;
407 : : }
408 : : return false;
409 : : }
410 : :
411 : : public:
412 : 1088 : BIP32PubkeyProvider(uint32_t exp_index, const CExtPubKey& extkey, KeyPath path, DeriveType derive, bool apostrophe) : PubkeyProvider(exp_index), m_root_extkey(extkey), m_path(std::move(path)), m_derive(derive), m_apostrophe(apostrophe) {}
413 : 27524 : bool IsRange() const override { return m_derive != DeriveType::NO; }
414 : 169 : size_t GetSize() const override { return 33; }
415 : 107 : bool IsBIP32() const override { return true; }
416 : 296273 : std::optional<CPubKey> GetPubKey(int pos, const SigningProvider& arg, FlatSigningProvider& out, const DescriptorCache* read_cache = nullptr, DescriptorCache* write_cache = nullptr) const override
417 : : {
418 [ + - ]: 296273 : KeyOriginInfo info;
419 [ + - ]: 296273 : CKeyID keyid = m_root_extkey.pubkey.GetID();
420 : 296273 : std::copy(keyid.begin(), keyid.begin() + sizeof(info.fingerprint), info.fingerprint);
421 [ + - ]: 296273 : info.path = m_path;
422 [ + + + - ]: 296273 : if (m_derive == DeriveType::UNHARDENED) info.path.push_back((uint32_t)pos);
423 [ + + + - ]: 296273 : if (m_derive == DeriveType::HARDENED) info.path.push_back(((uint32_t)pos) | 0x80000000L);
424 : :
425 : : // Derive keys or fetch them from cache
426 : 296273 : CExtPubKey final_extkey = m_root_extkey;
427 : 296273 : CExtPubKey parent_extkey = m_root_extkey;
428 [ + + ]: 296273 : CExtPubKey last_hardened_extkey;
429 : 296273 : bool der = true;
430 [ + + ]: 296273 : if (read_cache) {
431 [ + - + + ]: 292901 : if (!read_cache->GetCachedDerivedExtPubKey(m_expr_index, pos, final_extkey)) {
432 [ + + ]: 292859 : if (m_derive == DeriveType::HARDENED) return std::nullopt;
433 : : // Try to get the derivation parent
434 [ + - + + ]: 291859 : if (!read_cache->GetCachedParentExtPubKey(m_expr_index, parent_extkey)) return std::nullopt;
435 : 291601 : final_extkey = parent_extkey;
436 [ + + + - ]: 291601 : if (m_derive == DeriveType::UNHARDENED) der = parent_extkey.Derive(final_extkey, pos);
437 : : }
438 [ + + ]: 3372 : } else if (IsHardened()) {
439 [ + - ]: 1400 : CExtKey xprv;
440 : 1400 : CExtKey lh_xprv;
441 [ + - + + ]: 1400 : if (!GetDerivedExtKey(arg, xprv, lh_xprv)) return std::nullopt;
442 [ + - ]: 1392 : parent_extkey = xprv.Neuter();
443 [ + + + - ]: 1392 : if (m_derive == DeriveType::UNHARDENED) der = xprv.Derive(xprv, pos);
444 [ + + + - ]: 1392 : if (m_derive == DeriveType::HARDENED) der = xprv.Derive(xprv, pos | 0x80000000UL);
445 [ + - ]: 1392 : final_extkey = xprv.Neuter();
446 [ + + ]: 1392 : if (lh_xprv.key.IsValid()) {
447 [ + - ]: 1362 : last_hardened_extkey = lh_xprv.Neuter();
448 : : }
449 : 1400 : } else {
450 [ + + ]: 3760 : for (auto entry : m_path) {
451 [ + - - + ]: 1788 : if (!parent_extkey.Derive(parent_extkey, entry)) return std::nullopt;
452 : : }
453 : 1972 : final_extkey = parent_extkey;
454 [ + + + - ]: 1972 : if (m_derive == DeriveType::UNHARDENED) der = parent_extkey.Derive(final_extkey, pos);
455 [ - + ]: 1972 : assert(m_derive != DeriveType::HARDENED);
456 : : }
457 [ - + ]: 293941 : if (!der) return std::nullopt;
458 : :
459 [ + - + - : 295007 : out.origins.emplace(final_extkey.pubkey.GetID(), std::make_pair(final_extkey.pubkey, info));
+ - ]
460 [ + - + - ]: 295007 : out.pubkeys.emplace(final_extkey.pubkey.GetID(), final_extkey.pubkey);
461 : :
462 [ + + ]: 295007 : if (write_cache) {
463 : : // Only cache parent if there is any unhardened derivation
464 [ + + ]: 2302 : if (m_derive != DeriveType::HARDENED) {
465 [ + - ]: 1266 : write_cache->CacheParentExtPubKey(m_expr_index, parent_extkey);
466 : : // Cache last hardened xpub if we have it
467 [ + + ]: 1266 : if (last_hardened_extkey.pubkey.IsValid()) {
468 [ + - ]: 314 : write_cache->CacheLastHardenedExtPubKey(m_expr_index, last_hardened_extkey);
469 : : }
470 [ - + + - ]: 1036 : } else if (info.path.size() > 0) {
471 [ + - ]: 1036 : write_cache->CacheDerivedExtPubKey(m_expr_index, pos, final_extkey);
472 : : }
473 : : }
474 : :
475 : 295007 : return final_extkey.pubkey;
476 : 296273 : }
477 : 14082 : std::string ToString(StringType type, bool normalized) const
478 : : {
479 : : // If StringType==COMPAT, always use the apostrophe to stay compatible with previous versions
480 [ + + + + : 14082 : const bool use_apostrophe = (!normalized && m_apostrophe) || type == StringType::COMPAT;
+ + ]
481 [ + - + - ]: 28164 : std::string ret = EncodeExtPubKey(m_root_extkey) + FormatHDKeypath(m_path, /*apostrophe=*/use_apostrophe);
482 [ + + ]: 14082 : if (IsRange()) {
483 [ + - ]: 13539 : ret += "/*";
484 [ + + + + ]: 13539 : if (m_derive == DeriveType::HARDENED) ret += use_apostrophe ? '\'' : 'h';
485 : : }
486 : 14082 : return ret;
487 : 0 : }
488 : 14070 : std::string ToString(StringType type=StringType::PUBLIC) const override
489 : : {
490 : 13850 : return ToString(type, /*normalized=*/false);
491 : : }
492 : 548 : bool ToPrivateString(const SigningProvider& arg, std::string& out) const override
493 : : {
494 [ + - ]: 548 : CExtKey key;
495 [ + - + + ]: 548 : if (!GetExtKey(arg, key)) return false;
496 [ + - + - : 332 : out = EncodeExtKey(key) + FormatHDKeypath(m_path, /*apostrophe=*/m_apostrophe);
+ - ]
497 [ + + ]: 332 : if (IsRange()) {
498 [ + - ]: 144 : out += "/*";
499 [ + + + + ]: 560 : if (m_derive == DeriveType::HARDENED) out += m_apostrophe ? '\'' : 'h';
500 : : }
501 : : return true;
502 : 548 : }
503 : 250 : bool ToNormalizedString(const SigningProvider& arg, std::string& out, const DescriptorCache* cache) const override
504 : : {
505 [ + + ]: 250 : if (m_derive == DeriveType::HARDENED) {
506 : 12 : out = ToString(StringType::PUBLIC, /*normalized=*/true);
507 : :
508 : 12 : return true;
509 : : }
510 : : // Step backwards to find the last hardened step in the path
511 [ - + ]: 238 : int i = (int)m_path.size() - 1;
512 [ + + ]: 494 : for (; i >= 0; --i) {
513 [ + + ]: 274 : if (m_path.at(i) >> 31) {
514 : : break;
515 : : }
516 : : }
517 : : // Either no derivation or all unhardened derivation
518 [ + + ]: 238 : if (i == -1) {
519 : 220 : out = ToString();
520 : 220 : return true;
521 : : }
522 : : // Get the path to the last hardened stup
523 : 18 : KeyOriginInfo origin;
524 : 18 : int k = 0;
525 [ + + ]: 44 : for (; k <= i; ++k) {
526 : : // Add to the path
527 [ + - + - ]: 26 : origin.path.push_back(m_path.at(k));
528 : : }
529 : : // Build the remaining path
530 : 18 : KeyPath end_path;
531 [ - + + + ]: 36 : for (; k < (int)m_path.size(); ++k) {
532 [ + - + - ]: 18 : end_path.push_back(m_path.at(k));
533 : : }
534 : : // Get the fingerprint
535 [ + - ]: 18 : CKeyID id = m_root_extkey.pubkey.GetID();
536 : 18 : std::copy(id.begin(), id.begin() + 4, origin.fingerprint);
537 : :
538 [ - + ]: 18 : CExtPubKey xpub;
539 [ - + ]: 18 : CExtKey lh_xprv;
540 : : // If we have the cache, just get the parent xpub
541 [ - + ]: 18 : if (cache != nullptr) {
542 [ # # ]: 0 : cache->GetCachedLastHardenedExtPubKey(m_expr_index, xpub);
543 : : }
544 [ + - ]: 18 : if (!xpub.pubkey.IsValid()) {
545 : : // Cache miss, or nor cache, or need privkey
546 [ + - ]: 18 : CExtKey xprv;
547 [ + - - + ]: 18 : if (!GetDerivedExtKey(arg, xprv, lh_xprv)) return false;
548 [ + - ]: 18 : xpub = lh_xprv.Neuter();
549 : 18 : }
550 [ - + ]: 18 : assert(xpub.pubkey.IsValid());
551 : :
552 : : // Build the string
553 [ + - + - : 36 : std::string origin_str = HexStr(origin.fingerprint) + FormatHDKeypath(origin.path);
+ - ]
554 [ + - + - : 36 : out = "[" + origin_str + "]" + EncodeExtPubKey(xpub) + FormatHDKeypath(end_path);
+ - + - +
- ]
555 [ + + ]: 18 : if (IsRange()) {
556 [ + - ]: 4 : out += "/*";
557 [ - + ]: 4 : assert(m_derive == DeriveType::UNHARDENED);
558 : : }
559 : 18 : return true;
560 : 36 : }
561 : 310 : void GetPrivKey(int pos, const SigningProvider& arg, FlatSigningProvider& out) const override
562 : : {
563 [ + - ]: 310 : CExtKey extkey;
564 : 310 : CExtKey dummy;
565 [ + - + + ]: 310 : if (!GetDerivedExtKey(arg, extkey, dummy)) return;
566 [ + + + - : 300 : if (m_derive == DeriveType::UNHARDENED && !extkey.Derive(extkey, pos)) return;
+ - ]
567 [ + + + - : 300 : if (m_derive == DeriveType::HARDENED && !extkey.Derive(extkey, pos | 0x80000000UL)) return;
+ - ]
568 [ + - + - : 300 : out.keys.emplace(extkey.key.GetPubKey().GetID(), extkey.key);
+ - ]
569 : 310 : }
570 : 0 : std::optional<CPubKey> GetRootPubKey() const override
571 : : {
572 : 0 : return std::nullopt;
573 : : }
574 : 0 : std::optional<CExtPubKey> GetRootExtPubKey() const override
575 : : {
576 : 0 : return m_root_extkey;
577 : : }
578 : 140 : std::unique_ptr<PubkeyProvider> Clone() const override
579 : : {
580 [ - + ]: 140 : return std::make_unique<BIP32PubkeyProvider>(m_expr_index, m_root_extkey, m_path, m_derive, m_apostrophe);
581 : : }
582 : : };
583 : :
584 : : /** PubkeyProvider for a musig() expression */
585 : : class MuSigPubkeyProvider final : public PubkeyProvider
586 : : {
587 : : private:
588 : : //! PubkeyProvider for the participants
589 : : const std::vector<std::unique_ptr<PubkeyProvider>> m_participants;
590 : : //! Derivation path
591 : : const KeyPath m_path;
592 : : //! PubkeyProvider for the aggregate pubkey if it can be cached (i.e. participants are not ranged)
593 : : mutable std::unique_ptr<PubkeyProvider> m_aggregate_provider;
594 : : mutable std::optional<CPubKey> m_aggregate_pubkey;
595 : : const DeriveType m_derive;
596 : : const bool m_ranged_participants;
597 : :
598 : 222 : bool IsRangedDerivation() const { return m_derive != DeriveType::NO; }
599 : :
600 : : public:
601 : 79 : MuSigPubkeyProvider(
602 : : uint32_t exp_index,
603 : : std::vector<std::unique_ptr<PubkeyProvider>> providers,
604 : : KeyPath path,
605 : : DeriveType derive
606 : : )
607 : 79 : : PubkeyProvider(exp_index),
608 : 79 : m_participants(std::move(providers)),
609 [ + - ]: 79 : m_path(std::move(path)),
610 [ + - ]: 79 : m_derive(derive),
611 [ + - ]: 260 : m_ranged_participants(std::any_of(m_participants.begin(), m_participants.end(), [](const auto& pubkey) { return pubkey->IsRange(); }))
612 : : {
613 [ + + + - : 79 : if (!Assume(!(m_ranged_participants && IsRangedDerivation()))) {
- + ]
614 [ # # ]: 0 : throw std::runtime_error("musig(): Cannot have both ranged participants and ranged derivation");
615 : : }
616 [ - + ]: 79 : if (!Assume(m_derive != DeriveType::HARDENED)) {
617 [ # # ]: 0 : throw std::runtime_error("musig(): Cannot have hardened derivation");
618 : : }
619 : 79 : }
620 : :
621 : 411 : std::optional<CPubKey> GetPubKey(int pos, const SigningProvider& arg, FlatSigningProvider& out, const DescriptorCache* read_cache = nullptr, DescriptorCache* write_cache = nullptr) const override
622 : : {
623 : 411 : FlatSigningProvider dummy;
624 : : // If the participants are not ranged, we can compute and cache the aggregate pubkey by creating a PubkeyProvider for it
625 [ + + + + ]: 411 : if (!m_aggregate_provider && !m_ranged_participants) {
626 : : // Retrieve the pubkeys from the providers
627 : 28 : std::vector<CPubKey> pubkeys;
628 [ + + ]: 102 : for (const auto& prov : m_participants) {
629 [ + - ]: 74 : std::optional<CPubKey> pubkey = prov->GetPubKey(0, arg, dummy, read_cache, write_cache);
630 [ - + ]: 74 : if (!pubkey.has_value()) {
631 : 0 : return std::nullopt;
632 : : }
633 [ + - ]: 74 : pubkeys.push_back(pubkey.value());
634 : : }
635 : 28 : std::sort(pubkeys.begin(), pubkeys.end());
636 : :
637 : : // Aggregate the pubkey
638 [ + - ]: 28 : m_aggregate_pubkey = MuSig2AggregatePubkeys(pubkeys);
639 [ - + ]: 28 : if (!Assume(m_aggregate_pubkey.has_value())) return std::nullopt;
640 : :
641 : : // Make our pubkey provider
642 [ + + + + ]: 28 : if (IsRangedDerivation() || !m_path.empty()) {
643 : : // Make the synthetic xpub and construct the BIP32PubkeyProvider
644 [ + - ]: 24 : CExtPubKey extpub = CreateMuSig2SyntheticXpub(m_aggregate_pubkey.value());
645 [ + - - + ]: 24 : m_aggregate_provider = std::make_unique<BIP32PubkeyProvider>(m_expr_index, extpub, m_path, m_derive, /*apostrophe=*/false);
646 : : } else {
647 [ + - ]: 4 : m_aggregate_provider = std::make_unique<ConstPubkeyProvider>(m_expr_index, m_aggregate_pubkey.value(), /*xonly=*/false);
648 : : }
649 : 28 : }
650 : :
651 : : // Retrieve all participant pubkeys
652 : 411 : std::vector<CPubKey> pubkeys;
653 [ + + ]: 1500 : for (const auto& prov : m_participants) {
654 [ + - ]: 1089 : std::optional<CPubKey> pub = prov->GetPubKey(pos, arg, out, read_cache, write_cache);
655 [ - + ]: 1089 : if (!pub) return std::nullopt;
656 [ + - ]: 1089 : pubkeys.emplace_back(*pub);
657 : : }
658 : 411 : std::sort(pubkeys.begin(), pubkeys.end());
659 : :
660 [ + + ]: 411 : CPubKey pubout;
661 [ + + ]: 411 : if (m_aggregate_provider) {
662 : : // When we have a cached aggregate key, we are either returning it or deriving from it
663 : : // Either way, we can passthrough to its GetPubKey
664 : : // Use a dummy signing provider as private keys do not exist for the aggregate pubkey
665 [ + - ]: 314 : std::optional<CPubKey> pub = m_aggregate_provider->GetPubKey(pos, dummy, out, read_cache, write_cache);
666 [ - + ]: 314 : if (!pub) return std::nullopt;
667 [ + - ]: 314 : pubout = *pub;
668 [ + - + - ]: 314 : out.aggregate_pubkeys.emplace(m_aggregate_pubkey.value(), pubkeys);
669 : : } else {
670 [ + - + - ]: 97 : if (!Assume(m_ranged_participants) || !Assume(m_path.empty())) return std::nullopt;
671 : : // Compute aggregate key from derived participants
672 [ + - ]: 97 : std::optional<CPubKey> aggregate_pubkey = MuSig2AggregatePubkeys(pubkeys);
673 [ - + ]: 97 : if (!aggregate_pubkey) return std::nullopt;
674 [ + - ]: 97 : pubout = *aggregate_pubkey;
675 : :
676 [ + - ]: 97 : std::unique_ptr<ConstPubkeyProvider> this_agg_provider = std::make_unique<ConstPubkeyProvider>(m_expr_index, aggregate_pubkey.value(), /*xonly=*/false);
677 [ + - ]: 97 : this_agg_provider->GetPubKey(0, dummy, out, read_cache, write_cache);
678 [ + - ]: 97 : out.aggregate_pubkeys.emplace(pubout, pubkeys);
679 : 97 : }
680 : :
681 [ - + ]: 411 : if (!Assume(pubout.IsValid())) return std::nullopt;
682 : 411 : return pubout;
683 : 411 : }
684 [ + + + + ]: 34 : bool IsRange() const override { return IsRangedDerivation() || m_ranged_participants; }
685 : : // musig() expressions can only be used in tr() contexts which have 32 byte xonly pubkeys
686 : 0 : size_t GetSize() const override { return 32; }
687 : :
688 : 37 : std::string ToString(StringType type=StringType::PUBLIC) const override
689 : : {
690 : 37 : std::string out = "musig(";
691 [ - + + + ]: 136 : for (size_t i = 0; i < m_participants.size(); ++i) {
692 [ + - ]: 99 : const auto& pubkey = m_participants.at(i);
693 [ + + + - ]: 99 : if (i) out += ",";
694 [ + - ]: 198 : out += pubkey->ToString(type);
695 : : }
696 [ + - ]: 37 : out += ")";
697 [ + - ]: 74 : out += FormatHDKeypath(m_path);
698 [ + + ]: 37 : if (IsRangedDerivation()) {
699 [ + - ]: 20 : out += "/*";
700 : : }
701 : 37 : return out;
702 : 0 : }
703 : 66 : bool ToPrivateString(const SigningProvider& arg, std::string& out) const override
704 : : {
705 : 66 : bool any_privkeys = false;
706 : 66 : out = "musig(";
707 [ - + + + ]: 242 : for (size_t i = 0; i < m_participants.size(); ++i) {
708 : 176 : const auto& pubkey = m_participants.at(i);
709 [ + + ]: 176 : if (i) out += ",";
710 [ + - ]: 176 : std::string tmp;
711 [ + - + + ]: 176 : if (pubkey->ToPrivateString(arg, tmp)) {
712 : 72 : any_privkeys = true;
713 [ - + ]: 248 : out += tmp;
714 : : } else {
715 [ + - ]: 208 : out += pubkey->ToString();
716 : : }
717 : 176 : }
718 : 66 : out += ")";
719 [ - + ]: 132 : out += FormatHDKeypath(m_path);
720 [ + + ]: 66 : if (IsRangedDerivation()) {
721 : 34 : out += "/*";
722 : : }
723 [ + + ]: 66 : if (!any_privkeys) out.clear();
724 : 66 : return any_privkeys;
725 : : }
726 : 34 : bool ToNormalizedString(const SigningProvider& arg, std::string& out, const DescriptorCache* cache = nullptr) const override
727 : : {
728 : 34 : out = "musig(";
729 [ - + + + ]: 124 : for (size_t i = 0; i < m_participants.size(); ++i) {
730 : 90 : const auto& pubkey = m_participants.at(i);
731 [ + + ]: 90 : if (i) out += ",";
732 [ + - ]: 90 : std::string tmp;
733 [ + - - + ]: 90 : if (!pubkey->ToNormalizedString(arg, tmp, cache)) {
734 : 0 : return false;
735 : : }
736 [ - + ]: 180 : out += tmp;
737 : 90 : }
738 : 34 : out += ")";
739 [ - + ]: 68 : out += FormatHDKeypath(m_path);
740 [ + + ]: 34 : if (IsRangedDerivation()) {
741 : 18 : out += "/*";
742 : : }
743 : : return true;
744 : : }
745 : :
746 : 34 : void GetPrivKey(int pos, const SigningProvider& arg, FlatSigningProvider& out) const override
747 : : {
748 : : // Get the private keys for any participants that we have
749 : : // If there is participant derivation, it will be done.
750 : : // If there is not, then the participant privkeys will be included directly
751 [ + + ]: 124 : for (const auto& prov : m_participants) {
752 : 90 : prov->GetPrivKey(pos, arg, out);
753 : : }
754 : 34 : }
755 : :
756 : : // Get RootPubKey and GetRootExtPubKey are used to return the single pubkey underlying the pubkey provider
757 : : // to be presented to the user in gethdkeys. As this is a multisig construction, there is no single underlying
758 : : // pubkey hence nothing should be returned.
759 : : // While the aggregate pubkey could be returned as the root (ext)pubkey, it is not a pubkey that anyone should
760 : : // be using by itself in a descriptor as it is unspendable without knowing its participants.
761 : 0 : std::optional<CPubKey> GetRootPubKey() const override
762 : : {
763 : 0 : return std::nullopt;
764 : : }
765 : 0 : std::optional<CExtPubKey> GetRootExtPubKey() const override
766 : : {
767 : 0 : return std::nullopt;
768 : : }
769 : :
770 : 14 : std::unique_ptr<PubkeyProvider> Clone() const override
771 : : {
772 : 14 : std::vector<std::unique_ptr<PubkeyProvider>> providers;
773 [ - + + - ]: 14 : providers.reserve(m_participants.size());
774 [ + + ]: 56 : for (const std::unique_ptr<PubkeyProvider>& p : m_participants) {
775 [ + - + - ]: 42 : providers.emplace_back(p->Clone());
776 : : }
777 [ + - - + ]: 28 : return std::make_unique<MuSigPubkeyProvider>(m_expr_index, std::move(providers), m_path, m_derive);
778 : 14 : }
779 : 0 : bool IsBIP32() const override
780 : : {
781 : : // musig() can only be a BIP 32 key if all participants are bip32 too
782 : 0 : return std::all_of(m_participants.begin(), m_participants.end(), [](const auto& pubkey) { return pubkey->IsBIP32(); });
783 : : }
784 : : };
785 : :
786 : : /** Base class for all Descriptor implementations. */
787 : : class DescriptorImpl : public Descriptor
788 : : {
789 : : protected:
790 : : //! Public key arguments for this descriptor (size 1 for PK, PKH, WPKH; any size for WSH and Multisig).
791 : : const std::vector<std::unique_ptr<PubkeyProvider>> m_pubkey_args;
792 : : //! The string name of the descriptor function.
793 : : const std::string m_name;
794 : :
795 : : //! The sub-descriptor arguments (empty for everything but SH and WSH).
796 : : //! In doc/descriptors.m this is referred to as SCRIPT expressions sh(SCRIPT)
797 : : //! and wsh(SCRIPT), and distinct from KEY expressions and ADDR expressions.
798 : : //! Subdescriptors can only ever generate a single script.
799 : : const std::vector<std::unique_ptr<DescriptorImpl>> m_subdescriptor_args;
800 : :
801 : : //! Return a serialization of anything except pubkey and script arguments, to be prepended to those.
802 : 15154 : virtual std::string ToStringExtra() const { return ""; }
803 : :
804 : : /** A helper function to construct the scripts for this descriptor.
805 : : *
806 : : * This function is invoked once by ExpandHelper.
807 : : *
808 : : * @param pubkeys The evaluations of the m_pubkey_args field.
809 : : * @param scripts The evaluations of m_subdescriptor_args (one for each m_subdescriptor_args element).
810 : : * @param out A FlatSigningProvider to put scripts or public keys in that are necessary to the solver.
811 : : * The origin info of the provided pubkeys is automatically added.
812 : : * @return A vector with scriptPubKeys for this descriptor.
813 : : */
814 : : virtual std::vector<CScript> MakeScripts(const std::vector<CPubKey>& pubkeys, std::span<const CScript> scripts, FlatSigningProvider& out) const = 0;
815 : :
816 : : public:
817 [ - + ]: 16310 : DescriptorImpl(std::vector<std::unique_ptr<PubkeyProvider>> pubkeys, const std::string& name) : m_pubkey_args(std::move(pubkeys)), m_name(name), m_subdescriptor_args() {}
818 [ - + + - ]: 1686 : DescriptorImpl(std::vector<std::unique_ptr<PubkeyProvider>> pubkeys, std::unique_ptr<DescriptorImpl> script, const std::string& name) : m_pubkey_args(std::move(pubkeys)), m_name(name), m_subdescriptor_args(Vector(std::move(script))) {}
819 [ - + ]: 1038 : DescriptorImpl(std::vector<std::unique_ptr<PubkeyProvider>> pubkeys, std::vector<std::unique_ptr<DescriptorImpl>> scripts, const std::string& name) : m_pubkey_args(std::move(pubkeys)), m_name(name), m_subdescriptor_args(std::move(scripts)) {}
820 : :
821 : : enum class StringType
822 : : {
823 : : PUBLIC,
824 : : PRIVATE,
825 : : NORMALIZED,
826 : : COMPAT, // string calculation that mustn't change over time to stay compatible with previous software versions
827 : : };
828 : :
829 : : // NOLINTNEXTLINE(misc-no-recursion)
830 : 2416 : bool IsSolvable() const override
831 : : {
832 [ + + ]: 3576 : for (const auto& arg : m_subdescriptor_args) {
833 [ + - ]: 1160 : if (!arg->IsSolvable()) return false;
834 : : }
835 : : return true;
836 : : }
837 : :
838 : : // NOLINTNEXTLINE(misc-no-recursion)
839 : 13601 : bool IsRange() const final
840 : : {
841 [ + + ]: 14432 : for (const auto& pubkey : m_pubkey_args) {
842 [ + + ]: 13571 : if (pubkey->IsRange()) return true;
843 : : }
844 [ + + ]: 995 : for (const auto& arg : m_subdescriptor_args) {
845 [ + + ]: 238 : if (arg->IsRange()) return true;
846 : : }
847 : : return false;
848 : : }
849 : :
850 : : // NOLINTNEXTLINE(misc-no-recursion)
851 : 14819 : virtual bool ToStringSubScriptHelper(const SigningProvider* arg, std::string& ret, const StringType type, const DescriptorCache* cache = nullptr) const
852 : : {
853 : 14819 : size_t pos = 0;
854 [ + + ]: 15409 : for (const auto& scriptarg : m_subdescriptor_args) {
855 [ - + ]: 690 : if (pos++) ret += ",";
856 [ + - ]: 690 : std::string tmp;
857 [ + - + + ]: 690 : if (!scriptarg->ToStringHelper(arg, tmp, type, cache)) return false;
858 [ - + ]: 1180 : ret += tmp;
859 : 690 : }
860 : : return true;
861 : : }
862 : :
863 : : // NOLINTNEXTLINE(misc-no-recursion)
864 : 15389 : virtual bool ToStringHelper(const SigningProvider* arg, std::string& out, const StringType type, const DescriptorCache* cache = nullptr) const
865 : : {
866 : 15389 : std::string extra = ToStringExtra();
867 [ - + + + ]: 15389 : size_t pos = extra.size() > 0 ? 1 : 0;
868 [ + - + - ]: 15389 : std::string ret = m_name + "(" + extra;
869 [ + + ]: 30476 : for (const auto& pubkey : m_pubkey_args) {
870 [ + + + - ]: 15273 : if (pos++) ret += ",";
871 [ + + + + : 15273 : std::string tmp;
- ]
872 [ + + + + : 15273 : switch (type) {
- ]
873 : 410 : case StringType::NORMALIZED:
874 [ + - + - ]: 410 : if (!pubkey->ToNormalizedString(*arg, tmp, cache)) return false;
875 : : break;
876 : 566 : case StringType::PRIVATE:
877 [ + - + + ]: 566 : if (!pubkey->ToPrivateString(*arg, tmp)) return false;
878 : : break;
879 : 13840 : case StringType::PUBLIC:
880 [ + - ]: 13840 : tmp = pubkey->ToString();
881 : 13840 : break;
882 : 457 : case StringType::COMPAT:
883 [ + - ]: 457 : tmp = pubkey->ToString(PubkeyProvider::StringType::COMPAT);
884 : 457 : break;
885 : : }
886 [ - + ]: 30174 : ret += tmp;
887 : 15273 : }
888 [ + - ]: 30406 : std::string subscript;
889 [ + - + + ]: 15203 : if (!ToStringSubScriptHelper(arg, subscript, type, cache)) return false;
890 [ + + + + : 29616 : if (pos && subscript.size()) ret += ',';
+ - ]
891 [ + - ]: 30206 : out = std::move(ret) + std::move(subscript) + ")";
892 : 15103 : return true;
893 : 15389 : }
894 : :
895 : 14029 : std::string ToString(bool compat_format) const final
896 : : {
897 [ + + ]: 14029 : std::string ret;
898 [ + + + - ]: 27675 : ToStringHelper(nullptr, ret, compat_format ? StringType::COMPAT : StringType::PUBLIC);
899 [ + - ]: 14029 : return AddChecksum(ret);
900 : 14029 : }
901 : :
902 : 436 : bool ToPrivateString(const SigningProvider& arg, std::string& out) const override
903 : : {
904 : 436 : bool ret = ToStringHelper(&arg, out, StringType::PRIVATE);
905 : 436 : out = AddChecksum(out);
906 : 436 : return ret;
907 : : }
908 : :
909 : 232 : bool ToNormalizedString(const SigningProvider& arg, std::string& out, const DescriptorCache* cache) const override final
910 : : {
911 : 232 : bool ret = ToStringHelper(&arg, out, StringType::NORMALIZED, cache);
912 : 232 : out = AddChecksum(out);
913 : 232 : return ret;
914 : : }
915 : :
916 : : // NOLINTNEXTLINE(misc-no-recursion)
917 : 366366 : bool ExpandHelper(int pos, const SigningProvider& arg, const DescriptorCache* read_cache, std::vector<CScript>& output_scripts, FlatSigningProvider& out, DescriptorCache* write_cache) const
918 : : {
919 : 366366 : FlatSigningProvider subprovider;
920 : 366366 : std::vector<CPubKey> pubkeys;
921 [ - + + - ]: 366366 : pubkeys.reserve(m_pubkey_args.size());
922 : :
923 : : // Construct temporary data in `pubkeys`, `subscripts`, and `subprovider` to avoid producing output in case of failure.
924 [ + + ]: 664627 : for (const auto& p : m_pubkey_args) {
925 [ + - ]: 299521 : std::optional<CPubKey> pubkey = p->GetPubKey(pos, arg, subprovider, read_cache, write_cache);
926 [ + + ]: 299521 : if (!pubkey) return false;
927 [ + - ]: 298261 : pubkeys.push_back(pubkey.value());
928 : : }
929 : 365106 : std::vector<CScript> subscripts;
930 [ + + ]: 435678 : for (const auto& subarg : m_subdescriptor_args) {
931 : 70640 : std::vector<CScript> outscripts;
932 [ + - + + ]: 70640 : if (!subarg->ExpandHelper(pos, arg, read_cache, outscripts, subprovider, write_cache)) return false;
933 [ - + - + ]: 70572 : assert(outscripts.size() == 1);
934 [ + - ]: 70572 : subscripts.emplace_back(std::move(outscripts[0]));
935 : 70640 : }
936 [ + - ]: 365038 : out.Merge(std::move(subprovider));
937 : :
938 [ - + + - ]: 365038 : output_scripts = MakeScripts(pubkeys, std::span{subscripts}, out);
939 : 365038 : return true;
940 : 731472 : }
941 : :
942 : 3361 : bool Expand(int pos, const SigningProvider& provider, std::vector<CScript>& output_scripts, FlatSigningProvider& out, DescriptorCache* write_cache = nullptr) const final
943 : : {
944 : 3361 : return ExpandHelper(pos, provider, nullptr, output_scripts, out, write_cache);
945 : : }
946 : :
947 : 292365 : bool ExpandFromCache(int pos, const DescriptorCache& read_cache, std::vector<CScript>& output_scripts, FlatSigningProvider& out) const final
948 : : {
949 : 292365 : return ExpandHelper(pos, DUMMY_SIGNING_PROVIDER, &read_cache, output_scripts, out, nullptr);
950 : : }
951 : :
952 : : // NOLINTNEXTLINE(misc-no-recursion)
953 : 385 : void ExpandPrivate(int pos, const SigningProvider& provider, FlatSigningProvider& out) const final
954 : : {
955 [ + + ]: 842 : for (const auto& p : m_pubkey_args) {
956 : 457 : p->GetPrivKey(pos, provider, out);
957 : : }
958 [ + + ]: 534 : for (const auto& arg : m_subdescriptor_args) {
959 : 149 : arg->ExpandPrivate(pos, provider, out);
960 : : }
961 : 385 : }
962 : :
963 : 159 : std::optional<OutputType> GetOutputType() const override { return std::nullopt; }
964 : :
965 : 0 : std::optional<int64_t> ScriptSize() const override { return {}; }
966 : :
967 : : /** A helper for MaxSatisfactionWeight.
968 : : *
969 : : * @param use_max_sig Whether to assume ECDSA signatures will have a high-r.
970 : : * @return The maximum size of the satisfaction in raw bytes (with no witness meaning).
971 : : */
972 : 0 : virtual std::optional<int64_t> MaxSatSize(bool use_max_sig) const { return {}; }
973 : :
974 : 8 : std::optional<int64_t> MaxSatisfactionWeight(bool) const override { return {}; }
975 : :
976 : 4 : std::optional<int64_t> MaxSatisfactionElems() const override { return {}; }
977 : :
978 : : // NOLINTNEXTLINE(misc-no-recursion)
979 : 0 : void GetPubKeys(std::set<CPubKey>& pubkeys, std::set<CExtPubKey>& ext_pubs) const override
980 : : {
981 [ # # ]: 0 : for (const auto& p : m_pubkey_args) {
982 : 0 : std::optional<CPubKey> pub = p->GetRootPubKey();
983 [ # # ]: 0 : if (pub) pubkeys.insert(*pub);
984 : 0 : std::optional<CExtPubKey> ext_pub = p->GetRootExtPubKey();
985 [ # # ]: 0 : if (ext_pub) ext_pubs.insert(*ext_pub);
986 : : }
987 [ # # ]: 0 : for (const auto& arg : m_subdescriptor_args) {
988 : 0 : arg->GetPubKeys(pubkeys, ext_pubs);
989 : : }
990 : 0 : }
991 : :
992 : : virtual std::unique_ptr<DescriptorImpl> Clone() const = 0;
993 : : };
994 : :
995 : : /** A parsed addr(A) descriptor. */
996 : : class AddressDescriptor final : public DescriptorImpl
997 : : {
998 : : const CTxDestination m_destination;
999 : : protected:
1000 : 4 : std::string ToStringExtra() const override { return EncodeDestination(m_destination); }
1001 [ # # ]: 0 : std::vector<CScript> MakeScripts(const std::vector<CPubKey>&, std::span<const CScript>, FlatSigningProvider&) const override { return Vector(GetScriptForDestination(m_destination)); }
1002 : : public:
1003 [ + - ]: 4 : AddressDescriptor(CTxDestination destination) : DescriptorImpl({}, "addr"), m_destination(std::move(destination)) {}
1004 : 0 : bool IsSolvable() const final { return false; }
1005 : :
1006 : 0 : std::optional<OutputType> GetOutputType() const override
1007 : : {
1008 : 0 : return OutputTypeFromDestination(m_destination);
1009 : : }
1010 : 0 : bool IsSingleType() const final { return true; }
1011 : 0 : bool ToPrivateString(const SigningProvider& arg, std::string& out) const final { return false; }
1012 : :
1013 [ # # ]: 0 : std::optional<int64_t> ScriptSize() const override { return GetScriptForDestination(m_destination).size(); }
1014 : 0 : std::unique_ptr<DescriptorImpl> Clone() const override
1015 : : {
1016 [ # # ]: 0 : return std::make_unique<AddressDescriptor>(m_destination);
1017 : : }
1018 : : };
1019 : :
1020 : : /** A parsed raw(H) descriptor. */
1021 : : class RawDescriptor final : public DescriptorImpl
1022 : : {
1023 : : const CScript m_script;
1024 : : protected:
1025 [ - + ]: 6 : std::string ToStringExtra() const override { return HexStr(m_script); }
1026 : 0 : std::vector<CScript> MakeScripts(const std::vector<CPubKey>&, std::span<const CScript>, FlatSigningProvider&) const override { return Vector(m_script); }
1027 : : public:
1028 [ + - ]: 3 : RawDescriptor(CScript script) : DescriptorImpl({}, "raw"), m_script(std::move(script)) {}
1029 : 0 : bool IsSolvable() const final { return false; }
1030 : :
1031 : 0 : std::optional<OutputType> GetOutputType() const override
1032 : : {
1033 : 0 : CTxDestination dest;
1034 [ # # ]: 0 : ExtractDestination(m_script, dest);
1035 [ # # ]: 0 : return OutputTypeFromDestination(dest);
1036 : 0 : }
1037 : 0 : bool IsSingleType() const final { return true; }
1038 : 0 : bool ToPrivateString(const SigningProvider& arg, std::string& out) const final { return false; }
1039 : :
1040 [ # # ]: 0 : std::optional<int64_t> ScriptSize() const override { return m_script.size(); }
1041 : :
1042 : 0 : std::unique_ptr<DescriptorImpl> Clone() const override
1043 : : {
1044 [ # # ]: 0 : return std::make_unique<RawDescriptor>(m_script);
1045 : : }
1046 : : };
1047 : :
1048 : : /** A parsed pk(P) descriptor. */
1049 : : class PKDescriptor final : public DescriptorImpl
1050 : : {
1051 : : private:
1052 : : const bool m_xonly;
1053 : : protected:
1054 : 964 : std::vector<CScript> MakeScripts(const std::vector<CPubKey>& keys, std::span<const CScript>, FlatSigningProvider&) const override
1055 : : {
1056 [ + + ]: 964 : if (m_xonly) {
1057 [ + - + - ]: 1398 : CScript script = CScript() << ToByteVector(XOnlyPubKey(keys[0])) << OP_CHECKSIG;
1058 [ + - ]: 699 : return Vector(std::move(script));
1059 : 699 : } else {
1060 [ + - ]: 530 : return Vector(GetScriptForRawPubKey(keys[0]));
1061 : : }
1062 : : }
1063 : : public:
1064 [ + - + - ]: 659 : PKDescriptor(std::unique_ptr<PubkeyProvider> prov, bool xonly = false) : DescriptorImpl(Vector(std::move(prov)), "pk"), m_xonly(xonly) {}
1065 : 5 : bool IsSingleType() const final { return true; }
1066 : :
1067 : 11 : std::optional<int64_t> ScriptSize() const override {
1068 [ + - ]: 11 : return 1 + (m_xonly ? 32 : m_pubkey_args[0]->GetSize()) + 1;
1069 : : }
1070 : :
1071 : 64 : std::optional<int64_t> MaxSatSize(bool use_max_sig) const override {
1072 [ + + ]: 59 : const auto ecdsa_sig_size = use_max_sig ? 72 : 71;
1073 [ + - + - ]: 64 : return 1 + (m_xonly ? 65 : ecdsa_sig_size);
1074 : : }
1075 : :
1076 : 58 : std::optional<int64_t> MaxSatisfactionWeight(bool use_max_sig) const override {
1077 [ + + ]: 58 : return *MaxSatSize(use_max_sig) * WITNESS_SCALE_FACTOR;
1078 : : }
1079 : :
1080 : 56 : std::optional<int64_t> MaxSatisfactionElems() const override { return 1; }
1081 : :
1082 : 0 : std::unique_ptr<DescriptorImpl> Clone() const override
1083 : : {
1084 [ # # # # ]: 0 : return std::make_unique<PKDescriptor>(m_pubkey_args.at(0)->Clone(), m_xonly);
1085 : : }
1086 : : };
1087 : :
1088 : : /** A parsed pkh(P) descriptor. */
1089 : : class PKHDescriptor final : public DescriptorImpl
1090 : : {
1091 : : protected:
1092 : 68503 : std::vector<CScript> MakeScripts(const std::vector<CPubKey>& keys, std::span<const CScript>, FlatSigningProvider&) const override
1093 : : {
1094 : 68503 : CKeyID id = keys[0].GetID();
1095 [ + - + - ]: 137006 : return Vector(GetScriptForDestination(PKHash(id)));
1096 : : }
1097 : : public:
1098 [ + - + - ]: 365 : PKHDescriptor(std::unique_ptr<PubkeyProvider> prov) : DescriptorImpl(Vector(std::move(prov)), "pkh") {}
1099 : 68 : std::optional<OutputType> GetOutputType() const override { return OutputType::LEGACY; }
1100 : 32 : bool IsSingleType() const final { return true; }
1101 : :
1102 : 18 : std::optional<int64_t> ScriptSize() const override { return 1 + 1 + 1 + 20 + 1 + 1; }
1103 : :
1104 : 47 : std::optional<int64_t> MaxSatSize(bool use_max_sig) const override {
1105 [ + + ]: 47 : const auto sig_size = use_max_sig ? 72 : 71;
1106 : 47 : return 1 + sig_size + 1 + m_pubkey_args[0]->GetSize();
1107 : : }
1108 : :
1109 : 41 : std::optional<int64_t> MaxSatisfactionWeight(bool use_max_sig) const override {
1110 : 41 : return *MaxSatSize(use_max_sig) * WITNESS_SCALE_FACTOR;
1111 : : }
1112 : :
1113 : 32 : std::optional<int64_t> MaxSatisfactionElems() const override { return 2; }
1114 : :
1115 : 0 : std::unique_ptr<DescriptorImpl> Clone() const override
1116 : : {
1117 [ # # # # ]: 0 : return std::make_unique<PKHDescriptor>(m_pubkey_args.at(0)->Clone());
1118 : : }
1119 : : };
1120 : :
1121 : : /** A parsed wpkh(P) descriptor. */
1122 : : class WPKHDescriptor final : public DescriptorImpl
1123 : : {
1124 : : protected:
1125 : 155236 : std::vector<CScript> MakeScripts(const std::vector<CPubKey>& keys, std::span<const CScript>, FlatSigningProvider&) const override
1126 : : {
1127 : 155236 : CKeyID id = keys[0].GetID();
1128 [ + - + - ]: 310472 : return Vector(GetScriptForDestination(WitnessV0KeyHash(id)));
1129 : : }
1130 : : public:
1131 [ + - + - ]: 6119 : WPKHDescriptor(std::unique_ptr<PubkeyProvider> prov) : DescriptorImpl(Vector(std::move(prov)), "wpkh") {}
1132 : 11976 : std::optional<OutputType> GetOutputType() const override { return OutputType::BECH32; }
1133 : 12331 : bool IsSingleType() const final { return true; }
1134 : :
1135 : 22 : std::optional<int64_t> ScriptSize() const override { return 1 + 1 + 20; }
1136 : :
1137 : 5784 : std::optional<int64_t> MaxSatSize(bool use_max_sig) const override {
1138 [ + + ]: 5779 : const auto sig_size = use_max_sig ? 72 : 71;
1139 : 5784 : return (1 + sig_size + 1 + 33);
1140 : : }
1141 : :
1142 : 5767 : std::optional<int64_t> MaxSatisfactionWeight(bool use_max_sig) const override {
1143 [ + + ]: 5767 : return MaxSatSize(use_max_sig);
1144 : : }
1145 : :
1146 : 5774 : std::optional<int64_t> MaxSatisfactionElems() const override { return 2; }
1147 : :
1148 : 0 : std::unique_ptr<DescriptorImpl> Clone() const override
1149 : : {
1150 [ # # # # ]: 0 : return std::make_unique<WPKHDescriptor>(m_pubkey_args.at(0)->Clone());
1151 : : }
1152 : : };
1153 : :
1154 : : /** A parsed combo(P) descriptor. */
1155 : : class ComboDescriptor final : public DescriptorImpl
1156 : : {
1157 : : protected:
1158 : 107 : std::vector<CScript> MakeScripts(const std::vector<CPubKey>& keys, std::span<const CScript>, FlatSigningProvider& out) const override
1159 : : {
1160 : 107 : std::vector<CScript> ret;
1161 [ + - ]: 107 : CKeyID id = keys[0].GetID();
1162 [ + - + - ]: 107 : ret.emplace_back(GetScriptForRawPubKey(keys[0])); // P2PK
1163 [ + - + - : 214 : ret.emplace_back(GetScriptForDestination(PKHash(id))); // P2PKH
+ - ]
1164 [ + + ]: 107 : if (keys[0].IsCompressed()) {
1165 [ + - ]: 83 : CScript p2wpkh = GetScriptForDestination(WitnessV0KeyHash(id));
1166 [ + - + - ]: 83 : out.scripts.emplace(CScriptID(p2wpkh), p2wpkh);
1167 [ + - ]: 83 : ret.emplace_back(p2wpkh);
1168 [ + - + - : 166 : ret.emplace_back(GetScriptForDestination(ScriptHash(p2wpkh))); // P2SH-P2WPKH
+ - ]
1169 : 83 : }
1170 : 107 : return ret;
1171 : 0 : }
1172 : : public:
1173 [ + - + - ]: 22 : ComboDescriptor(std::unique_ptr<PubkeyProvider> prov) : DescriptorImpl(Vector(std::move(prov)), "combo") {}
1174 : 4 : bool IsSingleType() const final { return false; }
1175 : 0 : std::unique_ptr<DescriptorImpl> Clone() const override
1176 : : {
1177 [ # # # # ]: 0 : return std::make_unique<ComboDescriptor>(m_pubkey_args.at(0)->Clone());
1178 : : }
1179 : : };
1180 : :
1181 : : /** A parsed multi(...) or sortedmulti(...) descriptor */
1182 : : class MultisigDescriptor final : public DescriptorImpl
1183 : : {
1184 : : const int m_threshold;
1185 : : const bool m_sorted;
1186 : : protected:
1187 : 214 : std::string ToStringExtra() const override { return strprintf("%i", m_threshold); }
1188 : 646 : std::vector<CScript> MakeScripts(const std::vector<CPubKey>& keys, std::span<const CScript>, FlatSigningProvider&) const override {
1189 [ + + ]: 646 : if (m_sorted) {
1190 : 72 : std::vector<CPubKey> sorted_keys(keys);
1191 : 72 : std::sort(sorted_keys.begin(), sorted_keys.end());
1192 [ + - + - ]: 144 : return Vector(GetScriptForMultisig(m_threshold, sorted_keys));
1193 : 72 : }
1194 [ + - ]: 1148 : return Vector(GetScriptForMultisig(m_threshold, keys));
1195 : : }
1196 : : public:
1197 [ + + + - ]: 664 : MultisigDescriptor(int threshold, std::vector<std::unique_ptr<PubkeyProvider>> providers, bool sorted = false) : DescriptorImpl(std::move(providers), sorted ? "sortedmulti" : "multi"), m_threshold(threshold), m_sorted(sorted) {}
1198 : 7 : bool IsSingleType() const final { return true; }
1199 : :
1200 : 37 : std::optional<int64_t> ScriptSize() const override {
1201 [ - + ]: 37 : const auto n_keys = m_pubkey_args.size();
1202 : 184 : auto op = [](int64_t acc, const std::unique_ptr<PubkeyProvider>& pk) { return acc + 1 + pk->GetSize();};
1203 : 37 : const auto pubkeys_size{std::accumulate(m_pubkey_args.begin(), m_pubkey_args.end(), int64_t{0}, op)};
1204 [ - + + - ]: 74 : return 1 + BuildScript(n_keys).size() + BuildScript(m_threshold).size() + pubkeys_size;
1205 : : }
1206 : :
1207 : 44 : std::optional<int64_t> MaxSatSize(bool use_max_sig) const override {
1208 [ + + ]: 37 : const auto sig_size = use_max_sig ? 72 : 71;
1209 : 44 : return (1 + (1 + sig_size) * m_threshold);
1210 : : }
1211 : :
1212 : 14 : std::optional<int64_t> MaxSatisfactionWeight(bool use_max_sig) const override {
1213 [ + + ]: 14 : return *MaxSatSize(use_max_sig) * WITNESS_SCALE_FACTOR;
1214 : : }
1215 : :
1216 : 22 : std::optional<int64_t> MaxSatisfactionElems() const override { return 1 + m_threshold; }
1217 : :
1218 : 0 : std::unique_ptr<DescriptorImpl> Clone() const override
1219 : : {
1220 : 0 : std::vector<std::unique_ptr<PubkeyProvider>> providers;
1221 [ # # # # ]: 0 : providers.reserve(m_pubkey_args.size());
1222 [ # # ]: 0 : std::transform(m_pubkey_args.begin(), m_pubkey_args.end(), providers.begin(), [](const std::unique_ptr<PubkeyProvider>& p) { return p->Clone(); });
1223 [ # # # # ]: 0 : return std::make_unique<MultisigDescriptor>(m_threshold, std::move(providers), m_sorted);
1224 : 0 : }
1225 : : };
1226 : :
1227 : : /** A parsed (sorted)multi_a(...) descriptor. Always uses x-only pubkeys. */
1228 : : class MultiADescriptor final : public DescriptorImpl
1229 : : {
1230 : : const int m_threshold;
1231 : : const bool m_sorted;
1232 : : protected:
1233 : 14 : std::string ToStringExtra() const override { return strprintf("%i", m_threshold); }
1234 : 90 : std::vector<CScript> MakeScripts(const std::vector<CPubKey>& keys, std::span<const CScript>, FlatSigningProvider&) const override {
1235 : 90 : CScript ret;
1236 : 90 : std::vector<XOnlyPubKey> xkeys;
1237 [ - + + - ]: 90 : xkeys.reserve(keys.size());
1238 [ + - + + ]: 240 : for (const auto& key : keys) xkeys.emplace_back(key);
1239 [ - + ]: 90 : if (m_sorted) std::sort(xkeys.begin(), xkeys.end());
1240 [ + - + - ]: 180 : ret << ToByteVector(xkeys[0]) << OP_CHECKSIG;
1241 [ - + + + ]: 150 : for (size_t i = 1; i < keys.size(); ++i) {
1242 [ + - + - ]: 180 : ret << ToByteVector(xkeys[i]) << OP_CHECKSIGADD;
1243 : : }
1244 [ + - + - ]: 90 : ret << m_threshold << OP_NUMEQUAL;
1245 [ + - ]: 90 : return Vector(std::move(ret));
1246 : 90 : }
1247 : : public:
1248 [ + - + - ]: 84 : MultiADescriptor(int threshold, std::vector<std::unique_ptr<PubkeyProvider>> providers, bool sorted = false) : DescriptorImpl(std::move(providers), sorted ? "sortedmulti_a" : "multi_a"), m_threshold(threshold), m_sorted(sorted) {}
1249 : 0 : bool IsSingleType() const final { return true; }
1250 : :
1251 : 0 : std::optional<int64_t> ScriptSize() const override {
1252 [ # # ]: 0 : const auto n_keys = m_pubkey_args.size();
1253 [ # # ]: 0 : return (1 + 32 + 1) * n_keys + BuildScript(m_threshold).size() + 1;
1254 : : }
1255 : :
1256 : 0 : std::optional<int64_t> MaxSatSize(bool use_max_sig) const override {
1257 [ # # ]: 0 : return (1 + 65) * m_threshold + (m_pubkey_args.size() - m_threshold);
1258 : : }
1259 : :
1260 [ # # ]: 0 : std::optional<int64_t> MaxSatisfactionElems() const override { return m_pubkey_args.size(); }
1261 : :
1262 : 0 : std::unique_ptr<DescriptorImpl> Clone() const override
1263 : : {
1264 : 0 : std::vector<std::unique_ptr<PubkeyProvider>> providers;
1265 [ # # # # ]: 0 : providers.reserve(m_pubkey_args.size());
1266 [ # # ]: 0 : for (const auto& arg : m_pubkey_args) {
1267 [ # # ]: 0 : providers.push_back(arg->Clone());
1268 : : }
1269 [ # # # # ]: 0 : return std::make_unique<MultiADescriptor>(m_threshold, std::move(providers), m_sorted);
1270 : 0 : }
1271 : : };
1272 : :
1273 : : /** A parsed sh(...) descriptor. */
1274 : : class SHDescriptor final : public DescriptorImpl
1275 : : {
1276 : : protected:
1277 : 68700 : std::vector<CScript> MakeScripts(const std::vector<CPubKey>&, std::span<const CScript> scripts, FlatSigningProvider& out) const override
1278 : : {
1279 [ + - + - ]: 137400 : auto ret = Vector(GetScriptForDestination(ScriptHash(scripts[0])));
1280 [ - + + - : 68700 : if (ret.size()) out.scripts.emplace(CScriptID(scripts[0]), scripts[0]);
+ - + - ]
1281 : 68700 : return ret;
1282 : 0 : }
1283 : :
1284 [ + + ]: 136 : bool IsSegwit() const { return m_subdescriptor_args[0]->GetOutputType() == OutputType::BECH32; }
1285 : :
1286 : : public:
1287 [ + - ]: 470 : SHDescriptor(std::unique_ptr<DescriptorImpl> desc) : DescriptorImpl({}, std::move(desc), "sh") {}
1288 : :
1289 : 81 : std::optional<OutputType> GetOutputType() const override
1290 : : {
1291 [ - + - + ]: 81 : assert(m_subdescriptor_args.size() == 1);
1292 [ + + ]: 81 : if (IsSegwit()) return OutputType::P2SH_SEGWIT;
1293 : 33 : return OutputType::LEGACY;
1294 : : }
1295 : 28 : bool IsSingleType() const final { return true; }
1296 : :
1297 : 24 : std::optional<int64_t> ScriptSize() const override { return 1 + 1 + 20 + 1; }
1298 : :
1299 : 55 : std::optional<int64_t> MaxSatisfactionWeight(bool use_max_sig) const override {
1300 [ + - ]: 55 : if (const auto sat_size = m_subdescriptor_args[0]->MaxSatSize(use_max_sig)) {
1301 [ + - ]: 55 : if (const auto subscript_size = m_subdescriptor_args[0]->ScriptSize()) {
1302 : : // The subscript is never witness data.
1303 : 55 : const auto subscript_weight = (1 + *subscript_size) * WITNESS_SCALE_FACTOR;
1304 : : // The weight depends on whether the inner descriptor is satisfied using the witness stack.
1305 [ + + ]: 55 : if (IsSegwit()) return subscript_weight + *sat_size;
1306 : 22 : return subscript_weight + *sat_size * WITNESS_SCALE_FACTOR;
1307 : : }
1308 : : }
1309 : 0 : return {};
1310 : : }
1311 : :
1312 : 31 : std::optional<int64_t> MaxSatisfactionElems() const override {
1313 [ + - ]: 31 : if (const auto sub_elems = m_subdescriptor_args[0]->MaxSatisfactionElems()) return 1 + *sub_elems;
1314 : 0 : return {};
1315 : : }
1316 : :
1317 : 0 : std::unique_ptr<DescriptorImpl> Clone() const override
1318 : : {
1319 [ # # # # ]: 0 : return std::make_unique<SHDescriptor>(m_subdescriptor_args.at(0)->Clone());
1320 : : }
1321 : : };
1322 : :
1323 : : /** A parsed wsh(...) descriptor. */
1324 : : class WSHDescriptor final : public DescriptorImpl
1325 : : {
1326 : : protected:
1327 : 761 : std::vector<CScript> MakeScripts(const std::vector<CPubKey>&, std::span<const CScript> scripts, FlatSigningProvider& out) const override
1328 : : {
1329 [ + - + - ]: 1522 : auto ret = Vector(GetScriptForDestination(WitnessV0ScriptHash(scripts[0])));
1330 [ - + + - : 761 : if (ret.size()) out.scripts.emplace(CScriptID(scripts[0]), scripts[0]);
+ - + - ]
1331 : 761 : return ret;
1332 : 0 : }
1333 : : public:
1334 [ + - ]: 373 : WSHDescriptor(std::unique_ptr<DescriptorImpl> desc) : DescriptorImpl({}, std::move(desc), "wsh") {}
1335 : 94 : std::optional<OutputType> GetOutputType() const override { return OutputType::BECH32; }
1336 : 18 : bool IsSingleType() const final { return true; }
1337 : :
1338 : 34 : std::optional<int64_t> ScriptSize() const override { return 1 + 1 + 32; }
1339 : :
1340 : 52 : std::optional<int64_t> MaxSatSize(bool use_max_sig) const override {
1341 [ + - ]: 52 : if (const auto sat_size = m_subdescriptor_args[0]->MaxSatSize(use_max_sig)) {
1342 [ + - ]: 52 : if (const auto subscript_size = m_subdescriptor_args[0]->ScriptSize()) {
1343 [ + + ]: 58 : return GetSizeOfCompactSize(*subscript_size) + *subscript_size + *sat_size;
1344 : : }
1345 : : }
1346 : 0 : return {};
1347 : : }
1348 : :
1349 : 36 : std::optional<int64_t> MaxSatisfactionWeight(bool use_max_sig) const override {
1350 : 36 : return MaxSatSize(use_max_sig);
1351 : : }
1352 : :
1353 : 26 : std::optional<int64_t> MaxSatisfactionElems() const override {
1354 [ + - ]: 26 : if (const auto sub_elems = m_subdescriptor_args[0]->MaxSatisfactionElems()) return 1 + *sub_elems;
1355 : 0 : return {};
1356 : : }
1357 : :
1358 : 0 : std::unique_ptr<DescriptorImpl> Clone() const override
1359 : : {
1360 [ # # # # ]: 0 : return std::make_unique<WSHDescriptor>(m_subdescriptor_args.at(0)->Clone());
1361 : : }
1362 : : };
1363 : :
1364 : : /** A parsed tr(...) descriptor. */
1365 : : class TRDescriptor final : public DescriptorImpl
1366 : : {
1367 : : std::vector<int> m_depths;
1368 : : protected:
1369 : 68836 : std::vector<CScript> MakeScripts(const std::vector<CPubKey>& keys, std::span<const CScript> scripts, FlatSigningProvider& out) const override
1370 : : {
1371 [ - + ]: 68836 : TaprootBuilder builder;
1372 [ - + - + ]: 68836 : assert(m_depths.size() == scripts.size());
1373 [ - + + + ]: 69947 : for (size_t pos = 0; pos < m_depths.size(); ++pos) {
1374 [ + + + - ]: 2222 : builder.Add(m_depths[pos], scripts[pos], TAPROOT_LEAF_TAPSCRIPT);
1375 : : }
1376 [ - + ]: 68836 : if (!builder.IsComplete()) return {};
1377 [ - + - + ]: 68836 : assert(keys.size() == 1);
1378 : 68836 : XOnlyPubKey xpk(keys[0]);
1379 [ + - - + ]: 68836 : if (!xpk.IsFullyValid()) return {};
1380 [ + - ]: 68836 : builder.Finalize(xpk);
1381 [ + - ]: 68836 : WitnessV1Taproot output = builder.GetOutput();
1382 [ + - + - ]: 68836 : out.tr_trees[output] = builder;
1383 [ + - + - ]: 137672 : return Vector(GetScriptForDestination(output));
1384 : 68836 : }
1385 : 384 : bool ToStringSubScriptHelper(const SigningProvider* arg, std::string& ret, const StringType type, const DescriptorCache* cache = nullptr) const override
1386 : : {
1387 [ + + ]: 384 : if (m_depths.empty()) return true;
1388 : 149 : std::vector<bool> path;
1389 [ - + + + ]: 364 : for (size_t pos = 0; pos < m_depths.size(); ++pos) {
1390 [ + + + - ]: 215 : if (pos) ret += ',';
1391 [ + + ]: 430 : while ((int)path.size() <= m_depths[pos]) {
1392 [ + + + - ]: 215 : if (path.size()) ret += '{';
1393 [ + - ]: 215 : path.push_back(false);
1394 : : }
1395 [ + - ]: 215 : std::string tmp;
1396 [ + - - + ]: 215 : if (!m_subdescriptor_args[pos]->ToStringHelper(arg, tmp, type, cache)) return false;
1397 [ - + ]: 215 : ret += tmp;
1398 [ + - + + ]: 281 : while (!path.empty() && path.back()) {
1399 [ + - + - ]: 66 : if (path.size() > 1) ret += '}';
1400 [ - + + - ]: 347 : path.pop_back();
1401 : : }
1402 [ + - ]: 215 : if (!path.empty()) path.back() = true;
1403 : 215 : }
1404 : : return true;
1405 : 149 : }
1406 : : public:
1407 : 519 : TRDescriptor(std::unique_ptr<PubkeyProvider> internal_key, std::vector<std::unique_ptr<DescriptorImpl>> descs, std::vector<int> depths) :
1408 [ + - + - : 519 : DescriptorImpl(Vector(std::move(internal_key)), std::move(descs), "tr"), m_depths(std::move(depths))
- + ]
1409 : : {
1410 [ - + - + : 519 : assert(m_subdescriptor_args.size() == m_depths.size());
- + ]
1411 : 519 : }
1412 : 94 : std::optional<OutputType> GetOutputType() const override { return OutputType::BECH32M; }
1413 : 34 : bool IsSingleType() const final { return true; }
1414 : :
1415 : 28 : std::optional<int64_t> ScriptSize() const override { return 1 + 1 + 32; }
1416 : :
1417 : 63 : std::optional<int64_t> MaxSatisfactionWeight(bool) const override {
1418 : : // FIXME: We assume keypath spend, which can lead to very large underestimations.
1419 : 63 : return 1 + 65;
1420 : : }
1421 : :
1422 : 35 : std::optional<int64_t> MaxSatisfactionElems() const override {
1423 : : // FIXME: See above, we assume keypath spend.
1424 : 35 : return 1;
1425 : : }
1426 : :
1427 : 0 : std::unique_ptr<DescriptorImpl> Clone() const override
1428 : : {
1429 : 0 : std::vector<std::unique_ptr<DescriptorImpl>> subdescs;
1430 [ # # # # ]: 0 : subdescs.reserve(m_subdescriptor_args.size());
1431 [ # # ]: 0 : std::transform(m_subdescriptor_args.begin(), m_subdescriptor_args.end(), subdescs.begin(), [](const std::unique_ptr<DescriptorImpl>& d) { return d->Clone(); });
1432 [ # # # # : 0 : return std::make_unique<TRDescriptor>(m_pubkey_args.at(0)->Clone(), std::move(subdescs), m_depths);
# # # # ]
1433 : 0 : }
1434 : : };
1435 : :
1436 : : /* We instantiate Miniscript here with a simple integer as key type.
1437 : : * The value of these key integers are an index in the
1438 : : * DescriptorImpl::m_pubkey_args vector.
1439 : : */
1440 : :
1441 : : /**
1442 : : * The context for converting a Miniscript descriptor into a Script.
1443 : : */
1444 : : class ScriptMaker {
1445 : : //! Keys contained in the Miniscript (the evaluation of DescriptorImpl::m_pubkey_args).
1446 : : const std::vector<CPubKey>& m_keys;
1447 : : //! The script context we're operating within (Tapscript or P2WSH).
1448 : : const miniscript::MiniscriptContext m_script_ctx;
1449 : :
1450 : : //! Get the ripemd160(sha256()) hash of this key.
1451 : : //! Any key that is valid in a descriptor serializes as 32 bytes within a Tapscript context. So we
1452 : : //! must not hash the sign-bit byte in this case.
1453 : 181 : uint160 GetHash160(uint32_t key) const {
1454 [ + + ]: 181 : if (miniscript::IsTapscript(m_script_ctx)) {
1455 : 60 : return Hash160(XOnlyPubKey{m_keys[key]});
1456 : : }
1457 : 121 : return m_keys[key].GetID();
1458 : : }
1459 : :
1460 : : public:
1461 : 803 : ScriptMaker(const std::vector<CPubKey>& keys LIFETIMEBOUND, const miniscript::MiniscriptContext script_ctx) : m_keys(keys), m_script_ctx{script_ctx} {}
1462 : :
1463 : 973 : std::vector<unsigned char> ToPKBytes(uint32_t key) const {
1464 : : // In Tapscript keys always serialize as x-only, whether an x-only key was used in the descriptor or not.
1465 [ + + ]: 973 : if (!miniscript::IsTapscript(m_script_ctx)) {
1466 : 631 : return {m_keys[key].begin(), m_keys[key].end()};
1467 : : }
1468 : 342 : const XOnlyPubKey xonly_pubkey{m_keys[key]};
1469 : 342 : return {xonly_pubkey.begin(), xonly_pubkey.end()};
1470 : : }
1471 : :
1472 : 181 : std::vector<unsigned char> ToPKHBytes(uint32_t key) const {
1473 : 181 : auto id = GetHash160(key);
1474 : 181 : return {id.begin(), id.end()};
1475 : : }
1476 : : };
1477 : :
1478 : : /**
1479 : : * The context for converting a Miniscript descriptor to its textual form.
1480 : : */
1481 : : class StringMaker {
1482 : : //! To convert private keys for private descriptors.
1483 : : const SigningProvider* m_arg;
1484 : : //! Keys contained in the Miniscript (a reference to DescriptorImpl::m_pubkey_args).
1485 : : const std::vector<std::unique_ptr<PubkeyProvider>>& m_pubkeys;
1486 : : //! Whether to serialize keys as private or public.
1487 : : bool m_private;
1488 : :
1489 : : public:
1490 : 213 : StringMaker(const SigningProvider* arg LIFETIMEBOUND, const std::vector<std::unique_ptr<PubkeyProvider>>& pubkeys LIFETIMEBOUND, bool priv)
1491 : 213 : : m_arg(arg), m_pubkeys(pubkeys), m_private(priv) {}
1492 : :
1493 : 480 : std::optional<std::string> ToString(uint32_t key) const
1494 : : {
1495 [ + + ]: 480 : std::string ret;
1496 [ + + ]: 480 : if (m_private) {
1497 [ + - + + ]: 128 : if (!m_pubkeys[key]->ToPrivateString(*m_arg, ret)) return {};
1498 : : } else {
1499 [ + - ]: 352 : ret = m_pubkeys[key]->ToString();
1500 : : }
1501 : 448 : return ret;
1502 : 480 : }
1503 : : };
1504 : :
1505 : : class MiniscriptDescriptor final : public DescriptorImpl
1506 : : {
1507 : : private:
1508 : : miniscript::NodeRef<uint32_t> m_node;
1509 : :
1510 : : protected:
1511 : 803 : std::vector<CScript> MakeScripts(const std::vector<CPubKey>& keys, std::span<const CScript> scripts,
1512 : : FlatSigningProvider& provider) const override
1513 : : {
1514 : 803 : const auto script_ctx{m_node->GetMsCtx()};
1515 [ + + ]: 1957 : for (const auto& key : keys) {
1516 [ + + ]: 1154 : if (miniscript::IsTapscript(script_ctx)) {
1517 : 402 : provider.pubkeys.emplace(Hash160(XOnlyPubKey{key}), key);
1518 : : } else {
1519 : 752 : provider.pubkeys.emplace(key.GetID(), key);
1520 : : }
1521 : : }
1522 [ + - ]: 1606 : return Vector(m_node->ToScript(ScriptMaker(keys, script_ctx)));
1523 : : }
1524 : :
1525 : : public:
1526 : 394 : MiniscriptDescriptor(std::vector<std::unique_ptr<PubkeyProvider>> providers, miniscript::NodeRef<uint32_t> node)
1527 [ + - ]: 394 : : DescriptorImpl(std::move(providers), "?"), m_node(std::move(node)) {}
1528 : :
1529 : 213 : bool ToStringHelper(const SigningProvider* arg, std::string& out, const StringType type,
1530 : : const DescriptorCache* cache = nullptr) const override
1531 : : {
1532 [ + + ]: 213 : if (const auto res = m_node->ToString(StringMaker(arg, m_pubkey_args, type == StringType::PRIVATE))) {
1533 [ + - ]: 181 : out = *res;
1534 : 181 : return true;
1535 : 181 : }
1536 : 32 : return false;
1537 : : }
1538 : :
1539 : 348 : bool IsSolvable() const override { return true; }
1540 : 0 : bool IsSingleType() const final { return true; }
1541 : :
1542 : 32 : std::optional<int64_t> ScriptSize() const override { return m_node->ScriptSize(); }
1543 : :
1544 : 32 : std::optional<int64_t> MaxSatSize(bool) const override {
1545 : : // For Miniscript we always assume high-R ECDSA signatures.
1546 [ - + + - ]: 64 : return m_node->GetWitnessSize();
1547 : : }
1548 : :
1549 : 16 : std::optional<int64_t> MaxSatisfactionElems() const override {
1550 [ + - ]: 16 : return m_node->GetStackSize();
1551 : : }
1552 : :
1553 : 5 : std::unique_ptr<DescriptorImpl> Clone() const override
1554 : : {
1555 : 5 : std::vector<std::unique_ptr<PubkeyProvider>> providers;
1556 [ - + + - ]: 5 : providers.reserve(m_pubkey_args.size());
1557 [ + + ]: 10 : for (const auto& arg : m_pubkey_args) {
1558 [ + - ]: 10 : providers.push_back(arg->Clone());
1559 : : }
1560 [ + - + - : 10 : return std::make_unique<MiniscriptDescriptor>(std::move(providers), m_node->Clone());
- + ]
1561 : 5 : }
1562 : : };
1563 : :
1564 : : /** A parsed rawtr(...) descriptor. */
1565 : : class RawTRDescriptor final : public DescriptorImpl
1566 : : {
1567 : : protected:
1568 : 392 : std::vector<CScript> MakeScripts(const std::vector<CPubKey>& keys, std::span<const CScript> scripts, FlatSigningProvider& out) const override
1569 : : {
1570 [ - + - + ]: 392 : assert(keys.size() == 1);
1571 : 392 : XOnlyPubKey xpk(keys[0]);
1572 [ - + ]: 392 : if (!xpk.IsFullyValid()) return {};
1573 [ + - ]: 392 : WitnessV1Taproot output{xpk};
1574 [ + - + - ]: 784 : return Vector(GetScriptForDestination(output));
1575 : : }
1576 : : public:
1577 [ + - + - ]: 212 : RawTRDescriptor(std::unique_ptr<PubkeyProvider> output_key) : DescriptorImpl(Vector(std::move(output_key)), "rawtr") {}
1578 : 39 : std::optional<OutputType> GetOutputType() const override { return OutputType::BECH32M; }
1579 : 13 : bool IsSingleType() const final { return true; }
1580 : :
1581 : 13 : std::optional<int64_t> ScriptSize() const override { return 1 + 1 + 32; }
1582 : :
1583 : 26 : std::optional<int64_t> MaxSatisfactionWeight(bool) const override {
1584 : : // We can't know whether there is a script path, so assume key path spend.
1585 : 26 : return 1 + 65;
1586 : : }
1587 : :
1588 : 13 : std::optional<int64_t> MaxSatisfactionElems() const override {
1589 : : // See above, we assume keypath spend.
1590 : 13 : return 1;
1591 : : }
1592 : :
1593 : 0 : std::unique_ptr<DescriptorImpl> Clone() const override
1594 : : {
1595 [ # # # # ]: 0 : return std::make_unique<RawTRDescriptor>(m_pubkey_args.at(0)->Clone());
1596 : : }
1597 : : };
1598 : :
1599 : : ////////////////////////////////////////////////////////////////////////////
1600 : : // Parser //
1601 : : ////////////////////////////////////////////////////////////////////////////
1602 : :
1603 : : enum class ParseScriptContext {
1604 : : TOP, //!< Top-level context (script goes directly in scriptPubKey)
1605 : : P2SH, //!< Inside sh() (script becomes P2SH redeemScript)
1606 : : P2WPKH, //!< Inside wpkh() (no script, pubkey only)
1607 : : P2WSH, //!< Inside wsh() (script becomes v0 witness script)
1608 : : P2TR, //!< Inside tr() (either internal key, or BIP342 script leaf)
1609 : : MUSIG, //!< Inside musig() (implies P2TR, cannot have nested musig())
1610 : : };
1611 : :
1612 : 1987 : std::optional<uint32_t> ParseKeyPathNum(std::span<const char> elem, bool& apostrophe, std::string& error, bool& has_hardened)
1613 : : {
1614 : 1987 : bool hardened = false;
1615 [ + + ]: 1987 : if (elem.size() > 0) {
1616 [ + + ]: 1981 : const char last = elem[elem.size() - 1];
1617 [ + + ]: 1981 : if (last == '\'' || last == 'h') {
1618 : 940 : elem = elem.first(elem.size() - 1);
1619 : 940 : hardened = true;
1620 : 940 : apostrophe = last == '\'';
1621 : : }
1622 : : }
1623 : 1987 : const auto p{ToIntegral<uint32_t>(std::string_view{elem.begin(), elem.end()})};
1624 [ + + ]: 1987 : if (!p) {
1625 : 14 : error = strprintf("Key path value '%s' is not a valid uint32", std::string_view{elem.begin(), elem.end()});
1626 : 14 : return std::nullopt;
1627 [ + + ]: 1973 : } else if (*p > 0x7FFFFFFFUL) {
1628 : 2 : error = strprintf("Key path value %u is out of range", *p);
1629 : 2 : return std::nullopt;
1630 : : }
1631 [ + + + + ]: 1971 : has_hardened = has_hardened || hardened;
1632 : :
1633 : 1971 : return std::make_optional<uint32_t>(*p | (((uint32_t)hardened) << 31));
1634 : : }
1635 : :
1636 : : /**
1637 : : * Parse a key path, being passed a split list of elements (the first element is ignored because it is always the key).
1638 : : *
1639 : : * @param[in] split BIP32 path string, using either ' or h for hardened derivation
1640 : : * @param[out] out Vector of parsed key paths
1641 : : * @param[out] apostrophe only updated if hardened derivation is found
1642 : : * @param[out] error parsing error message
1643 : : * @param[in] allow_multipath Allows the parsed path to use the multipath specifier
1644 : : * @param[out] has_hardened Records whether the path contains any hardened derivation
1645 : : * @returns false if parsing failed
1646 : : **/
1647 : 768 : [[nodiscard]] bool ParseKeyPath(const std::vector<std::span<const char>>& split, std::vector<KeyPath>& out, bool& apostrophe, std::string& error, bool allow_multipath, bool& has_hardened)
1648 : : {
1649 : 768 : KeyPath path;
1650 : 174 : struct MultipathSubstitutes {
1651 : : size_t placeholder_index;
1652 : : std::vector<uint32_t> values;
1653 : : };
1654 : 768 : std::optional<MultipathSubstitutes> substitutes;
1655 : 768 : has_hardened = false;
1656 : :
1657 [ - + + + ]: 2457 : for (size_t i = 1; i < split.size(); ++i) {
1658 [ + - ]: 1715 : const std::span<const char>& elem = split[i];
1659 : :
1660 : : // Check if element contains multipath specifier
1661 [ + - + + : 1715 : if (!elem.empty() && elem.front() == '<' && elem.back() == '>') {
+ + ]
1662 [ + + ]: 182 : if (!allow_multipath) {
1663 [ + - + - ]: 4 : error = strprintf("Key path value '%s' specifies multipath in a section where multipath is not allowed", std::string(elem.begin(), elem.end()));
1664 : 2 : return false;
1665 : : }
1666 [ + + ]: 180 : if (substitutes) {
1667 [ + - ]: 768 : error = "Multiple multipath key path specifiers found";
1668 : : return false;
1669 : : }
1670 : :
1671 : : // Parse each possible value
1672 [ + - ]: 178 : std::vector<std::span<const char>> nums = Split(std::span(elem.begin()+1, elem.end()-1), ";");
1673 [ - + + + ]: 178 : if (nums.size() < 2) {
1674 [ + - ]: 12 : error = "Multipath key path specifiers must have at least two items";
1675 : : return false;
1676 : : }
1677 : :
1678 : 174 : substitutes.emplace();
1679 : 174 : std::unordered_set<uint32_t> seen_substitutes;
1680 [ + + ]: 620 : for (const auto& num : nums) {
1681 [ + - ]: 454 : const auto& op_num = ParseKeyPathNum(num, apostrophe, error, has_hardened);
1682 [ + + ]: 454 : if (!op_num) return false;
1683 [ + - + + ]: 448 : auto [_, inserted] = seen_substitutes.insert(*op_num);
1684 [ + + ]: 448 : if (!inserted) {
1685 [ + - ]: 2 : error = strprintf("Duplicated key path value %u in multipath specifier", *op_num);
1686 : 2 : return false;
1687 : : }
1688 [ + - ]: 446 : substitutes->values.emplace_back(*op_num);
1689 : : }
1690 : :
1691 [ + - ]: 166 : path.emplace_back(); // Placeholder for multipath segment
1692 [ - + ]: 166 : substitutes->placeholder_index = path.size() - 1;
1693 : 186 : } else {
1694 [ + - ]: 1533 : const auto& op_num = ParseKeyPathNum(elem, apostrophe, error, has_hardened);
1695 [ + + ]: 1533 : if (!op_num) return false;
1696 [ + - ]: 1523 : path.emplace_back(*op_num);
1697 : : }
1698 : : }
1699 : :
1700 [ + + ]: 742 : if (!substitutes) {
1701 [ + - ]: 578 : out.emplace_back(std::move(path));
1702 : : } else {
1703 : : // Replace the multipath placeholder with each value while generating paths
1704 [ + + ]: 598 : for (uint32_t substitute : substitutes->values) {
1705 [ + - ]: 434 : KeyPath branch_path = path;
1706 [ + - ]: 434 : branch_path[substitutes->placeholder_index] = substitute;
1707 [ + - ]: 434 : out.emplace_back(std::move(branch_path));
1708 : 434 : }
1709 : : }
1710 : : return true;
1711 : 768 : }
1712 : :
1713 : 740 : [[nodiscard]] bool ParseKeyPath(const std::vector<std::span<const char>>& split, std::vector<KeyPath>& out, bool& apostrophe, std::string& error, bool allow_multipath)
1714 : : {
1715 : 740 : bool dummy;
1716 : 740 : return ParseKeyPath(split, out, apostrophe, error, allow_multipath, /*has_hardened=*/dummy);
1717 : : }
1718 : :
1719 : 724 : static DeriveType ParseDeriveType(std::vector<std::span<const char>>& split, bool& apostrophe)
1720 : : {
1721 : 724 : DeriveType type = DeriveType::NO;
1722 [ + + ]: 724 : if (std::ranges::equal(split.back(), std::span{"*"}.first(1))) {
1723 : 493 : split.pop_back();
1724 : 493 : type = DeriveType::UNHARDENED;
1725 [ + + + + ]: 231 : } else if (std::ranges::equal(split.back(), std::span{"*'"}.first(2)) || std::ranges::equal(split.back(), std::span{"*h"}.first(2))) {
1726 : 16 : apostrophe = std::ranges::equal(split.back(), std::span{"*'"}.first(2));
1727 : 16 : split.pop_back();
1728 : 16 : type = DeriveType::HARDENED;
1729 : : }
1730 : 724 : return type;
1731 : : }
1732 : :
1733 : : /** Parse a public key that excludes origin information. */
1734 : 1117 : std::vector<std::unique_ptr<PubkeyProvider>> ParsePubkeyInner(uint32_t key_exp_index, const std::span<const char>& sp, ParseScriptContext ctx, FlatSigningProvider& out, bool& apostrophe, std::string& error)
1735 : : {
1736 : 1117 : std::vector<std::unique_ptr<PubkeyProvider>> ret;
1737 : 1117 : bool permit_uncompressed = ctx == ParseScriptContext::TOP || ctx == ParseScriptContext::P2SH;
1738 [ + - ]: 1117 : auto split = Split(sp, '/');
1739 [ + - - + ]: 2234 : std::string str(split[0].begin(), split[0].end());
1740 [ - + + + ]: 1117 : if (str.size() == 0) {
1741 [ + - ]: 2 : error = "No key provided";
1742 : 2 : return {};
1743 : : }
1744 [ + + + + ]: 1115 : if (IsSpace(str.front()) || IsSpace(str.back())) {
1745 [ + - ]: 3 : error = strprintf("Key '%s' is invalid due to whitespace", str);
1746 : 3 : return {};
1747 : : }
1748 [ - + + + ]: 1112 : if (split.size() == 1) {
1749 [ + - + + ]: 538 : if (IsHex(str)) {
1750 [ - + + - ]: 223 : std::vector<unsigned char> data = ParseHex(str);
1751 [ - + ]: 223 : CPubKey pubkey(data);
1752 [ + + + + ]: 223 : if (pubkey.IsValid() && !pubkey.IsValidNonHybrid()) {
1753 [ + - ]: 4 : error = "Hybrid public keys are not allowed";
1754 : 4 : return {};
1755 : : }
1756 [ + - + + ]: 219 : if (pubkey.IsFullyValid()) {
1757 [ + + + + ]: 174 : if (permit_uncompressed || pubkey.IsCompressed()) {
1758 [ + - + - ]: 170 : ret.emplace_back(std::make_unique<ConstPubkeyProvider>(key_exp_index, pubkey, false));
1759 : 170 : return ret;
1760 : : } else {
1761 [ + - ]: 4 : error = "Uncompressed keys are not allowed";
1762 : 4 : return {};
1763 : : }
1764 [ - + + - : 45 : } else if (data.size() == 32 && ctx == ParseScriptContext::P2TR) {
+ + ]
1765 : 44 : unsigned char fullkey[33] = {0x02};
1766 : 44 : std::copy(data.begin(), data.end(), fullkey + 1);
1767 : 44 : pubkey.Set(std::begin(fullkey), std::end(fullkey));
1768 [ + - + - ]: 44 : if (pubkey.IsFullyValid()) {
1769 [ + - + - ]: 44 : ret.emplace_back(std::make_unique<ConstPubkeyProvider>(key_exp_index, pubkey, true));
1770 : 44 : return ret;
1771 : : }
1772 : : }
1773 [ + - ]: 1 : error = strprintf("Pubkey '%s' is invalid", str);
1774 : 1 : return {};
1775 : 223 : }
1776 [ + - ]: 315 : CKey key = DecodeSecret(str);
1777 [ + + ]: 315 : if (key.IsValid()) {
1778 [ + + + + ]: 192 : if (permit_uncompressed || key.IsCompressed()) {
1779 [ + - ]: 187 : CPubKey pubkey = key.GetPubKey();
1780 [ + - + - ]: 187 : out.keys.emplace(pubkey.GetID(), key);
1781 [ + - + - ]: 187 : ret.emplace_back(std::make_unique<ConstPubkeyProvider>(key_exp_index, pubkey, ctx == ParseScriptContext::P2TR));
1782 : 187 : return ret;
1783 : : } else {
1784 [ + - ]: 5 : error = "Uncompressed keys are not allowed";
1785 : 5 : return {};
1786 : : }
1787 : : }
1788 : 315 : }
1789 [ + - ]: 697 : CExtKey extkey = DecodeExtKey(str);
1790 [ + - ]: 697 : CExtPubKey extpubkey = DecodeExtPubKey(str);
1791 [ + + + + ]: 697 : if (!extkey.key.IsValid() && !extpubkey.pubkey.IsValid()) {
1792 [ + - ]: 3 : error = strprintf("key '%s' is not valid", str);
1793 : 3 : return {};
1794 : : }
1795 : 694 : std::vector<KeyPath> paths;
1796 : 694 : DeriveType type = ParseDeriveType(split, apostrophe);
1797 [ + - + + ]: 694 : if (!ParseKeyPath(split, paths, apostrophe, error, /*allow_multipath=*/true)) return {};
1798 [ + + ]: 670 : if (extkey.key.IsValid()) {
1799 [ + - ]: 173 : extpubkey = extkey.Neuter();
1800 [ + - + - ]: 173 : out.keys.emplace(extpubkey.pubkey.GetID(), extkey.key);
1801 : : }
1802 [ + + ]: 1594 : for (auto& path : paths) {
1803 [ + - + - ]: 1848 : ret.emplace_back(std::make_unique<BIP32PubkeyProvider>(key_exp_index, extpubkey, std::move(path), type, apostrophe));
1804 : : }
1805 : 670 : return ret;
1806 : 2508 : }
1807 : :
1808 : : /** Parse a public key including origin information (if enabled). */
1809 : : // NOLINTNEXTLINE(misc-no-recursion)
1810 : 1202 : std::vector<std::unique_ptr<PubkeyProvider>> ParsePubkey(uint32_t& key_exp_index, const std::span<const char>& sp, ParseScriptContext ctx, FlatSigningProvider& out, std::string& error)
1811 : : {
1812 : 1202 : std::vector<std::unique_ptr<PubkeyProvider>> ret;
1813 : :
1814 : 1202 : using namespace script;
1815 : :
1816 : : // musig cannot be nested inside of an origin
1817 : 1202 : std::span<const char> span = sp;
1818 [ + - + - : 1202 : if (Const("musig(", span, /*skip=*/false)) {
+ + ]
1819 [ + + ]: 69 : if (ctx != ParseScriptContext::P2TR) {
1820 [ + - ]: 12 : error = "musig() is only allowed in tr() and rawtr()";
1821 : 12 : return {};
1822 : : }
1823 : :
1824 : : // Split the span on the end parentheses. The end parentheses must
1825 : : // be included in the resulting span so that Expr is happy.
1826 [ + - ]: 57 : auto split = Split(sp, ')', /*include_sep=*/true);
1827 [ - + + + ]: 57 : if (split.size() > 2) {
1828 [ + - ]: 2 : error = "Too many ')' in musig() expression";
1829 : 2 : return {};
1830 : : }
1831 [ + - + - : 55 : std::span<const char> expr(split.at(0).begin(), split.at(0).end());
+ - ]
1832 [ + - + - : 55 : if (!Func("musig", expr)) {
+ + ]
1833 [ + - ]: 2 : error = "Invalid musig() expression";
1834 : 2 : return {};
1835 : : }
1836 : :
1837 : : // Parse the participant pubkeys
1838 : 53 : bool any_ranged = false;
1839 : 53 : bool all_bip32 = true;
1840 : 53 : std::vector<std::vector<std::unique_ptr<PubkeyProvider>>> providers;
1841 : 53 : bool any_key_parsed = false;
1842 : 53 : size_t max_multipath_len = 0;
1843 [ + + ]: 184 : while (expr.size()) {
1844 [ + + + - : 211 : if (any_key_parsed && !Const(",", expr)) {
+ - - + -
+ - - ]
1845 [ # # ]: 0 : error = strprintf("musig(): expected ',', got '%c'", expr[0]);
1846 : 0 : return {};
1847 : : }
1848 [ + - ]: 131 : auto arg = Expr(expr);
1849 [ + - ]: 131 : auto pk = ParsePubkey(key_exp_index, arg, ParseScriptContext::MUSIG, out, error);
1850 [ - + ]: 131 : if (pk.empty()) {
1851 [ # # ]: 0 : error = strprintf("musig(): %s", error);
1852 : 0 : return {};
1853 : : }
1854 : 131 : any_key_parsed = true;
1855 : :
1856 [ + + + - : 242 : any_ranged = any_ranged || pk.at(0)->IsRange();
+ + ]
1857 [ + + + - : 246 : all_bip32 = all_bip32 && pk.at(0)->IsBIP32();
+ + ]
1858 : :
1859 [ - + + + ]: 131 : max_multipath_len = std::max(max_multipath_len, pk.size());
1860 : :
1861 [ + - ]: 131 : providers.emplace_back(std::move(pk));
1862 : 131 : key_exp_index++;
1863 : 131 : }
1864 [ + + ]: 53 : if (!any_key_parsed) {
1865 [ + - ]: 2 : error = "musig(): Must contain key expressions";
1866 : 2 : return {};
1867 : : }
1868 : :
1869 : : // Parse any derivation
1870 : 51 : DeriveType deriv_type = DeriveType::NO;
1871 : 51 : std::vector<KeyPath> derivation_multipaths;
1872 [ - + + - : 153 : if (split.size() == 2 && Const("/", split.at(1), /*skip=*/false)) {
+ - + - +
+ + + ]
1873 [ + + ]: 38 : if (!all_bip32) {
1874 [ + - ]: 4 : error = "musig(): derivation requires all participants to be xpubs or xprvs";
1875 : 4 : return {};
1876 : : }
1877 [ + + ]: 34 : if (any_ranged) {
1878 [ + - ]: 4 : error = "musig(): Cannot have ranged participant keys if musig() also has derivation";
1879 : 4 : return {};
1880 : : }
1881 : 30 : bool dummy = false;
1882 [ + - + - ]: 30 : auto deriv_split = Split(split.at(1), '/');
1883 : 30 : deriv_type = ParseDeriveType(deriv_split, dummy);
1884 [ + + ]: 30 : if (deriv_type == DeriveType::HARDENED) {
1885 [ + - ]: 2 : error = "musig(): Cannot have hardened child derivation";
1886 : 2 : return {};
1887 : : }
1888 : 28 : bool has_hardened = false;
1889 [ + - - + ]: 28 : if (!ParseKeyPath(deriv_split, derivation_multipaths, dummy, error, /*allow_multipath=*/true, has_hardened)) {
1890 [ # # ]: 0 : error = "musig(): " + error;
1891 : 0 : return {};
1892 : : }
1893 [ + + ]: 28 : if (has_hardened) {
1894 [ + - ]: 2 : error = "musig(): cannot have hardened derivation steps";
1895 : 2 : return {};
1896 : : }
1897 : 30 : } else {
1898 [ + - ]: 13 : derivation_multipaths.emplace_back();
1899 : : }
1900 : :
1901 : : // Makes sure that all providers vectors in providers are the given length, or exactly length 1
1902 : : // Length 1 vectors have the single provider cloned until it matches the given length.
1903 : 53 : const auto& clone_providers = [&providers](size_t length) -> bool {
1904 [ + + ]: 56 : for (auto& multipath_providers : providers) {
1905 [ - + + + ]: 42 : if (multipath_providers.size() == 1) {
1906 [ + + ]: 84 : for (size_t i = 1; i < length; ++i) {
1907 [ + - ]: 56 : multipath_providers.emplace_back(multipath_providers.at(0)->Clone());
1908 : : }
1909 [ + - ]: 14 : } else if (multipath_providers.size() != length) {
1910 : : return false;
1911 : : }
1912 : : }
1913 : : return true;
1914 : 39 : };
1915 : :
1916 : : // Emplace the final MuSigPubkeyProvider into ret with the pubkey providers from the specified provider vectors index
1917 : : // and the path from the specified path index
1918 : 104 : const auto& emplace_final_provider = [&ret, &key_exp_index, &deriv_type, &derivation_multipaths, &providers](size_t vec_idx, size_t path_idx) -> void {
1919 : 65 : KeyPath& path = derivation_multipaths.at(path_idx);
1920 : 65 : std::vector<std::unique_ptr<PubkeyProvider>> pubs;
1921 [ - + + - ]: 65 : pubs.reserve(providers.size());
1922 [ + + ]: 248 : for (auto& vec : providers) {
1923 [ + - + - ]: 183 : pubs.emplace_back(std::move(vec.at(vec_idx)));
1924 : : }
1925 [ + - + - ]: 65 : ret.emplace_back(std::make_unique<MuSigPubkeyProvider>(key_exp_index, std::move(pubs), path, deriv_type));
1926 : 65 : };
1927 : :
1928 [ + + + + ]: 48 : if (max_multipath_len > 1 && derivation_multipaths.size() > 1) {
1929 [ + - ]: 2 : error = "musig(): Cannot have multipath participant keys if musig() is also multipath";
1930 : 2 : return {};
1931 [ + + ]: 37 : } else if (max_multipath_len > 1) {
1932 [ + - - + ]: 7 : if (!clone_providers(max_multipath_len)) {
1933 [ # # ]: 0 : error = strprintf("musig(): Multipath derivation paths have mismatched lengths");
1934 : 0 : return {};
1935 : : }
1936 [ + + ]: 28 : for (size_t i = 0; i < max_multipath_len; ++i) {
1937 : : // Final MuSigPubkeyProvider uses participant pubkey providers at each multipath position, and the first (and only) path
1938 [ + - ]: 21 : emplace_final_provider(i, 0);
1939 : : }
1940 [ - + + + ]: 30 : } else if (derivation_multipaths.size() > 1) {
1941 : : // All key provider vectors should be length 1. Clone them until they have the same length as paths
1942 [ + - - + ]: 7 : if (!Assume(clone_providers(derivation_multipaths.size()))) {
1943 [ # # ]: 0 : error = "musig(): Multipath derivation path with multipath participants is disallowed"; // This error is unreachable due to earlier check
1944 : 0 : return {};
1945 : : }
1946 [ - + + + ]: 28 : for (size_t i = 0; i < derivation_multipaths.size(); ++i) {
1947 : : // Final MuSigPubkeyProvider uses cloned participant pubkey providers, and the multipath derivation paths
1948 [ + - ]: 21 : emplace_final_provider(i, i);
1949 : : }
1950 : : } else {
1951 : : // No multipath derivation, MuSigPubkeyProvider uses the first (and only) participant pubkey providers, and the first (and only) path
1952 [ + - ]: 23 : emplace_final_provider(0, 0);
1953 : : }
1954 : 37 : return ret;
1955 : 110 : }
1956 : :
1957 [ + - ]: 1133 : auto origin_split = Split(sp, ']');
1958 [ - + + + ]: 1133 : if (origin_split.size() > 2) {
1959 [ + - ]: 4 : error = "Multiple ']' characters found for a single pubkey";
1960 : 4 : return {};
1961 : : }
1962 : : // This is set if either the origin or path suffix contains a hardened derivation.
1963 : 1129 : bool apostrophe = false;
1964 [ + + ]: 1129 : if (origin_split.size() == 1) {
1965 [ + - ]: 1073 : return ParsePubkeyInner(key_exp_index, origin_split[0], ctx, out, apostrophe, error);
1966 : : }
1967 [ + - + + ]: 56 : if (origin_split[0].empty() || origin_split[0][0] != '[') {
1968 : 6 : error = strprintf("Key origin start '[ character expected but not found, got '%c' instead",
1969 [ + - + - ]: 2 : origin_split[0].empty() ? /** empty, implies split char */ ']' : origin_split[0][0]);
1970 : 2 : return {};
1971 : : }
1972 [ + - ]: 54 : auto slash_split = Split(origin_split[0].subspan(1), '/');
1973 [ + + ]: 54 : if (slash_split[0].size() != 8) {
1974 [ + - ]: 6 : error = strprintf("Fingerprint is not 4 bytes (%u characters instead of 8 characters)", slash_split[0].size());
1975 : 6 : return {};
1976 : : }
1977 [ + - - + ]: 96 : std::string fpr_hex = std::string(slash_split[0].begin(), slash_split[0].end());
1978 [ - + + - : 48 : if (!IsHex(fpr_hex)) {
+ + ]
1979 [ + - ]: 2 : error = strprintf("Fingerprint '%s' is not hex", fpr_hex);
1980 : 2 : return {};
1981 : : }
1982 [ - + + - ]: 46 : auto fpr_bytes = ParseHex(fpr_hex);
1983 [ - + ]: 46 : KeyOriginInfo info;
1984 : 46 : static_assert(sizeof(info.fingerprint) == 4, "Fingerprint must be 4 bytes");
1985 [ - + - + ]: 46 : assert(fpr_bytes.size() == 4);
1986 : 46 : std::copy(fpr_bytes.begin(), fpr_bytes.end(), info.fingerprint);
1987 : 46 : std::vector<KeyPath> path;
1988 [ + - + + ]: 46 : if (!ParseKeyPath(slash_split, path, apostrophe, error, /*allow_multipath=*/false)) return {};
1989 [ + - + - ]: 44 : info.path = path.at(0);
1990 [ + - ]: 44 : auto providers = ParsePubkeyInner(key_exp_index, origin_split[1], ctx, out, apostrophe, error);
1991 [ + + ]: 44 : if (providers.empty()) return {};
1992 [ - + + - ]: 42 : ret.reserve(providers.size());
1993 [ + + ]: 99 : for (auto& prov : providers) {
1994 [ + - + - ]: 114 : ret.emplace_back(std::make_unique<OriginPubkeyProvider>(key_exp_index, info, std::move(prov), apostrophe));
1995 : : }
1996 : 42 : return ret;
1997 : 1350 : }
1998 : :
1999 : 7908 : std::unique_ptr<PubkeyProvider> InferPubkey(const CPubKey& pubkey, ParseScriptContext ctx, const SigningProvider& provider)
2000 : : {
2001 : : // Key cannot be hybrid
2002 [ + + ]: 7908 : if (!pubkey.IsValidNonHybrid()) {
2003 : 2 : return nullptr;
2004 : : }
2005 : : // Uncompressed is only allowed in TOP and P2SH contexts
2006 [ + + + + ]: 7906 : if (ctx != ParseScriptContext::TOP && ctx != ParseScriptContext::P2SH && !pubkey.IsCompressed()) {
2007 : 1 : return nullptr;
2008 : : }
2009 : 7905 : std::unique_ptr<PubkeyProvider> key_provider = std::make_unique<ConstPubkeyProvider>(0, pubkey, false);
2010 [ + - ]: 7905 : KeyOriginInfo info;
2011 [ + - + - : 7905 : if (provider.GetKeyOrigin(pubkey.GetID(), info)) {
+ + ]
2012 [ + - - + ]: 7903 : return std::make_unique<OriginPubkeyProvider>(0, std::move(info), std::move(key_provider), /*apostrophe=*/false);
2013 : : }
2014 : 2 : return key_provider;
2015 : 7905 : }
2016 : :
2017 : 963 : std::unique_ptr<PubkeyProvider> InferXOnlyPubkey(const XOnlyPubKey& xkey, ParseScriptContext ctx, const SigningProvider& provider)
2018 : : {
2019 : 963 : CPubKey pubkey{xkey.GetEvenCorrespondingCPubKey()};
2020 : 963 : std::unique_ptr<PubkeyProvider> key_provider = std::make_unique<ConstPubkeyProvider>(0, pubkey, true);
2021 [ + - ]: 963 : KeyOriginInfo info;
2022 [ + - + - ]: 963 : if (provider.GetKeyOriginByXOnly(xkey, info)) {
2023 [ + - - + ]: 963 : return std::make_unique<OriginPubkeyProvider>(0, std::move(info), std::move(key_provider), /*apostrophe=*/false);
2024 : : }
2025 : 0 : return key_provider;
2026 : 963 : }
2027 : :
2028 : : /**
2029 : : * The context for parsing a Miniscript descriptor (either from Script or from its textual representation).
2030 : : */
2031 : 423 : struct KeyParser {
2032 : : //! The Key type is an index in DescriptorImpl::m_pubkey_args
2033 : : using Key = uint32_t;
2034 : : //! Must not be nullptr if parsing from string.
2035 : : FlatSigningProvider* m_out;
2036 : : //! Must not be nullptr if parsing from Script.
2037 : : const SigningProvider* m_in;
2038 : : //! List of multipath expanded keys contained in the Miniscript.
2039 : : mutable std::vector<std::vector<std::unique_ptr<PubkeyProvider>>> m_keys;
2040 : : //! Used to detect key parsing errors within a Miniscript.
2041 : : mutable std::string m_key_parsing_error;
2042 : : //! The script context we're operating within (Tapscript or P2WSH).
2043 : : const miniscript::MiniscriptContext m_script_ctx;
2044 : : //! The number of keys that were parsed before starting to parse this Miniscript descriptor.
2045 : : uint32_t m_offset;
2046 : :
2047 : 423 : KeyParser(FlatSigningProvider* out LIFETIMEBOUND, const SigningProvider* in LIFETIMEBOUND,
2048 : : miniscript::MiniscriptContext ctx, uint32_t offset = 0)
2049 : 423 : : m_out(out), m_in(in), m_script_ctx(ctx), m_offset(offset) {}
2050 : :
2051 : 469 : bool KeyCompare(const Key& a, const Key& b) const {
2052 : 469 : return *m_keys.at(a).at(0) < *m_keys.at(b).at(0);
2053 : : }
2054 : :
2055 : 591 : ParseScriptContext ParseContext() const {
2056 [ + - + ]: 591 : switch (m_script_ctx) {
2057 : : case miniscript::MiniscriptContext::P2WSH: return ParseScriptContext::P2WSH;
2058 : 205 : case miniscript::MiniscriptContext::TAPSCRIPT: return ParseScriptContext::P2TR;
2059 : : }
2060 : 0 : assert(false);
2061 : : }
2062 : :
2063 : 131 : template<typename I> std::optional<Key> FromString(I begin, I end) const
2064 : : {
2065 [ - + ]: 131 : assert(m_out);
2066 [ - + ]: 131 : Key key = m_keys.size();
2067 : 131 : uint32_t exp_index = m_offset + key;
2068 : 131 : auto pk = ParsePubkey(exp_index, {&*begin, &*end}, ParseContext(), *m_out, m_key_parsing_error);
2069 [ + + ]: 131 : if (pk.empty()) return {};
2070 [ + - ]: 127 : m_keys.emplace_back(std::move(pk));
2071 : 127 : return key;
2072 : 131 : }
2073 : :
2074 : 30 : std::optional<std::string> ToString(const Key& key) const
2075 : : {
2076 : 30 : return m_keys.at(key).at(0)->ToString();
2077 : : }
2078 : :
2079 : 388 : template<typename I> std::optional<Key> FromPKBytes(I begin, I end) const
2080 : : {
2081 [ - + ]: 388 : assert(m_in);
2082 [ - + ]: 388 : Key key = m_keys.size();
2083 [ + + + - ]: 388 : if (miniscript::IsTapscript(m_script_ctx) && end - begin == 32) {
2084 : 136 : XOnlyPubKey pubkey;
2085 : 136 : std::copy(begin, end, pubkey.begin());
2086 [ + - ]: 136 : if (auto pubkey_provider = InferXOnlyPubkey(pubkey, ParseContext(), *m_in)) {
2087 [ + - ]: 136 : m_keys.emplace_back();
2088 [ + - ]: 136 : m_keys.back().push_back(std::move(pubkey_provider));
2089 : 136 : return key;
2090 : : }
2091 [ + - ]: 252 : } else if (!miniscript::IsTapscript(m_script_ctx)) {
2092 : 252 : CPubKey pubkey(begin, end);
2093 [ + - ]: 252 : if (auto pubkey_provider = InferPubkey(pubkey, ParseContext(), *m_in)) {
2094 [ + - ]: 252 : m_keys.emplace_back();
2095 [ + - ]: 252 : m_keys.back().push_back(std::move(pubkey_provider));
2096 : 252 : return key;
2097 : : }
2098 : : }
2099 : 0 : return {};
2100 : : }
2101 : :
2102 [ - + ]: 72 : template<typename I> std::optional<Key> FromPKHBytes(I begin, I end) const
2103 : : {
2104 [ - + ]: 72 : assert(end - begin == 20);
2105 [ - + ]: 72 : assert(m_in);
2106 : 72 : uint160 hash;
2107 : 72 : std::copy(begin, end, hash.begin());
2108 : 72 : CKeyID keyid(hash);
2109 : 72 : CPubKey pubkey;
2110 [ + - ]: 72 : if (m_in->GetPubKey(keyid, pubkey)) {
2111 [ + - ]: 72 : if (auto pubkey_provider = InferPubkey(pubkey, ParseContext(), *m_in)) {
2112 [ - + ]: 72 : Key key = m_keys.size();
2113 [ + - ]: 72 : m_keys.emplace_back();
2114 [ + - ]: 72 : m_keys.back().push_back(std::move(pubkey_provider));
2115 : 72 : return key;
2116 : : }
2117 : : }
2118 : 0 : return {};
2119 : : }
2120 : :
2121 : 3076 : miniscript::MiniscriptContext MsContext() const {
2122 [ - - + - : 3076 : return m_script_ctx;
+ - + - +
- + - + -
+ - + - +
- + - - -
+ - + - +
- + - + -
- - + - +
- - - - -
- - + - +
- + - + -
+ - + - -
- + - + -
+ - + - +
- - - + -
+ - + - +
- + - + -
+ - + - +
- + - - -
+ - + - -
- - - - -
- - + - +
- + - + -
+ - - - +
- + - + -
+ - + + -
- + - ]
2123 : : }
2124 : : };
2125 : :
2126 : : /** Parse a script in a particular context. */
2127 : : // NOLINTNEXTLINE(misc-no-recursion)
2128 : 1071 : std::vector<std::unique_ptr<DescriptorImpl>> ParseScript(uint32_t& key_exp_index, std::span<const char>& sp, ParseScriptContext ctx, FlatSigningProvider& out, std::string& error)
2129 : : {
2130 : 1071 : using namespace script;
2131 : 1071 : Assume(ctx == ParseScriptContext::TOP || ctx == ParseScriptContext::P2SH || ctx == ParseScriptContext::P2WSH || ctx == ParseScriptContext::P2TR);
2132 : 1071 : std::vector<std::unique_ptr<DescriptorImpl>> ret;
2133 [ + - ]: 1071 : auto expr = Expr(sp);
2134 [ + - + - : 1071 : if (Func("pk", expr)) {
+ + ]
2135 [ + - ]: 93 : auto pubkeys = ParsePubkey(key_exp_index, expr, ctx, out, error);
2136 [ + + ]: 93 : if (pubkeys.empty()) {
2137 [ + - ]: 9 : error = strprintf("pk(): %s", error);
2138 : 9 : return {};
2139 : : }
2140 : 84 : ++key_exp_index;
2141 [ + + ]: 265 : for (auto& pubkey : pubkeys) {
2142 [ + - + - ]: 362 : ret.emplace_back(std::make_unique<PKDescriptor>(std::move(pubkey), ctx == ParseScriptContext::P2TR));
2143 : : }
2144 : 84 : return ret;
2145 : 93 : }
2146 [ + + + - : 1923 : if ((ctx == ParseScriptContext::TOP || ctx == ParseScriptContext::P2SH || ctx == ParseScriptContext::P2WSH) && Func("pkh", expr)) {
+ - + + +
+ ]
2147 [ + - ]: 120 : auto pubkeys = ParsePubkey(key_exp_index, expr, ctx, out, error);
2148 [ + + ]: 120 : if (pubkeys.empty()) {
2149 [ + - ]: 17 : error = strprintf("pkh(): %s", error);
2150 : 17 : return {};
2151 : : }
2152 : 103 : ++key_exp_index;
2153 [ + + ]: 225 : for (auto& pubkey : pubkeys) {
2154 [ + - + - ]: 244 : ret.emplace_back(std::make_unique<PKHDescriptor>(std::move(pubkey)));
2155 : : }
2156 : 103 : return ret;
2157 : 120 : }
2158 [ + + + - : 1451 : if (ctx == ParseScriptContext::TOP && Func("combo", expr)) {
+ - + + +
+ ]
2159 [ + - ]: 27 : auto pubkeys = ParsePubkey(key_exp_index, expr, ctx, out, error);
2160 [ + + ]: 27 : if (pubkeys.empty()) {
2161 [ + - ]: 5 : error = strprintf("combo(): %s", error);
2162 : 5 : return {};
2163 : : }
2164 : 22 : ++key_exp_index;
2165 [ + + ]: 44 : for (auto& pubkey : pubkeys) {
2166 [ + - + - ]: 44 : ret.emplace_back(std::make_unique<ComboDescriptor>(std::move(pubkey)));
2167 : : }
2168 : 22 : return ret;
2169 [ + - + - : 858 : } else if (Func("combo", expr)) {
+ + ]
2170 [ + - ]: 2 : error = "Can only have combo() at top level";
2171 : 2 : return {};
2172 : : }
2173 [ + - + - ]: 829 : const bool multi = Func("multi", expr);
2174 [ + + + - : 1584 : const bool sortedmulti = !multi && Func("sortedmulti", expr);
+ - + + ]
2175 [ + + + - : 1578 : const bool multi_a = !(multi || sortedmulti) && Func("multi_a", expr);
+ - + + ]
2176 [ + + + + : 1572 : const bool sortedmulti_a = !(multi || sortedmulti || multi_a) && Func("sortedmulti_a", expr);
+ - + - -
+ ]
2177 [ + + + + : 829 : if (((ctx == ParseScriptContext::TOP || ctx == ParseScriptContext::P2SH || ctx == ParseScriptContext::P2WSH) && (multi || sortedmulti)) ||
+ + + + ]
2178 [ + + - + ]: 33 : (ctx == ParseScriptContext::P2TR && (multi_a || sortedmulti_a))) {
2179 [ + - ]: 86 : auto threshold = Expr(expr);
2180 : 86 : uint32_t thres;
2181 : 86 : std::vector<std::vector<std::unique_ptr<PubkeyProvider>>> providers; // List of multipath expanded pubkeys
2182 [ + + ]: 86 : if (const auto maybe_thres{ToIntegral<uint32_t>(std::string_view{threshold.begin(), threshold.end()})}) {
2183 : 82 : thres = *maybe_thres;
2184 : : } else {
2185 [ + - + - ]: 8 : error = strprintf("Multi threshold '%s' is not valid", std::string(threshold.begin(), threshold.end()));
2186 : 4 : return {};
2187 : : }
2188 : 82 : size_t script_size = 0;
2189 : 82 : size_t max_providers_len = 0;
2190 [ + + ]: 395 : while (expr.size()) {
2191 [ + - + - : 325 : if (!Const(",", expr)) {
- + ]
2192 [ # # ]: 0 : error = strprintf("Multi: expected ',', got '%c'", expr[0]);
2193 : 0 : return {};
2194 : : }
2195 [ + - ]: 325 : auto arg = Expr(expr);
2196 [ + - ]: 325 : auto pks = ParsePubkey(key_exp_index, arg, ctx, out, error);
2197 [ + + ]: 325 : if (pks.empty()) {
2198 [ + - ]: 12 : error = strprintf("Multi: %s", error);
2199 : 12 : return {};
2200 : : }
2201 [ + - + - ]: 313 : script_size += pks.at(0)->GetSize() + 1;
2202 [ - + + + ]: 313 : max_providers_len = std::max(max_providers_len, pks.size());
2203 [ + - ]: 313 : providers.emplace_back(std::move(pks));
2204 : 313 : key_exp_index++;
2205 : 325 : }
2206 [ + + + + : 134 : if ((multi || sortedmulti) && (providers.empty() || providers.size() > MAX_PUBKEYS_PER_MULTISIG)) {
+ - - + ]
2207 [ # # # # ]: 0 : error = strprintf("Cannot have %u keys in multisig; must have between 1 and %d keys, inclusive", providers.size(), MAX_PUBKEYS_PER_MULTISIG);
2208 : 0 : return {};
2209 [ + + - + : 76 : } else if ((multi_a || sortedmulti_a) && (providers.empty() || providers.size() > MAX_PUBKEYS_PER_MULTI_A)) {
+ - - + ]
2210 [ # # # # ]: 0 : error = strprintf("Cannot have %u keys in multi_a; must have between 1 and %d keys, inclusive", providers.size(), MAX_PUBKEYS_PER_MULTI_A);
2211 : 0 : return {};
2212 [ + + ]: 70 : } else if (thres < 1) {
2213 [ + - ]: 2 : error = strprintf("Multisig threshold cannot be %d, must be at least 1", thres);
2214 : 2 : return {};
2215 [ - + + + ]: 68 : } else if (thres > providers.size()) {
2216 [ + - ]: 2 : error = strprintf("Multisig threshold cannot be larger than the number of keys; threshold is %d but only %u keys specified", thres, providers.size());
2217 : 2 : return {};
2218 : : }
2219 [ + + ]: 66 : if (ctx == ParseScriptContext::TOP) {
2220 [ + + ]: 18 : if (providers.size() > 3) {
2221 [ + - ]: 2 : error = strprintf("Cannot have %u pubkeys in bare multisig; only at most 3 pubkeys", providers.size());
2222 : 2 : return {};
2223 : : }
2224 : : }
2225 [ + + ]: 64 : if (ctx == ParseScriptContext::P2SH) {
2226 : : // This limits the maximum number of compressed pubkeys to 15.
2227 [ + + ]: 27 : if (script_size + 3 > MAX_SCRIPT_ELEMENT_SIZE) {
2228 [ + - ]: 4 : error = strprintf("P2SH script is too large, %d bytes is larger than %d bytes", script_size + 3, MAX_SCRIPT_ELEMENT_SIZE);
2229 : 4 : return {};
2230 : : }
2231 : : }
2232 : :
2233 : : // Make sure all vecs are of the same length, or exactly length 1
2234 : : // For length 1 vectors, clone key providers until vector is the same length
2235 [ + + ]: 289 : for (auto& vec : providers) {
2236 [ - + + + ]: 231 : if (vec.size() == 1) {
2237 [ + + ]: 221 : for (size_t i = 1; i < max_providers_len; ++i) {
2238 [ + - + - : 18 : vec.emplace_back(vec.at(0)->Clone());
+ - ]
2239 : : }
2240 [ + + ]: 28 : } else if (vec.size() != max_providers_len) {
2241 [ + - ]: 2 : error = strprintf("multi(): Multipath derivation paths have mismatched lengths");
2242 : 2 : return {};
2243 : : }
2244 : : }
2245 : :
2246 : : // Build the final descriptors vector
2247 [ + + ]: 135 : for (size_t i = 0; i < max_providers_len; ++i) {
2248 : : // Build final pubkeys vectors by retrieving the i'th subscript for each vector in subscripts
2249 : 77 : std::vector<std::unique_ptr<PubkeyProvider>> pubs;
2250 [ - + + - ]: 77 : pubs.reserve(providers.size());
2251 [ + + ]: 354 : for (auto& pub : providers) {
2252 [ + - + - ]: 277 : pubs.emplace_back(std::move(pub.at(i)));
2253 : : }
2254 [ + + + + ]: 77 : if (multi || sortedmulti) {
2255 [ + - + - ]: 142 : ret.emplace_back(std::make_unique<MultisigDescriptor>(thres, std::move(pubs), sortedmulti));
2256 : : } else {
2257 [ + - + - ]: 12 : ret.emplace_back(std::make_unique<MultiADescriptor>(thres, std::move(pubs), sortedmulti_a));
2258 : : }
2259 : 77 : }
2260 : 58 : return ret;
2261 [ + - - + ]: 829 : } else if (multi || sortedmulti) {
2262 [ # # ]: 0 : error = "Can only have multi/sortedmulti at top level, in sh(), or in wsh()";
2263 : 0 : return {};
2264 [ + - - + ]: 743 : } else if (multi_a || sortedmulti_a) {
2265 [ # # ]: 0 : error = "Can only have multi_a/sortedmulti_a inside tr()";
2266 : 0 : return {};
2267 : : }
2268 [ + + + - : 1397 : if ((ctx == ParseScriptContext::TOP || ctx == ParseScriptContext::P2SH) && Func("wpkh", expr)) {
+ - + + +
+ ]
2269 [ + - ]: 188 : auto pubkeys = ParsePubkey(key_exp_index, expr, ParseScriptContext::P2WPKH, out, error);
2270 [ + + ]: 188 : if (pubkeys.empty()) {
2271 [ + - ]: 27 : error = strprintf("wpkh(): %s", error);
2272 : 27 : return {};
2273 : : }
2274 : 161 : key_exp_index++;
2275 [ + + ]: 332 : for (auto& pubkey : pubkeys) {
2276 [ + - + - ]: 342 : ret.emplace_back(std::make_unique<WPKHDescriptor>(std::move(pubkey)));
2277 : : }
2278 : 161 : return ret;
2279 [ + - + - : 743 : } else if (Func("wpkh", expr)) {
+ + ]
2280 [ + - ]: 3 : error = "Can only have wpkh() at top level or inside sh()";
2281 : 3 : return {};
2282 : : }
2283 [ + + + - : 988 : if (ctx == ParseScriptContext::TOP && Func("sh", expr)) {
+ - + + +
+ ]
2284 [ + - ]: 149 : auto descs = ParseScript(key_exp_index, expr, ParseScriptContext::P2SH, out, error);
2285 [ + + + - ]: 149 : if (descs.empty() || expr.size()) return {};
2286 : 123 : std::vector<std::unique_ptr<DescriptorImpl>> ret;
2287 [ - + + - ]: 123 : ret.reserve(descs.size());
2288 [ + + ]: 265 : for (auto& desc : descs) {
2289 [ + - + - : 142 : ret.push_back(std::make_unique<SHDescriptor>(std::move(desc)));
- + ]
2290 : : }
2291 : 123 : return ret;
2292 [ + - + - : 552 : } else if (Func("sh", expr)) {
+ + ]
2293 [ + - ]: 6 : error = "Can only have sh() at top level";
2294 : 6 : return {};
2295 : : }
2296 [ + + + - : 711 : if ((ctx == ParseScriptContext::TOP || ctx == ParseScriptContext::P2SH) && Func("wsh", expr)) {
+ - + + +
+ ]
2297 [ + - ]: 100 : auto descs = ParseScript(key_exp_index, expr, ParseScriptContext::P2WSH, out, error);
2298 [ + + + - ]: 100 : if (descs.empty() || expr.size()) return {};
2299 [ + + ]: 117 : for (auto& desc : descs) {
2300 [ + - + - ]: 122 : ret.emplace_back(std::make_unique<WSHDescriptor>(std::move(desc)));
2301 : : }
2302 : 56 : return ret;
2303 [ + - + - : 397 : } else if (Func("wsh", expr)) {
+ + ]
2304 [ + - ]: 3 : error = "Can only have wsh() at top level or inside sh()";
2305 : 3 : return {};
2306 : : }
2307 [ + + + - : 501 : if (ctx == ParseScriptContext::TOP && Func("addr", expr)) {
+ - + + +
+ ]
2308 [ + - + - ]: 2 : CTxDestination dest = DecodeDestination(std::string(expr.begin(), expr.end()));
2309 [ + - + - ]: 1 : if (!IsValidDestination(dest)) {
2310 [ + - ]: 1 : error = "Address is not valid";
2311 : 1 : return {};
2312 : : }
2313 [ # # # # ]: 0 : ret.emplace_back(std::make_unique<AddressDescriptor>(std::move(dest)));
2314 : 0 : return ret;
2315 [ + - + - : 294 : } else if (Func("addr", expr)) {
- + ]
2316 [ # # ]: 0 : error = "Can only have addr() at top level";
2317 : 0 : return {};
2318 : : }
2319 [ + + + - : 499 : if (ctx == ParseScriptContext::TOP && Func("tr", expr)) {
+ - + + +
+ ]
2320 [ + - ]: 159 : auto arg = Expr(expr);
2321 [ + - ]: 159 : auto internal_keys = ParsePubkey(key_exp_index, arg, ParseScriptContext::P2TR, out, error);
2322 [ + + ]: 159 : if (internal_keys.empty()) {
2323 [ + - ]: 20 : error = strprintf("tr(): %s", error);
2324 : 20 : return {};
2325 : : }
2326 [ - + ]: 139 : size_t max_providers_len = internal_keys.size();
2327 : 139 : ++key_exp_index;
2328 : 139 : std::vector<std::vector<std::unique_ptr<DescriptorImpl>>> subscripts; //!< list of multipath expanded script subexpressions
2329 : 139 : std::vector<int> depths; //!< depth in the tree of each subexpression (same length subscripts)
2330 [ + + ]: 139 : if (expr.size()) {
2331 [ + - + - : 64 : if (!Const(",", expr)) {
- + ]
2332 [ # # ]: 0 : error = strprintf("tr: expected ',', got '%c'", expr[0]);
2333 : 0 : return {};
2334 : : }
2335 : : /** The path from the top of the tree to what we're currently processing.
2336 : : * branches[i] == false: left branch in the i'th step from the top; true: right branch.
2337 : : */
2338 : 64 : std::vector<bool> branches;
2339 : : // Loop over all provided scripts. In every iteration exactly one script will be processed.
2340 : : // Use a do-loop because inside this if-branch we expect at least one script.
2341 : : do {
2342 : : // First process all open braces.
2343 [ + - + - : 154 : while (Const("{", expr)) {
+ + ]
2344 [ + - ]: 56 : branches.push_back(false); // new left branch
2345 [ - + ]: 56 : if (branches.size() > TAPROOT_CONTROL_MAX_NODE_COUNT) {
2346 [ # # ]: 0 : error = strprintf("tr() supports at most %i nesting levels", TAPROOT_CONTROL_MAX_NODE_COUNT);
2347 : 0 : return {};
2348 : : }
2349 : : }
2350 : : // Process the actual script expression.
2351 [ + - ]: 98 : auto sarg = Expr(expr);
2352 [ + - + - ]: 98 : subscripts.emplace_back(ParseScript(key_exp_index, sarg, ParseScriptContext::P2TR, out, error));
2353 [ + + ]: 98 : if (subscripts.back().empty()) return {};
2354 [ - + + + ]: 97 : max_providers_len = std::max(max_providers_len, subscripts.back().size());
2355 [ + - ]: 97 : depths.push_back(branches.size());
2356 : : // Process closing braces; one is expected for every right branch we were in.
2357 [ + + ]: 68 : while (branches.size() && branches.back()) {
2358 [ + - - + : 34 : if (!Const("}", expr)) {
+ - ]
2359 [ # # ]: 0 : error = strprintf("tr(): expected '}' after script expression");
2360 : 0 : return {};
2361 : : }
2362 [ - + + + ]: 165 : branches.pop_back(); // move up one level after encountering '}'
2363 : : }
2364 : : // If after that, we're at the end of a left branch, expect a comma.
2365 [ + + + - ]: 97 : if (branches.size() && !branches.back()) {
2366 [ + - + - : 34 : if (!Const(",", expr)) {
- + ]
2367 [ # # ]: 0 : error = strprintf("tr(): expected ',' after script expression");
2368 : 0 : return {};
2369 : : }
2370 : 34 : branches.back() = true; // And now we're in a right branch.
2371 : : }
2372 [ + + ]: 97 : } while (branches.size());
2373 : : // After we've explored a whole tree, we must be at the end of the expression.
2374 [ - + ]: 63 : if (expr.size()) {
2375 [ # # ]: 0 : error = strprintf("tr(): expected ')' after script expression");
2376 : 0 : return {};
2377 : : }
2378 : 64 : }
2379 [ + - - + ]: 138 : assert(TaprootBuilder::ValidDepths(depths));
2380 : :
2381 : : // Make sure all vecs are of the same length, or exactly length 1
2382 : : // For length 1 vectors, clone subdescs until vector is the same length
2383 [ + + ]: 229 : for (auto& vec : subscripts) {
2384 [ - + + + ]: 95 : if (vec.size() == 1) {
2385 [ + + ]: 50 : for (size_t i = 1; i < max_providers_len; ++i) {
2386 [ + - + - : 5 : vec.emplace_back(vec.at(0)->Clone());
+ - ]
2387 : : }
2388 [ + + ]: 50 : } else if (vec.size() != max_providers_len) {
2389 [ + - ]: 4 : error = strprintf("tr(): Multipath subscripts have mismatched lengths");
2390 : 4 : return {};
2391 : : }
2392 : : }
2393 : :
2394 [ - + + + : 134 : if (internal_keys.size() > 1 && internal_keys.size() != max_providers_len) {
+ + ]
2395 [ + - ]: 2 : error = strprintf("tr(): Multipath internal key mismatches multipath subscripts lengths");
2396 : 2 : return {};
2397 : : }
2398 : :
2399 [ - + + + ]: 165 : while (internal_keys.size() < max_providers_len) {
2400 [ + - + - : 33 : internal_keys.emplace_back(internal_keys.at(0)->Clone());
+ - ]
2401 : : }
2402 : :
2403 : : // Build the final descriptors vector
2404 [ + + ]: 316 : for (size_t i = 0; i < max_providers_len; ++i) {
2405 : : // Build final subscripts vectors by retrieving the i'th subscript for each vector in subscripts
2406 : 184 : std::vector<std::unique_ptr<DescriptorImpl>> this_subs;
2407 [ - + + - ]: 184 : this_subs.reserve(subscripts.size());
2408 [ + + ]: 349 : for (auto& subs : subscripts) {
2409 [ + - + - ]: 165 : this_subs.emplace_back(std::move(subs.at(i)));
2410 : : }
2411 [ + - + - : 184 : ret.emplace_back(std::make_unique<TRDescriptor>(std::move(internal_keys.at(i)), std::move(this_subs), depths));
+ - ]
2412 : 184 : }
2413 : 132 : return ret;
2414 : :
2415 : :
2416 [ + - + - : 293 : } else if (Func("tr", expr)) {
- + ]
2417 [ # # ]: 0 : error = "Can only have tr at top level";
2418 : 0 : return {};
2419 : : }
2420 [ + + + - : 181 : if (ctx == ParseScriptContext::TOP && Func("rawtr", expr)) {
+ - + + +
+ ]
2421 [ + - ]: 29 : auto arg = Expr(expr);
2422 [ + + ]: 29 : if (expr.size()) {
2423 [ + - ]: 1 : error = strprintf("rawtr(): only one key expected.");
2424 : 1 : return {};
2425 : : }
2426 [ + - ]: 28 : auto output_keys = ParsePubkey(key_exp_index, arg, ParseScriptContext::P2TR, out, error);
2427 [ - + ]: 28 : if (output_keys.empty()) {
2428 [ # # ]: 0 : error = strprintf("rawtr(): %s", error);
2429 : 0 : return {};
2430 : : }
2431 : 28 : ++key_exp_index;
2432 [ + + ]: 84 : for (auto& pubkey : output_keys) {
2433 [ + - + - ]: 112 : ret.emplace_back(std::make_unique<RawTRDescriptor>(std::move(pubkey)));
2434 : : }
2435 : 28 : return ret;
2436 [ + - + - : 133 : } else if (Func("rawtr", expr)) {
- + ]
2437 [ # # ]: 0 : error = "Can only have rawtr at top level";
2438 : 0 : return {};
2439 : : }
2440 [ + + + - : 123 : if (ctx == ParseScriptContext::TOP && Func("raw", expr)) {
+ - + + +
+ ]
2441 [ + - - + ]: 4 : std::string str(expr.begin(), expr.end());
2442 [ - + + - : 2 : if (!IsHex(str)) {
+ - ]
2443 [ + - ]: 2 : error = "Raw script is not hex";
2444 : 2 : return {};
2445 : : }
2446 [ # # # # ]: 0 : auto bytes = ParseHex(str);
2447 [ # # # # ]: 0 : ret.emplace_back(std::make_unique<RawDescriptor>(CScript(bytes.begin(), bytes.end())));
2448 : 0 : return ret;
2449 [ + - + - : 105 : } else if (Func("raw", expr)) {
- + ]
2450 [ # # ]: 0 : error = "Can only have raw() at top level";
2451 : 0 : return {};
2452 : : }
2453 : : // Process miniscript expressions.
2454 : 103 : {
2455 : 103 : const auto script_ctx{ctx == ParseScriptContext::P2WSH ? miniscript::MiniscriptContext::P2WSH : miniscript::MiniscriptContext::TAPSCRIPT};
2456 [ + - ]: 103 : KeyParser parser(/*out = */&out, /* in = */nullptr, /* ctx = */script_ctx, key_exp_index);
2457 [ + - - + ]: 309 : auto node = miniscript::FromString(std::string(expr.begin(), expr.end()), parser);
2458 [ + + ]: 103 : if (parser.m_key_parsing_error != "") {
2459 : 4 : error = std::move(parser.m_key_parsing_error);
2460 : 4 : return {};
2461 : : }
2462 [ + + ]: 99 : if (node) {
2463 [ + + ]: 76 : if (ctx != ParseScriptContext::P2WSH && ctx != ParseScriptContext::P2TR) {
2464 [ + - ]: 3 : error = "Miniscript expressions can only be used in wsh or tr.";
2465 : 3 : return {};
2466 : : }
2467 [ + + + - ]: 73 : if (!node->IsSane() || node->IsNotSatisfiable()) {
2468 : : // Try to find the first insane sub for better error reporting.
2469 [ + - ]: 12 : auto insane_node = node.get();
2470 [ + - + + ]: 12 : if (const auto sub = node->FindInsaneSub()) insane_node = sub;
2471 [ + - + - : 24 : if (const auto str = insane_node->ToString(parser)) error = *str;
+ - ]
2472 [ + + ]: 12 : if (!insane_node->IsValid()) {
2473 [ + - ]: 4 : error += " is invalid";
2474 [ + - ]: 8 : } else if (!node->IsSane()) {
2475 [ + - ]: 8 : error += " is not sane";
2476 [ + + ]: 8 : if (!insane_node->IsNonMalleable()) {
2477 [ + - ]: 2 : error += ": malleable witnesses exist";
2478 [ + + + + ]: 6 : } else if (insane_node == node.get() && !insane_node->NeedsSignature()) {
2479 [ + - ]: 2 : error += ": witnesses without signature exist";
2480 [ + + ]: 4 : } else if (!insane_node->CheckTimeLocksMix()) {
2481 [ + - ]: 2 : error += ": contains mixes of timelocks expressed in blocks and seconds";
2482 [ + - ]: 2 : } else if (!insane_node->CheckDuplicateKey()) {
2483 [ + - ]: 2 : error += ": contains duplicate public keys";
2484 [ # # ]: 0 : } else if (!insane_node->ValidSatisfactions()) {
2485 [ # # ]: 0 : error += ": needs witnesses that may exceed resource limits";
2486 : : }
2487 : : } else {
2488 [ # # ]: 0 : error += " is not satisfiable";
2489 : : }
2490 : 12 : return {};
2491 : : }
2492 : : // A signature check is required for a miniscript to be sane. Therefore no sane miniscript
2493 : : // may have an empty list of public keys.
2494 [ + - ]: 61 : CHECK_NONFATAL(!parser.m_keys.empty());
2495 [ - + ]: 61 : key_exp_index += parser.m_keys.size();
2496 : : // Make sure all vecs are of the same length, or exactly length 1
2497 : : // For length 1 vectors, clone subdescs until vector is the same length
2498 [ - + ]: 61 : size_t num_multipath = std::max_element(parser.m_keys.begin(), parser.m_keys.end(),
2499 : 29 : [](const std::vector<std::unique_ptr<PubkeyProvider>>& a, const std::vector<std::unique_ptr<PubkeyProvider>>& b) {
2500 [ - + - + : 29 : return a.size() < b.size();
- + ]
2501 [ - + ]: 61 : })->size();
2502 : :
2503 [ + + ]: 149 : for (auto& vec : parser.m_keys) {
2504 [ - + + + ]: 90 : if (vec.size() == 1) {
2505 [ - + ]: 71 : for (size_t i = 1; i < num_multipath; ++i) {
2506 [ # # # # : 0 : vec.emplace_back(vec.at(0)->Clone());
# # ]
2507 : : }
2508 [ + + ]: 19 : } else if (vec.size() != num_multipath) {
2509 [ + - ]: 2 : error = strprintf("Miniscript: Multipath derivation paths have mismatched lengths");
2510 : 2 : return {};
2511 : : }
2512 : : }
2513 : :
2514 : : // Build the final descriptors vector
2515 [ + + ]: 128 : for (size_t i = 0; i < num_multipath; ++i) {
2516 : : // Build final pubkeys vectors by retrieving the i'th subscript for each vector in subscripts
2517 : 69 : std::vector<std::unique_ptr<PubkeyProvider>> pubs;
2518 [ - + + - ]: 69 : pubs.reserve(parser.m_keys.size());
2519 [ + + ]: 170 : for (auto& pub : parser.m_keys) {
2520 [ + - + - ]: 101 : pubs.emplace_back(std::move(pub.at(i)));
2521 : : }
2522 [ + - + - : 138 : ret.emplace_back(std::make_unique<MiniscriptDescriptor>(std::move(pubs), node->Clone()));
+ - ]
2523 : 69 : }
2524 : 59 : return ret;
2525 : : }
2526 : 183 : }
2527 [ + + ]: 23 : if (ctx == ParseScriptContext::P2SH) {
2528 [ + - ]: 4 : error = "A function is needed within P2SH";
2529 : 4 : return {};
2530 [ + + ]: 19 : } else if (ctx == ParseScriptContext::P2WSH) {
2531 [ + - ]: 4 : error = "A function is needed within P2WSH";
2532 : 4 : return {};
2533 : : }
2534 [ + - + - ]: 30 : error = strprintf("'%s' is not a valid descriptor function", std::string(expr.begin(), expr.end()));
2535 : 15 : return {};
2536 : 1071 : }
2537 : :
2538 : 164 : std::unique_ptr<DescriptorImpl> InferMultiA(const CScript& script, ParseScriptContext ctx, const SigningProvider& provider)
2539 : : {
2540 : 164 : auto match = MatchMultiA(script);
2541 [ + + ]: 164 : if (!match) return {};
2542 : 36 : std::vector<std::unique_ptr<PubkeyProvider>> keys;
2543 [ - + + - ]: 36 : keys.reserve(match->second.size());
2544 [ + + ]: 96 : for (const auto keyspan : match->second) {
2545 [ - + ]: 60 : if (keyspan.size() != 32) return {};
2546 [ + - ]: 60 : auto key = InferXOnlyPubkey(XOnlyPubKey{keyspan}, ctx, provider);
2547 [ - + ]: 60 : if (!key) return {};
2548 [ + - ]: 60 : keys.push_back(std::move(key));
2549 : 60 : }
2550 [ + - - + ]: 36 : return std::make_unique<MultiADescriptor>(match->first, std::move(keys));
2551 : 200 : }
2552 : :
2553 : : // NOLINTNEXTLINE(misc-no-recursion)
2554 : 8427 : std::unique_ptr<DescriptorImpl> InferScript(const CScript& script, ParseScriptContext ctx, const SigningProvider& provider)
2555 : : {
2556 [ + + + + : 9107 : if (ctx == ParseScriptContext::P2TR && script.size() == 34 && script[0] == 32 && script[33] == OP_CHECKSIG) {
+ + + - +
- + - +
- ]
2557 : 276 : XOnlyPubKey key{std::span{script}.subspan(1, 32)};
2558 [ + - - + ]: 276 : return std::make_unique<PKDescriptor>(InferXOnlyPubkey(key, ctx, provider), true);
2559 : : }
2560 : :
2561 [ + + ]: 8151 : if (ctx == ParseScriptContext::P2TR) {
2562 : 164 : auto ret = InferMultiA(script, ctx, provider);
2563 [ + + ]: 164 : if (ret) return ret;
2564 : 164 : }
2565 : :
2566 : 8115 : std::vector<std::vector<unsigned char>> data;
2567 [ + - ]: 8115 : TxoutType txntype = Solver(script, data);
2568 : :
2569 [ + + + - ]: 8115 : if (txntype == TxoutType::PUBKEY && (ctx == ParseScriptContext::TOP || ctx == ParseScriptContext::P2SH || ctx == ParseScriptContext::P2WSH)) {
2570 [ - + ]: 203 : CPubKey pubkey(data[0]);
2571 [ + - + + ]: 203 : if (auto pubkey_provider = InferPubkey(pubkey, ctx, provider)) {
2572 [ + - - + ]: 202 : return std::make_unique<PKDescriptor>(std::move(pubkey_provider));
2573 : 203 : }
2574 : : }
2575 [ + + + + ]: 7913 : if (txntype == TxoutType::PUBKEYHASH && (ctx == ParseScriptContext::TOP || ctx == ParseScriptContext::P2SH || ctx == ParseScriptContext::P2WSH)) {
2576 [ - + ]: 246 : uint160 hash(data[0]);
2577 [ + - ]: 246 : CKeyID keyid(hash);
2578 [ + - ]: 246 : CPubKey pubkey;
2579 [ + - + + ]: 246 : if (provider.GetPubKey(keyid, pubkey)) {
2580 [ + - + + ]: 244 : if (auto pubkey_provider = InferPubkey(pubkey, ctx, provider)) {
2581 [ + - - + ]: 243 : return std::make_unique<PKHDescriptor>(std::move(pubkey_provider));
2582 : 244 : }
2583 : : }
2584 : : }
2585 [ + + ]: 7670 : if (txntype == TxoutType::WITNESS_V0_KEYHASH && (ctx == ParseScriptContext::TOP || ctx == ParseScriptContext::P2SH)) {
2586 [ - + ]: 5949 : uint160 hash(data[0]);
2587 [ + - ]: 5949 : CKeyID keyid(hash);
2588 [ + - ]: 5949 : CPubKey pubkey;
2589 [ + - + - ]: 5949 : if (provider.GetPubKey(keyid, pubkey)) {
2590 [ + - + + ]: 5949 : if (auto pubkey_provider = InferPubkey(pubkey, ParseScriptContext::P2WPKH, provider)) {
2591 [ + - - + ]: 5948 : return std::make_unique<WPKHDescriptor>(std::move(pubkey_provider));
2592 : 5949 : }
2593 : : }
2594 : : }
2595 [ + + + - ]: 1722 : if (txntype == TxoutType::MULTISIG && (ctx == ParseScriptContext::TOP || ctx == ParseScriptContext::P2SH || ctx == ParseScriptContext::P2WSH)) {
2596 : 264 : bool ok = true;
2597 : 264 : std::vector<std::unique_ptr<PubkeyProvider>> providers;
2598 [ - + + + ]: 1452 : for (size_t i = 1; i + 1 < data.size(); ++i) {
2599 [ - + ]: 1188 : CPubKey pubkey(data[i]);
2600 [ + - + - ]: 1188 : if (auto pubkey_provider = InferPubkey(pubkey, ctx, provider)) {
2601 [ + - ]: 1188 : providers.push_back(std::move(pubkey_provider));
2602 : : } else {
2603 : 0 : ok = false;
2604 : 0 : break;
2605 : 1188 : }
2606 : : }
2607 [ + - - + ]: 264 : if (ok) return std::make_unique<MultisigDescriptor>((int)data[0][0], std::move(providers));
2608 : 264 : }
2609 [ + + ]: 1458 : if (txntype == TxoutType::SCRIPTHASH && ctx == ParseScriptContext::TOP) {
2610 [ - + ]: 328 : uint160 hash(data[0]);
2611 [ + - ]: 328 : CScriptID scriptid(hash);
2612 : 328 : CScript subscript;
2613 [ + - + - ]: 328 : if (provider.GetCScript(scriptid, subscript)) {
2614 [ + - ]: 328 : auto sub = InferScript(subscript, ParseScriptContext::P2SH, provider);
2615 [ + - + - : 328 : if (sub) return std::make_unique<SHDescriptor>(std::move(sub));
- + ]
2616 : 328 : }
2617 : 328 : }
2618 [ + + ]: 1130 : if (txntype == TxoutType::WITNESS_V0_SCRIPTHASH && (ctx == ParseScriptContext::TOP || ctx == ParseScriptContext::P2SH)) {
2619 [ - + + - ]: 312 : CScriptID scriptid{RIPEMD160(data[0])};
2620 : 312 : CScript subscript;
2621 [ + - + - ]: 312 : if (provider.GetCScript(scriptid, subscript)) {
2622 [ + - ]: 312 : auto sub = InferScript(subscript, ParseScriptContext::P2WSH, provider);
2623 [ + - + - : 312 : if (sub) return std::make_unique<WSHDescriptor>(std::move(sub));
- + ]
2624 : 312 : }
2625 : 312 : }
2626 [ + + ]: 818 : if (txntype == TxoutType::WITNESS_V1_TAPROOT && ctx == ParseScriptContext::TOP) {
2627 : : // Extract x-only pubkey from output.
2628 : 491 : XOnlyPubKey pubkey;
2629 : 491 : std::copy(data[0].begin(), data[0].end(), pubkey.begin());
2630 : : // Request spending data.
2631 [ + - ]: 491 : TaprootSpendData tap;
2632 [ + - + + ]: 491 : if (provider.GetTaprootSpendData(pubkey, tap)) {
2633 : : // If found, convert it back to tree form.
2634 [ + - ]: 335 : auto tree = InferTaprootTree(tap, pubkey);
2635 [ + - ]: 335 : if (tree) {
2636 : : // If that works, try to infer subdescriptors for all leaves.
2637 : 335 : bool ok = true;
2638 : 335 : std::vector<std::unique_ptr<DescriptorImpl>> subscripts; //!< list of script subexpressions
2639 : 335 : std::vector<int> depths; //!< depth in the tree of each subexpression (same length subscripts)
2640 [ + - + + ]: 775 : for (const auto& [depth, script, leaf_ver] : *tree) {
2641 : 440 : std::unique_ptr<DescriptorImpl> subdesc;
2642 [ + - ]: 440 : if (leaf_ver == TAPROOT_LEAF_TAPSCRIPT) {
2643 [ + - ]: 880 : subdesc = InferScript(CScript(script.begin(), script.end()), ParseScriptContext::P2TR, provider);
2644 : : }
2645 [ - + ]: 440 : if (!subdesc) {
2646 : 0 : ok = false;
2647 : 0 : break;
2648 : : } else {
2649 [ + - ]: 440 : subscripts.push_back(std::move(subdesc));
2650 [ + - ]: 440 : depths.push_back(depth);
2651 : : }
2652 : 440 : }
2653 : 0 : if (ok) {
2654 [ + - ]: 335 : auto key = InferXOnlyPubkey(tap.internal_key, ParseScriptContext::P2TR, provider);
2655 [ + - - + ]: 335 : return std::make_unique<TRDescriptor>(std::move(key), std::move(subscripts), std::move(depths));
2656 : 335 : }
2657 : 335 : }
2658 : 335 : }
2659 : : // If the above doesn't work, construct a rawtr() descriptor with just the encoded x-only pubkey.
2660 [ + - + - ]: 156 : if (pubkey.IsFullyValid()) {
2661 [ + - ]: 156 : auto key = InferXOnlyPubkey(pubkey, ParseScriptContext::P2TR, provider);
2662 [ + - ]: 156 : if (key) {
2663 [ + - - + ]: 156 : return std::make_unique<RawTRDescriptor>(std::move(key));
2664 : : }
2665 : 156 : }
2666 : 491 : }
2667 : :
2668 [ + + ]: 327 : if (ctx == ParseScriptContext::P2WSH || ctx == ParseScriptContext::P2TR) {
2669 : 320 : const auto script_ctx{ctx == ParseScriptContext::P2WSH ? miniscript::MiniscriptContext::P2WSH : miniscript::MiniscriptContext::TAPSCRIPT};
2670 [ + - ]: 320 : KeyParser parser(/* out = */nullptr, /* in = */&provider, /* ctx = */script_ctx);
2671 [ + - ]: 320 : auto node = miniscript::FromScript(script, parser);
2672 [ + - - + ]: 320 : if (node && node->IsSane()) {
2673 : 320 : std::vector<std::unique_ptr<PubkeyProvider>> keys;
2674 [ - + + - ]: 320 : keys.reserve(parser.m_keys.size());
2675 [ + + ]: 780 : for (auto& key : parser.m_keys) {
2676 [ + - + - ]: 460 : keys.emplace_back(std::move(key.at(0)));
2677 : : }
2678 [ + - - + ]: 320 : return std::make_unique<MiniscriptDescriptor>(std::move(keys), std::move(node));
2679 : 320 : }
2680 : 640 : }
2681 : :
2682 : : // The following descriptors are all top-level only descriptors.
2683 : : // So if we are not at the top level, return early.
2684 [ - + ]: 7 : if (ctx != ParseScriptContext::TOP) return nullptr;
2685 : :
2686 : 7 : CTxDestination dest;
2687 [ + - + + ]: 7 : if (ExtractDestination(script, dest)) {
2688 [ + - + - ]: 4 : if (GetScriptForDestination(dest) == script) {
2689 [ + - - + ]: 4 : return std::make_unique<AddressDescriptor>(std::move(dest));
2690 : : }
2691 : : }
2692 : :
2693 [ + - - + ]: 3 : return std::make_unique<RawDescriptor>(script);
2694 : 8115 : }
2695 : :
2696 : :
2697 : : } // namespace
2698 : :
2699 : : /** Check a descriptor checksum, and update desc to be the checksum-less part. */
2700 : 770 : bool CheckChecksum(std::span<const char>& sp, bool require_checksum, std::string& error, std::string* out_checksum = nullptr)
2701 : : {
2702 : 770 : auto check_split = Split(sp, '#');
2703 [ - + + + ]: 770 : if (check_split.size() > 2) {
2704 [ + - ]: 2 : error = "Multiple '#' symbols";
2705 : : return false;
2706 : : }
2707 [ + + + + ]: 768 : if (check_split.size() == 1 && require_checksum){
2708 [ + - ]: 770 : error = "Missing checksum";
2709 : : return false;
2710 : : }
2711 [ + + ]: 767 : if (check_split.size() == 2) {
2712 [ + + ]: 45 : if (check_split[1].size() != 8) {
2713 [ + - ]: 6 : error = strprintf("Expected 8 character checksum, not %u characters", check_split[1].size());
2714 : 6 : return false;
2715 : : }
2716 : : }
2717 [ + - ]: 761 : auto checksum = DescriptorChecksum(check_split[0]);
2718 [ + + ]: 761 : if (checksum.empty()) {
2719 [ + - ]: 761 : error = "Invalid characters in payload";
2720 : : return false;
2721 : : }
2722 [ - + + + ]: 760 : if (check_split.size() == 2) {
2723 [ - + + + ]: 38 : if (!std::equal(checksum.begin(), checksum.end(), check_split[1].begin())) {
2724 [ + - + - ]: 20 : error = strprintf("Provided checksum '%s' does not match computed checksum '%s'", std::string(check_split[1].begin(), check_split[1].end()), checksum);
2725 : 10 : return false;
2726 : : }
2727 : : }
2728 [ + + ]: 750 : if (out_checksum) *out_checksum = std::move(checksum);
2729 : 750 : sp = check_split[0];
2730 : 750 : return true;
2731 : 1531 : }
2732 : :
2733 : 740 : std::vector<std::unique_ptr<Descriptor>> Parse(const std::string& descriptor, FlatSigningProvider& out, std::string& error, bool require_checksum)
2734 : : {
2735 [ - + ]: 740 : std::span<const char> sp{descriptor};
2736 [ + + ]: 740 : if (!CheckChecksum(sp, require_checksum, error)) return {};
2737 : 724 : uint32_t key_exp_index = 0;
2738 : 724 : auto ret = ParseScript(key_exp_index, sp, ParseScriptContext::TOP, out, error);
2739 [ + - + + ]: 724 : if (sp.size() == 0 && !ret.empty()) {
2740 : 550 : std::vector<std::unique_ptr<Descriptor>> descs;
2741 [ - + + - ]: 550 : descs.reserve(ret.size());
2742 [ + + ]: 1238 : for (auto& r : ret) {
2743 [ + - ]: 688 : descs.emplace_back(std::unique_ptr<Descriptor>(std::move(r)));
2744 : : }
2745 : 550 : return descs;
2746 : 550 : }
2747 : 174 : return {};
2748 : 724 : }
2749 : :
2750 : 30 : std::string GetDescriptorChecksum(const std::string& descriptor)
2751 : : {
2752 [ - + ]: 30 : std::string ret;
2753 : 30 : std::string error;
2754 [ - + ]: 30 : std::span<const char> sp{descriptor};
2755 [ + - + + : 30 : if (!CheckChecksum(sp, false, error, &ret)) return "";
+ - ]
2756 : 26 : return ret;
2757 : 30 : }
2758 : :
2759 : 7347 : std::unique_ptr<Descriptor> InferDescriptor(const CScript& script, const SigningProvider& provider)
2760 : : {
2761 : 7347 : return InferScript(script, ParseScriptContext::TOP, provider);
2762 : : }
2763 : :
2764 : 385 : uint256 DescriptorID(const Descriptor& desc)
2765 : : {
2766 : 385 : std::string desc_str = desc.ToString(/*compat_format=*/true);
2767 : 385 : uint256 id;
2768 [ + - + - : 770 : CSHA256().Write((unsigned char*)desc_str.data(), desc_str.size()).Finalize(id.begin());
+ - ]
2769 : 385 : return id;
2770 : 385 : }
2771 : :
2772 : 1802 : void DescriptorCache::CacheParentExtPubKey(uint32_t key_exp_pos, const CExtPubKey& xpub)
2773 : : {
2774 : 1802 : m_parent_xpubs[key_exp_pos] = xpub;
2775 : 1802 : }
2776 : :
2777 : 3036 : void DescriptorCache::CacheDerivedExtPubKey(uint32_t key_exp_pos, uint32_t der_index, const CExtPubKey& xpub)
2778 : : {
2779 : 3036 : auto& xpubs = m_derived_xpubs[key_exp_pos];
2780 : 3036 : xpubs[der_index] = xpub;
2781 : 3036 : }
2782 : :
2783 : 850 : void DescriptorCache::CacheLastHardenedExtPubKey(uint32_t key_exp_pos, const CExtPubKey& xpub)
2784 : : {
2785 : 850 : m_last_hardened_xpubs[key_exp_pos] = xpub;
2786 : 850 : }
2787 : :
2788 : 292119 : bool DescriptorCache::GetCachedParentExtPubKey(uint32_t key_exp_pos, CExtPubKey& xpub) const
2789 : : {
2790 : 292119 : const auto& it = m_parent_xpubs.find(key_exp_pos);
2791 [ + + ]: 292119 : if (it == m_parent_xpubs.end()) return false;
2792 : 291601 : xpub = it->second;
2793 : 291601 : return true;
2794 : : }
2795 : :
2796 : 293901 : bool DescriptorCache::GetCachedDerivedExtPubKey(uint32_t key_exp_pos, uint32_t der_index, CExtPubKey& xpub) const
2797 : : {
2798 : 293901 : const auto& key_exp_it = m_derived_xpubs.find(key_exp_pos);
2799 [ + + ]: 293901 : if (key_exp_it == m_derived_xpubs.end()) return false;
2800 : 2040 : const auto& der_it = key_exp_it->second.find(der_index);
2801 [ + + ]: 2040 : if (der_it == key_exp_it->second.end()) return false;
2802 : 42 : xpub = der_it->second;
2803 : 42 : return true;
2804 : : }
2805 : :
2806 : 260 : bool DescriptorCache::GetCachedLastHardenedExtPubKey(uint32_t key_exp_pos, CExtPubKey& xpub) const
2807 : : {
2808 : 260 : const auto& it = m_last_hardened_xpubs.find(key_exp_pos);
2809 [ - + ]: 260 : if (it == m_last_hardened_xpubs.end()) return false;
2810 : 0 : xpub = it->second;
2811 : 0 : return true;
2812 : : }
2813 : :
2814 : 263177 : DescriptorCache DescriptorCache::MergeAndDiff(const DescriptorCache& other)
2815 : : {
2816 : 263177 : DescriptorCache diff;
2817 [ + - + + : 263437 : for (const auto& parent_xpub_pair : other.GetCachedParentExtPubKeys()) {
+ - ]
2818 [ + - ]: 260 : CExtPubKey xpub;
2819 [ - + + - ]: 260 : if (GetCachedParentExtPubKey(parent_xpub_pair.first, xpub)) {
2820 [ # # ]: 0 : if (xpub != parent_xpub_pair.second) {
2821 [ # # # # ]: 0 : throw std::runtime_error(std::string(__func__) + ": New cached parent xpub does not match already cached parent xpub");
2822 : : }
2823 : 0 : continue;
2824 : : }
2825 [ + - ]: 260 : CacheParentExtPubKey(parent_xpub_pair.first, parent_xpub_pair.second);
2826 [ + - ]: 260 : diff.CacheParentExtPubKey(parent_xpub_pair.first, parent_xpub_pair.second);
2827 : 0 : }
2828 [ + - + + ]: 264177 : for (const auto& derived_xpub_map_pair : other.GetCachedDerivedExtPubKeys()) {
2829 [ + + + - ]: 2000 : for (const auto& derived_xpub_pair : derived_xpub_map_pair.second) {
2830 [ + - ]: 1000 : CExtPubKey xpub;
2831 [ - + + - ]: 1000 : if (GetCachedDerivedExtPubKey(derived_xpub_map_pair.first, derived_xpub_pair.first, xpub)) {
2832 [ # # ]: 0 : if (xpub != derived_xpub_pair.second) {
2833 [ # # # # ]: 0 : throw std::runtime_error(std::string(__func__) + ": New cached derived xpub does not match already cached derived xpub");
2834 : : }
2835 : 0 : continue;
2836 : : }
2837 [ + - ]: 1000 : CacheDerivedExtPubKey(derived_xpub_map_pair.first, derived_xpub_pair.first, derived_xpub_pair.second);
2838 [ + - ]: 1000 : diff.CacheDerivedExtPubKey(derived_xpub_map_pair.first, derived_xpub_pair.first, derived_xpub_pair.second);
2839 : : }
2840 : : }
2841 [ + - + + : 263437 : for (const auto& lh_xpub_pair : other.GetCachedLastHardenedExtPubKeys()) {
+ - ]
2842 [ + - ]: 260 : CExtPubKey xpub;
2843 [ - + + - ]: 260 : if (GetCachedLastHardenedExtPubKey(lh_xpub_pair.first, xpub)) {
2844 [ # # ]: 0 : if (xpub != lh_xpub_pair.second) {
2845 [ # # # # ]: 0 : throw std::runtime_error(std::string(__func__) + ": New cached last hardened xpub does not match already cached last hardened xpub");
2846 : : }
2847 : 0 : continue;
2848 : : }
2849 [ + - ]: 260 : CacheLastHardenedExtPubKey(lh_xpub_pair.first, lh_xpub_pair.second);
2850 [ + - ]: 260 : diff.CacheLastHardenedExtPubKey(lh_xpub_pair.first, lh_xpub_pair.second);
2851 : 0 : }
2852 : 263177 : return diff;
2853 : 0 : }
2854 : :
2855 : 527044 : ExtPubKeyMap DescriptorCache::GetCachedParentExtPubKeys() const
2856 : : {
2857 : 527044 : return m_parent_xpubs;
2858 : : }
2859 : :
2860 : 527044 : std::unordered_map<uint32_t, ExtPubKeyMap> DescriptorCache::GetCachedDerivedExtPubKeys() const
2861 : : {
2862 : 527044 : return m_derived_xpubs;
2863 : : }
2864 : :
2865 : 526354 : ExtPubKeyMap DescriptorCache::GetCachedLastHardenedExtPubKeys() const
2866 : : {
2867 : 526354 : return m_last_hardened_xpubs;
2868 : : }
|