Bitcoin Core 30.99.0
P2P Digital Currency
bitcoinkernel_wrapper.h
Go to the documentation of this file.
1// Copyright (c) 2024-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#ifndef BITCOIN_KERNEL_BITCOINKERNEL_WRAPPER_H
6#define BITCOIN_KERNEL_BITCOINKERNEL_WRAPPER_H
7
9
10#include <array>
11#include <exception>
12#include <functional>
13#include <memory>
14#include <optional>
15#include <span>
16#include <stdexcept>
17#include <string>
18#include <string_view>
19#include <type_traits>
20#include <utility>
21#include <vector>
22
23namespace btck {
24
28 BLOCKSTORAGE = btck_LogCategory_BLOCKSTORAGE,
35 VALIDATION = btck_LogCategory_VALIDATION,
37};
38
39enum class LogLevel : btck_LogLevel {
43};
44
51};
52
57};
58
59enum class Warning : btck_Warning {
62};
63
68};
69
80};
81
86};
87
98};
99
100template <typename T>
101struct is_bitmask_enum : std::false_type {
102};
103
104template <>
105struct is_bitmask_enum<ScriptVerificationFlags> : std::true_type {
106};
107
108template <typename T>
109concept BitmaskEnum = is_bitmask_enum<T>::value;
110
111template <BitmaskEnum T>
112constexpr T operator|(T lhs, T rhs)
113{
114 return static_cast<T>(
115 static_cast<std::underlying_type_t<T>>(lhs) | static_cast<std::underlying_type_t<T>>(rhs));
116}
117
118template <BitmaskEnum T>
119constexpr T operator&(T lhs, T rhs)
120{
121 return static_cast<T>(
122 static_cast<std::underlying_type_t<T>>(lhs) & static_cast<std::underlying_type_t<T>>(rhs));
123}
124
125template <BitmaskEnum T>
126constexpr T operator^(T lhs, T rhs)
127{
128 return static_cast<T>(
129 static_cast<std::underlying_type_t<T>>(lhs) ^ static_cast<std::underlying_type_t<T>>(rhs));
130}
131
132template <BitmaskEnum T>
133constexpr T operator~(T value)
134{
135 return static_cast<T>(~static_cast<std::underlying_type_t<T>>(value));
136}
137
138template <BitmaskEnum T>
139constexpr T& operator|=(T& lhs, T rhs)
140{
141 return lhs = lhs | rhs;
142}
143
144template <BitmaskEnum T>
145constexpr T& operator&=(T& lhs, T rhs)
146{
147 return lhs = lhs & rhs;
148}
149
150template <BitmaskEnum T>
151constexpr T& operator^=(T& lhs, T rhs)
152{
153 return lhs = lhs ^ rhs;
154}
155
156template <typename T>
157T check(T ptr)
158{
159 if (ptr == nullptr) {
160 throw std::runtime_error("failed to instantiate btck object");
161 }
162 return ptr;
163}
164
165template <typename Collection, typename ValueType>
167{
168public:
169 using iterator_category = std::random_access_iterator_tag;
170 using iterator_concept = std::random_access_iterator_tag;
171 using difference_type = std::ptrdiff_t;
172 using value_type = ValueType;
173
174private:
175 const Collection* m_collection;
176 size_t m_idx;
177
178public:
179 Iterator() = default;
180 Iterator(const Collection* ptr) : m_collection{ptr}, m_idx{0} {}
181 Iterator(const Collection* ptr, size_t idx) : m_collection{ptr}, m_idx{idx} {}
182
183 // This is just a view, so return a copy.
184 auto operator*() const { return (*m_collection)[m_idx]; }
185 auto operator->() const { return (*m_collection)[m_idx]; }
186
187 auto& operator++() { m_idx++; return *this; }
188 auto operator++(int) { Iterator tmp = *this; ++(*this); return tmp; }
189
190 auto& operator--() { m_idx--; return *this; }
191 auto operator--(int) { auto temp = *this; --m_idx; return temp; }
192
193 auto& operator+=(difference_type n) { m_idx += n; return *this; }
194 auto& operator-=(difference_type n) { m_idx -= n; return *this; }
195
196 auto operator+(difference_type n) const { return Iterator(m_collection, m_idx + n); }
197 auto operator-(difference_type n) const { return Iterator(m_collection, m_idx - n); }
198
199 auto operator-(const Iterator& other) const { return static_cast<difference_type>(m_idx) - static_cast<difference_type>(other.m_idx); }
200
201 ValueType operator[](difference_type n) const { return (*m_collection)[m_idx + n]; }
202
203 auto operator<=>(const Iterator& other) const { return m_idx <=> other.m_idx; }
204
205 bool operator==(const Iterator& other) const { return m_collection == other.m_collection && m_idx == other.m_idx; }
206
207private:
208 friend Iterator operator+(difference_type n, const Iterator& it) { return it + n; }
209};
210
211template <typename Container, typename SizeFunc, typename GetFunc>
212concept IndexedContainer = requires(const Container& c, SizeFunc size_func, GetFunc get_func, std::size_t i) {
213 { std::invoke(size_func, c) } -> std::convertible_to<std::size_t>;
214 { std::invoke(get_func, c, i) }; // Return type is deduced
215};
216
217template <typename Container, auto SizeFunc, auto GetFunc>
218 requires IndexedContainer<Container, decltype(SizeFunc), decltype(GetFunc)>
219class Range
220{
221public:
222 using value_type = std::invoke_result_t<decltype(GetFunc), const Container&, size_t>;
223 using difference_type = std::ptrdiff_t;
226
227private:
228 const Container* m_container;
229
230public:
231 explicit Range(const Container& container) : m_container(&container)
232 {
233 static_assert(std::ranges::random_access_range<Range>);
234 }
235
236 iterator begin() const { return iterator(this, 0); }
237 iterator end() const { return iterator(this, size()); }
238
239 const_iterator cbegin() const { return begin(); }
240 const_iterator cend() const { return end(); }
241
242 size_t size() const { return std::invoke(SizeFunc, *m_container); }
243
244 bool empty() const { return size() == 0; }
245
246 value_type operator[](size_t index) const { return std::invoke(GetFunc, *m_container, index); }
247
248 value_type at(size_t index) const
249 {
250 if (index >= size()) {
251 throw std::out_of_range("Index out of range");
252 }
253 return (*this)[index];
254 }
255
256 value_type front() const { return (*this)[0]; }
257 value_type back() const { return (*this)[size() - 1]; }
258};
259
260#define MAKE_RANGE_METHOD(method_name, ContainerType, SizeFunc, GetFunc, container_expr) \
261 auto method_name() const & { \
262 return Range<ContainerType, SizeFunc, GetFunc>{container_expr}; \
263 } \
264 auto method_name() const && = delete;
265
266template <typename T>
267std::vector<std::byte> write_bytes(const T* object, int (*to_bytes)(const T*, btck_WriteBytes, void*))
268{
269 std::vector<std::byte> bytes;
270 struct UserData {
271 std::vector<std::byte>* bytes;
272 std::exception_ptr exception;
273 };
274 UserData user_data = UserData{.bytes = &bytes, .exception = nullptr};
275
276 constexpr auto const write = +[](const void* buffer, size_t len, void* user_data) -> int {
277 auto& data = *reinterpret_cast<UserData*>(user_data);
278 auto& bytes = *data.bytes;
279 try {
280 auto const* first = static_cast<const std::byte*>(buffer);
281 auto const* last = first + len;
282 bytes.insert(bytes.end(), first, last);
283 return 0;
284 } catch (...) {
285 data.exception = std::current_exception();
286 return -1;
287 }
288 };
289
290 if (to_bytes(object, write, &user_data) != 0) {
291 std::rethrow_exception(user_data.exception);
292 }
293 return bytes;
294}
295
296template <typename CType>
297class View
298{
299protected:
300 const CType* m_ptr;
301
302public:
303 explicit View(const CType* ptr) : m_ptr{check(ptr)} {}
304
305 const CType* get() const { return m_ptr; }
306};
307
308template <typename CType, CType* (*CopyFunc)(const CType*), void (*DestroyFunc)(CType*)>
310{
311protected:
312 CType* m_ptr;
313
314public:
315 explicit Handle(CType* ptr) : m_ptr{check(ptr)} {}
316
317 // Copy constructors
318 Handle(const Handle& other)
319 : m_ptr{check(CopyFunc(other.m_ptr))} {}
320 Handle& operator=(const Handle& other)
321 {
322 if (this != &other) {
323 Handle temp(other);
324 std::swap(m_ptr, temp.m_ptr);
325 }
326 return *this;
327 }
328
329 // Move constructors
330 Handle(Handle&& other) noexcept : m_ptr(other.m_ptr) { other.m_ptr = nullptr; }
331 Handle& operator=(Handle&& other) noexcept
332 {
333 DestroyFunc(m_ptr);
334 m_ptr = std::exchange(other.m_ptr, nullptr);
335 return *this;
336 }
337
338 template <typename ViewType>
339 requires std::derived_from<ViewType, View<CType>>
340 Handle(const ViewType& view)
341 : Handle{CopyFunc(view.get())}
342 {
343 }
344
345 ~Handle() { DestroyFunc(m_ptr); }
346
347 CType* get() { return m_ptr; }
348 const CType* get() const { return m_ptr; }
349};
350
351template <typename CType, void (*DestroyFunc)(CType*)>
353{
354protected:
355 struct Deleter {
356 void operator()(CType* ptr) const noexcept
357 {
358 if (ptr) DestroyFunc(ptr);
359 }
360 };
361 std::unique_ptr<CType, Deleter> m_ptr;
362
363public:
364 explicit UniqueHandle(CType* ptr) : m_ptr{check(ptr)} {}
365
366 CType* get() { return m_ptr.get(); }
367 const CType* get() const { return m_ptr.get(); }
368};
369
371class Transaction;
372class TransactionOutput;
373
374template <typename Derived>
376{
377private:
378 auto impl() const
379 {
380 return static_cast<const Derived*>(this)->get();
381 }
382
383 friend Derived;
384 ScriptPubkeyApi() = default;
385
386public:
387 bool Verify(int64_t amount,
388 const Transaction& tx_to,
389 const PrecomputedTransactionData* precomputed_txdata,
390 unsigned int input_index,
392 ScriptVerifyStatus& status) const;
393
394 std::vector<std::byte> ToBytes() const
395 {
397 }
398};
399
400class ScriptPubkeyView : public View<btck_ScriptPubkey>, public ScriptPubkeyApi<ScriptPubkeyView>
401{
402public:
403 explicit ScriptPubkeyView(const btck_ScriptPubkey* ptr) : View{ptr} {}
404};
405
406class ScriptPubkey : public Handle<btck_ScriptPubkey, btck_script_pubkey_copy, btck_script_pubkey_destroy>, public ScriptPubkeyApi<ScriptPubkey>
407{
408public:
409 explicit ScriptPubkey(std::span<const std::byte> raw)
410 : Handle{btck_script_pubkey_create(raw.data(), raw.size())} {}
411
413 : Handle(view) {}
414};
415
416template <typename Derived>
418{
419private:
420 auto impl() const
421 {
422 return static_cast<const Derived*>(this)->get();
423 }
424
425 friend Derived;
427
428public:
429 int64_t Amount() const
430 {
432 }
433
435 {
437 }
438};
439
440class TransactionOutputView : public View<btck_TransactionOutput>, public TransactionOutputApi<TransactionOutputView>
441{
442public:
443 explicit TransactionOutputView(const btck_TransactionOutput* ptr) : View{ptr} {}
444};
445
446class TransactionOutput : public Handle<btck_TransactionOutput, btck_transaction_output_copy, btck_transaction_output_destroy>, public TransactionOutputApi<TransactionOutput>
447{
448public:
449 explicit TransactionOutput(const ScriptPubkey& script_pubkey, int64_t amount)
450 : Handle{btck_transaction_output_create(script_pubkey.get(), amount)} {}
451
453 : Handle(view) {}
454};
455
456template <typename Derived>
458{
459private:
460 auto impl() const
461 {
462 return static_cast<const Derived*>(this)->get();
463 }
464
465 friend Derived;
466 TxidApi() = default;
467
468public:
469 bool operator==(const TxidApi& other) const
470 {
471 return btck_txid_equals(impl(), other.impl()) != 0;
472 }
473
474 bool operator!=(const TxidApi& other) const
475 {
476 return btck_txid_equals(impl(), other.impl()) == 0;
477 }
478
479 std::array<std::byte, 32> ToBytes() const
480 {
481 std::array<std::byte, 32> hash;
482 btck_txid_to_bytes(impl(), reinterpret_cast<unsigned char*>(hash.data()));
483 return hash;
484 }
485};
486
487class TxidView : public View<btck_Txid>, public TxidApi<TxidView>
488{
489public:
490 explicit TxidView(const btck_Txid* ptr) : View{ptr} {}
491};
492
493class Txid : public Handle<btck_Txid, btck_txid_copy, btck_txid_destroy>, public TxidApi<Txid>
494{
495public:
496 Txid(const TxidView& view)
497 : Handle(view) {}
498};
499
500template <typename Derived>
502{
503private:
504 auto impl() const
505 {
506 return static_cast<const Derived*>(this)->get();
507 }
508
509 friend Derived;
510 OutPointApi() = default;
511
512public:
513 uint32_t index() const
514 {
516 }
517
519 {
521 }
522};
523
524class OutPointView : public View<btck_TransactionOutPoint>, public OutPointApi<OutPointView>
525{
526public:
527 explicit OutPointView(const btck_TransactionOutPoint* ptr) : View{ptr} {}
528};
529
530class OutPoint : public Handle<btck_TransactionOutPoint, btck_transaction_out_point_copy, btck_transaction_out_point_destroy>, public OutPointApi<OutPoint>
531{
532public:
534 : Handle(view) {}
535};
536
537template <typename Derived>
539{
540private:
541 auto impl() const
542 {
543 return static_cast<const Derived*>(this)->get();
544 }
545
546 friend Derived;
548
549public:
551 {
553 }
554};
555
556class TransactionInputView : public View<btck_TransactionInput>, public TransactionInputApi<TransactionInputView>
557{
558public:
559 explicit TransactionInputView(const btck_TransactionInput* ptr) : View{ptr} {}
560};
561
562class TransactionInput : public Handle<btck_TransactionInput, btck_transaction_input_copy, btck_transaction_input_destroy>, public TransactionInputApi<TransactionInput>
563{
564public:
566 : Handle(view) {}
567};
568
569template <typename Derived>
571{
572private:
573 auto impl() const
574 {
575 return static_cast<const Derived*>(this)->get();
576 }
577
578public:
579 size_t CountOutputs() const
580 {
582 }
583
584 size_t CountInputs() const
585 {
587 }
588
590 {
592 }
593
594 TransactionInputView GetInput(size_t index) const
595 {
597 }
598
600 {
602 }
603
605
607
608 std::vector<std::byte> ToBytes() const
609 {
611 }
612};
613
614class TransactionView : public View<btck_Transaction>, public TransactionApi<TransactionView>
615{
616public:
617 explicit TransactionView(const btck_Transaction* ptr) : View{ptr} {}
618};
619
620class Transaction : public Handle<btck_Transaction, btck_transaction_copy, btck_transaction_destroy>, public TransactionApi<Transaction>
621{
622public:
623 explicit Transaction(std::span<const std::byte> raw_transaction)
624 : Handle{btck_transaction_create(raw_transaction.data(), raw_transaction.size())} {}
625
627 : Handle{view} {}
628};
629
630class PrecomputedTransactionData : public Handle<btck_PrecomputedTransactionData, btck_precomputed_transaction_data_copy, btck_precomputed_transaction_data_destroy>
631{
632public:
633 explicit PrecomputedTransactionData(const Transaction& tx_to, std::span<const TransactionOutput> spent_outputs)
635 tx_to.get(),
636 reinterpret_cast<const btck_TransactionOutput**>(
637 const_cast<TransactionOutput*>(spent_outputs.data())),
638 spent_outputs.size())} {}
639};
640
641template <typename Derived>
643 const Transaction& tx_to,
644 const PrecomputedTransactionData* precomputed_txdata,
645 unsigned int input_index,
647 ScriptVerifyStatus& status) const
648{
649 auto result = btck_script_pubkey_verify(
650 impl(),
651 amount,
652 tx_to.get(),
653 precomputed_txdata ? precomputed_txdata->get() : nullptr,
654 input_index,
656 reinterpret_cast<btck_ScriptVerifyStatus*>(&status));
657 return result == 1;
658}
659
660template <typename Derived>
662{
663private:
664 auto impl() const
665 {
666 return static_cast<const Derived*>(this)->get();
667 }
668
669public:
670 bool operator==(const Derived& other) const
671 {
672 return btck_block_hash_equals(impl(), other.get()) != 0;
673 }
674
675 bool operator!=(const Derived& other) const
676 {
677 return btck_block_hash_equals(impl(), other.get()) == 0;
678 }
679
680 std::array<std::byte, 32> ToBytes() const
681 {
682 std::array<std::byte, 32> hash;
683 btck_block_hash_to_bytes(impl(), reinterpret_cast<unsigned char*>(hash.data()));
684 return hash;
685 }
686};
687
688class BlockHashView : public View<btck_BlockHash>, public BlockHashApi<BlockHashView>
689{
690public:
691 explicit BlockHashView(const btck_BlockHash* ptr) : View{ptr} {}
692};
693
694class BlockHash : public Handle<btck_BlockHash, btck_block_hash_copy, btck_block_hash_destroy>, public BlockHashApi<BlockHash>
695{
696public:
697 explicit BlockHash(const std::array<std::byte, 32>& hash)
698 : Handle{btck_block_hash_create(reinterpret_cast<const unsigned char*>(hash.data()))} {}
699
700 explicit BlockHash(btck_BlockHash* hash)
701 : Handle{hash} {}
702
704 : Handle{view} {}
705};
706
707template <typename Derived>
709{
710private:
711 auto impl() const
712 {
713 return static_cast<const Derived*>(this)->get();
714 }
715
716 friend Derived;
717 BlockHeaderApi() = default;
718
719public:
721 {
723 }
724
726 {
728 }
729
730 uint32_t Timestamp() const
731 {
733 }
734
735 uint32_t Bits() const
736 {
738 }
739
740 int32_t Version() const
741 {
743 }
744
745 uint32_t Nonce() const
746 {
748 }
749};
750
751class BlockHeaderView : public View<btck_BlockHeader>, public BlockHeaderApi<BlockHeaderView>
752{
753public:
754 explicit BlockHeaderView(const btck_BlockHeader* ptr) : View{ptr} {}
755};
756
757class BlockHeader : public Handle<btck_BlockHeader, btck_block_header_copy, btck_block_header_destroy>, public BlockHeaderApi<BlockHeader>
758{
759public:
760 explicit BlockHeader(std::span<const std::byte> raw_header)
761 : Handle{btck_block_header_create(reinterpret_cast<const unsigned char*>(raw_header.data()), raw_header.size())} {}
762
764 : Handle{view} {}
765
767 : Handle{header} {}
768};
769
770class Block : public Handle<btck_Block, btck_block_copy, btck_block_destroy>
771{
772public:
773 Block(const std::span<const std::byte> raw_block)
774 : Handle{btck_block_create(raw_block.data(), raw_block.size())}
775 {
776 }
777
778 Block(btck_Block* block) : Handle{block} {}
779
780 size_t CountTransactions() const
781 {
783 }
784
785 TransactionView GetTransaction(size_t index) const
786 {
788 }
789
791
793 {
795 }
796
798 {
800 }
801
802 std::vector<std::byte> ToBytes() const
803 {
805 }
806};
807
808inline void logging_disable()
809{
811}
812
813inline void logging_set_options(const btck_LoggingOptions& logging_options)
814{
815 btck_logging_set_options(logging_options);
816}
817
819{
820 btck_logging_set_level_category(static_cast<btck_LogCategory>(category), static_cast<btck_LogLevel>(level));
821}
822
824{
825 btck_logging_enable_category(static_cast<btck_LogCategory>(category));
826}
827
829{
830 btck_logging_disable_category(static_cast<btck_LogCategory>(category));
831}
832
833template <typename T>
834concept Log = requires(T a, std::string_view message) {
835 { a.LogMessage(message) } -> std::same_as<void>;
836};
837
838template <Log T>
839class Logger : UniqueHandle<btck_LoggingConnection, btck_logging_connection_destroy>
840{
841public:
842 Logger(std::unique_ptr<T> log)
844 +[](void* user_data, const char* message, size_t message_len) { static_cast<T*>(user_data)->LogMessage({message, message_len}); },
845 log.release(),
846 +[](void* user_data) { delete static_cast<T*>(user_data); })}
847 {
848 }
849};
850
851class BlockTreeEntry : public View<btck_BlockTreeEntry>
852{
853public:
855 : View{entry}
856 {
857 }
858
859 bool operator==(const BlockTreeEntry& other) const
860 {
861 return btck_block_tree_entry_equals(get(), other.get()) != 0;
862 }
863
864 std::optional<BlockTreeEntry> GetPrevious() const
865 {
866 auto entry{btck_block_tree_entry_get_previous(get())};
867 if (!entry) return std::nullopt;
868 return entry;
869 }
870
871 int32_t GetHeight() const
872 {
874 }
875
877 {
879 }
880
882 {
884 }
885};
886
888{
889public:
890 virtual ~KernelNotifications() = default;
891
892 virtual void BlockTipHandler(SynchronizationState state, BlockTreeEntry entry, double verification_progress) {}
893
894 virtual void HeaderTipHandler(SynchronizationState state, int64_t height, int64_t timestamp, bool presync) {}
895
896 virtual void ProgressHandler(std::string_view title, int progress_percent, bool resume_possible) {}
897
898 virtual void WarningSetHandler(Warning warning, std::string_view message) {}
899
900 virtual void WarningUnsetHandler(Warning warning) {}
901
902 virtual void FlushErrorHandler(std::string_view error) {}
903
904 virtual void FatalErrorHandler(std::string_view error) {}
905};
906
907template <typename Derived>
909{
910private:
911 auto impl() const
912 {
913 return static_cast<const Derived*>(this)->get();
914 }
915
916 friend Derived;
918
919public:
921 {
923 }
924
926 {
928 }
929};
930
931class BlockValidationStateView : public View<btck_BlockValidationState>, public BlockValidationStateApi<BlockValidationStateView>
932{
933public:
935};
936
937class BlockValidationState : public Handle<btck_BlockValidationState, btck_block_validation_state_copy, btck_block_validation_state_destroy>, public BlockValidationStateApi<BlockValidationState>
938{
939public:
941
943};
944
946{
947public:
948 virtual ~ValidationInterface() = default;
949
950 virtual void BlockChecked(Block block, BlockValidationStateView state) {}
951
952 virtual void PowValidBlock(BlockTreeEntry entry, Block block) {}
953
954 virtual void BlockConnected(Block block, BlockTreeEntry entry) {}
955
956 virtual void BlockDisconnected(Block block, BlockTreeEntry entry) {}
957};
958
959class ChainParams : public Handle<btck_ChainParameters, btck_chain_parameters_copy, btck_chain_parameters_destroy>
960{
961public:
963 : Handle{btck_chain_parameters_create(static_cast<btck_ChainType>(chain_type))} {}
964};
965
966class ContextOptions : public UniqueHandle<btck_ContextOptions, btck_context_options_destroy>
967{
968public:
970
971 void SetChainParams(ChainParams& chain_params)
972 {
973 btck_context_options_set_chainparams(get(), chain_params.get());
974 }
975
976 template <typename T>
977 void SetNotifications(std::shared_ptr<T> notifications)
978 {
979 static_assert(std::is_base_of_v<KernelNotifications, T>);
980 auto heap_notifications = std::make_unique<std::shared_ptr<T>>(std::move(notifications));
981 using user_type = std::shared_ptr<T>*;
983 get(),
985 .user_data = heap_notifications.release(),
986 .user_data_destroy = +[](void* user_data) { delete static_cast<user_type>(user_data); },
987 .block_tip = +[](void* user_data, btck_SynchronizationState state, const btck_BlockTreeEntry* entry, double verification_progress) { (*static_cast<user_type>(user_data))->BlockTipHandler(static_cast<SynchronizationState>(state), BlockTreeEntry{entry}, verification_progress); },
988 .header_tip = +[](void* user_data, btck_SynchronizationState state, int64_t height, int64_t timestamp, int presync) { (*static_cast<user_type>(user_data))->HeaderTipHandler(static_cast<SynchronizationState>(state), height, timestamp, presync == 1); },
989 .progress = +[](void* user_data, const char* title, size_t title_len, int progress_percent, int resume_possible) { (*static_cast<user_type>(user_data))->ProgressHandler({title, title_len}, progress_percent, resume_possible == 1); },
990 .warning_set = +[](void* user_data, btck_Warning warning, const char* message, size_t message_len) { (*static_cast<user_type>(user_data))->WarningSetHandler(static_cast<Warning>(warning), {message, message_len}); },
991 .warning_unset = +[](void* user_data, btck_Warning warning) { (*static_cast<user_type>(user_data))->WarningUnsetHandler(static_cast<Warning>(warning)); },
992 .flush_error = +[](void* user_data, const char* error, size_t error_len) { (*static_cast<user_type>(user_data))->FlushErrorHandler({error, error_len}); },
993 .fatal_error = +[](void* user_data, const char* error, size_t error_len) { (*static_cast<user_type>(user_data))->FatalErrorHandler({error, error_len}); },
994 });
995 }
996
997 template <typename T>
998 void SetValidationInterface(std::shared_ptr<T> validation_interface)
999 {
1000 static_assert(std::is_base_of_v<ValidationInterface, T>);
1001 auto heap_vi = std::make_unique<std::shared_ptr<T>>(std::move(validation_interface));
1002 using user_type = std::shared_ptr<T>*;
1004 get(),
1006 .user_data = heap_vi.release(),
1007 .user_data_destroy = +[](void* user_data) { delete static_cast<user_type>(user_data); },
1008 .block_checked = +[](void* user_data, btck_Block* block, const btck_BlockValidationState* state) { (*static_cast<user_type>(user_data))->BlockChecked(Block{block}, BlockValidationStateView{state}); },
1009 .pow_valid_block = +[](void* user_data, btck_Block* block, const btck_BlockTreeEntry* entry) { (*static_cast<user_type>(user_data))->PowValidBlock(BlockTreeEntry{entry}, Block{block}); },
1010 .block_connected = +[](void* user_data, btck_Block* block, const btck_BlockTreeEntry* entry) { (*static_cast<user_type>(user_data))->BlockConnected(Block{block}, BlockTreeEntry{entry}); },
1011 .block_disconnected = +[](void* user_data, btck_Block* block, const btck_BlockTreeEntry* entry) { (*static_cast<user_type>(user_data))->BlockDisconnected(Block{block}, BlockTreeEntry{entry}); },
1012 });
1013 }
1014};
1015
1016class Context : public Handle<btck_Context, btck_context_copy, btck_context_destroy>
1017{
1018public:
1020 : Handle{btck_context_create(opts.get())} {}
1021
1024
1026 {
1027 return btck_context_interrupt(get()) == 0;
1028 }
1029};
1030
1031class ChainstateManagerOptions : public UniqueHandle<btck_ChainstateManagerOptions, btck_chainstate_manager_options_destroy>
1032{
1033public:
1034 ChainstateManagerOptions(const Context& context, std::string_view data_dir, std::string_view blocks_dir)
1036 context.get(), data_dir.data(), data_dir.length(), blocks_dir.data(), blocks_dir.length())}
1037 {
1038 }
1039
1040 void SetWorkerThreads(int worker_threads)
1041 {
1043 }
1044
1045 bool SetWipeDbs(bool wipe_block_tree, bool wipe_chainstate)
1046 {
1047 return btck_chainstate_manager_options_set_wipe_dbs(get(), wipe_block_tree, wipe_chainstate) == 0;
1048 }
1049
1050 void UpdateBlockTreeDbInMemory(bool block_tree_db_in_memory)
1051 {
1053 }
1054
1055 void UpdateChainstateDbInMemory(bool chainstate_db_in_memory)
1056 {
1058 }
1059};
1060
1061class ChainView : public View<btck_Chain>
1062{
1063public:
1064 explicit ChainView(const btck_Chain* ptr) : View{ptr} {}
1065
1066 int32_t Height() const
1067 {
1068 return btck_chain_get_height(get());
1069 }
1070
1071 int CountEntries() const
1072 {
1073 return btck_chain_get_height(get()) + 1;
1074 }
1075
1076 BlockTreeEntry GetByHeight(int height) const
1077 {
1078 auto index{btck_chain_get_by_height(get(), height)};
1079 if (!index) throw std::runtime_error("No entry in the chain at the provided height");
1080 return index;
1081 }
1082
1083 bool Contains(BlockTreeEntry& entry) const
1084 {
1085 return btck_chain_contains(get(), entry.get());
1086 }
1087
1088 MAKE_RANGE_METHOD(Entries, ChainView, &ChainView::CountEntries, &ChainView::GetByHeight, *this)
1089};
1090
1091template <typename Derived>
1093{
1094private:
1095 auto impl() const
1096 {
1097 return static_cast<const Derived*>(this)->get();
1098 }
1099
1100 friend Derived;
1101 CoinApi() = default;
1102
1103public:
1104 uint32_t GetConfirmationHeight() const { return btck_coin_confirmation_height(impl()); }
1105
1106 bool IsCoinbase() const { return btck_coin_is_coinbase(impl()) == 1; }
1107
1109 {
1111 }
1112};
1113
1114class CoinView : public View<btck_Coin>, public CoinApi<CoinView>
1115{
1116public:
1117 explicit CoinView(const btck_Coin* ptr) : View{ptr} {}
1118};
1119
1120class Coin : public Handle<btck_Coin, btck_coin_copy, btck_coin_destroy>, public CoinApi<Coin>
1121{
1122public:
1123 Coin(btck_Coin* coin) : Handle{coin} {}
1124
1125 Coin(const CoinView& view) : Handle{view} {}
1126};
1127
1128template <typename Derived>
1130{
1131private:
1132 auto impl() const
1133 {
1134 return static_cast<const Derived*>(this)->get();
1135 }
1136
1137 friend Derived;
1139
1140public:
1141 size_t Count() const
1142 {
1144 }
1145
1146 CoinView GetCoin(size_t index) const
1147 {
1149 }
1150
1152};
1153
1154class TransactionSpentOutputsView : public View<btck_TransactionSpentOutputs>, public TransactionSpentOutputsApi<TransactionSpentOutputsView>
1155{
1156public:
1158};
1159
1160class TransactionSpentOutputs : public Handle<btck_TransactionSpentOutputs, btck_transaction_spent_outputs_copy, btck_transaction_spent_outputs_destroy>,
1161 public TransactionSpentOutputsApi<TransactionSpentOutputs>
1162{
1163public:
1164 TransactionSpentOutputs(btck_TransactionSpentOutputs* transaction_spent_outputs) : Handle{transaction_spent_outputs} {}
1165
1167};
1168
1169class BlockSpentOutputs : public Handle<btck_BlockSpentOutputs, btck_block_spent_outputs_copy, btck_block_spent_outputs_destroy>
1170{
1171public:
1173 : Handle{block_spent_outputs}
1174 {
1175 }
1176
1177 size_t Count() const
1178 {
1179 return btck_block_spent_outputs_count(get());
1180 }
1181
1183 {
1185 }
1186
1187 MAKE_RANGE_METHOD(TxsSpentOutputs, BlockSpentOutputs, &BlockSpentOutputs::Count, &BlockSpentOutputs::GetTxSpentOutputs, *this)
1188};
1189
1190class ChainMan : UniqueHandle<btck_ChainstateManager, btck_chainstate_manager_destroy>
1191{
1192public:
1193 ChainMan(const Context& context, const ChainstateManagerOptions& chainman_opts)
1194 : UniqueHandle{btck_chainstate_manager_create(chainman_opts.get())}
1195 {
1196 }
1197
1198 bool ImportBlocks(const std::span<const std::string> paths)
1199 {
1200 std::vector<const char*> c_paths;
1201 std::vector<size_t> c_paths_lens;
1202 c_paths.reserve(paths.size());
1203 c_paths_lens.reserve(paths.size());
1204 for (const auto& path : paths) {
1205 c_paths.push_back(path.c_str());
1206 c_paths_lens.push_back(path.length());
1207 }
1208
1209 return btck_chainstate_manager_import_blocks(get(), c_paths.data(), c_paths_lens.data(), c_paths.size()) == 0;
1210 }
1211
1212 bool ProcessBlock(const Block& block, bool* new_block)
1213 {
1214 int _new_block;
1215 int res = btck_chainstate_manager_process_block(get(), block.get(), &_new_block);
1216 if (new_block) *new_block = _new_block == 1;
1217 return res == 0;
1218 }
1219
1221 {
1222 return btck_chainstate_manager_process_block_header(get(), header.get(), state.get()) == 0;
1223 }
1224
1226 {
1228 }
1229
1230 std::optional<BlockTreeEntry> GetBlockTreeEntry(const BlockHash& block_hash) const
1231 {
1232 auto entry{btck_chainstate_manager_get_block_tree_entry_by_hash(get(), block_hash.get())};
1233 if (!entry) return std::nullopt;
1234 return entry;
1235 }
1236
1238 {
1240 }
1241
1242 std::optional<Block> ReadBlock(const BlockTreeEntry& entry) const
1243 {
1244 auto block{btck_block_read(get(), entry.get())};
1245 if (!block) return std::nullopt;
1246 return block;
1247 }
1248
1250 {
1251 return btck_block_spent_outputs_read(get(), entry.get());
1252 }
1253};
1254
1255} // namespace btck
1256
1257#endif // BITCOIN_KERNEL_BITCOINKERNEL_WRAPPER_H
int flags
Definition: bitcoin-tx.cpp:529
int btck_block_to_bytes(const btck_Block *block, btck_WriteBytes writer, void *user_data)
void btck_logging_disable()
This disables the global internal logger.
int btck_script_pubkey_to_bytes(const btck_ScriptPubkey *script_pubkey_, btck_WriteBytes writer, void *user_data)
int btck_chainstate_manager_import_blocks(btck_ChainstateManager *chainman, const char **block_file_paths_data, size_t *block_file_paths_lens, size_t block_file_paths_data_len)
Triggers the start of a reindex if the wipe options were previously set for the chainstate manager.
const btck_Coin * btck_transaction_spent_outputs_get_coin_at(const btck_TransactionSpentOutputs *transaction_spent_outputs, size_t coin_index)
Returns a coin contained in the transaction spent outputs at a certain index.
const btck_TransactionInput * btck_transaction_get_input_at(const btck_Transaction *transaction, size_t input_index)
Get the transaction input at the provided index.
void btck_logging_enable_category(btck_LogCategory category)
Enable a specific log category for the global internal logger.
uint32_t btck_coin_confirmation_height(const btck_Coin *coin)
Returns the block height where the transaction that created this coin was included in.
void btck_context_options_set_notifications(btck_ContextOptions *options, btck_NotificationInterfaceCallbacks notifications)
Set the kernel notifications for the context options.
btck_ContextOptions * btck_context_options_create()
Creates an empty context options.
btck_PrecomputedTransactionData * btck_precomputed_transaction_data_create(const btck_Transaction *tx_to, const btck_TransactionOutput **spent_outputs_, size_t spent_outputs_len)
Create precomputed transaction data for script verification.
int64_t btck_transaction_output_get_amount(const btck_TransactionOutput *output)
Get the amount in the output.
void btck_chainstate_manager_options_update_chainstate_db_in_memory(btck_ChainstateManagerOptions *chainman_opts, int chainstate_db_in_memory)
Sets chainstate db in memory in the options.
uint32_t btck_block_header_get_nonce(const btck_BlockHeader *header)
Get the nonce from btck_BlockHeader.
const btck_Txid * btck_transaction_out_point_get_txid(const btck_TransactionOutPoint *out_point)
Get the txid from the transaction out point.
void btck_logging_disable_category(btck_LogCategory category)
Disable a specific log category for the global internal logger.
btck_BlockValidationState * btck_block_validation_state_create()
Create a new btck_BlockValidationState.
const btck_BlockTreeEntry * btck_block_tree_entry_get_previous(const btck_BlockTreeEntry *entry)
Returns the previous block tree entry in the tree, or null if the current block tree entry is the gen...
size_t btck_transaction_count_outputs(const btck_Transaction *transaction)
Get the number of outputs of a transaction.
btck_ScriptPubkey * btck_script_pubkey_create(const void *script_pubkey, size_t script_pubkey_len)
Create a script pubkey from serialized data.
const btck_BlockTreeEntry * btck_chainstate_manager_get_best_entry(const btck_ChainstateManager *chainstate_manager)
Get the btck_BlockTreeEntry whose associated btck_BlockHeader has the most known cumulative proof of ...
btck_ChainParameters * btck_chain_parameters_create(const btck_ChainType chain_type)
Creates a chain parameters struct with default parameters based on the passed in chain type.
int32_t btck_block_header_get_version(const btck_BlockHeader *header)
Get the version from btck_BlockHeader.
btck_ValidationMode btck_block_validation_state_get_validation_mode(const btck_BlockValidationState *block_validation_state_)
Returns the validation mode from an opaque btck_BlockValidationState pointer.
btck_Block * btck_block_create(const void *raw_block, size_t raw_block_length)
Parse a serialized raw block into a new block object.
void btck_chainstate_manager_options_update_block_tree_db_in_memory(btck_ChainstateManagerOptions *chainman_opts, int block_tree_db_in_memory)
Sets block tree db in memory in the options.
int btck_block_tree_entry_equals(const btck_BlockTreeEntry *entry1, const btck_BlockTreeEntry *entry2)
uint32_t btck_block_header_get_bits(const btck_BlockHeader *header)
Get the nBits difficulty target from btck_BlockHeader.
btck_BlockHeader * btck_block_get_header(const btck_Block *block)
Get the btck_BlockHeader from the block.
size_t btck_block_count_transactions(const btck_Block *block)
Count the number of transactions contained in a block.
btck_LoggingConnection * btck_logging_connection_create(btck_LogCallback callback, void *user_data, btck_DestroyCallback user_data_destroy_callback)
Start logging messages through the provided callback.
int btck_script_pubkey_verify(const btck_ScriptPubkey *script_pubkey, const int64_t amount, const btck_Transaction *tx_to, const btck_PrecomputedTransactionData *precomputed_txdata, const unsigned int input_index, const btck_ScriptVerificationFlags flags, btck_ScriptVerifyStatus *status)
const btck_TransactionOutPoint * btck_transaction_input_get_out_point(const btck_TransactionInput *input)
Get the transaction out point.
btck_BlockSpentOutputs * btck_block_spent_outputs_read(const btck_ChainstateManager *chainman, const btck_BlockTreeEntry *entry)
btck_ChainstateManager * btck_chainstate_manager_create(const btck_ChainstateManagerOptions *chainman_opts)
Create a chainstate manager.
btck_BlockHash * btck_block_get_hash(const btck_Block *block)
Calculate and return the hash of a block.
const btck_TransactionSpentOutputs * btck_block_spent_outputs_get_transaction_spent_outputs_at(const btck_BlockSpentOutputs *block_spent_outputs, size_t transaction_index)
Returns a transaction spent outputs contained in the block spent outputs at a certain index.
btck_Context * btck_context_create(const btck_ContextOptions *options)
Create a new kernel context.
const btck_TransactionOutput * btck_coin_get_output(const btck_Coin *coin)
Return the transaction output of a coin.
int btck_coin_is_coinbase(const btck_Coin *coin)
Returns whether the containing transaction was a coinbase.
void btck_txid_to_bytes(const btck_Txid *txid, unsigned char output[32])
int btck_chainstate_manager_options_set_wipe_dbs(btck_ChainstateManagerOptions *chainman_opts, int wipe_block_tree_db, int wipe_chainstate_db)
Sets wipe db in the options.
btck_BlockHeader * btck_block_tree_entry_get_block_header(const btck_BlockTreeEntry *entry)
Return the btck_BlockHeader associated with this entry.
int btck_context_interrupt(btck_Context *context)
Interrupt can be used to halt long-running validation functions like when reindexing,...
const btck_TransactionOutput * btck_transaction_get_output_at(const btck_Transaction *transaction, size_t output_index)
Get the transaction outputs at the provided index.
void btck_logging_set_level_category(btck_LogCategory category, btck_LogLevel level)
Set the log level of the global internal logger.
void btck_context_options_set_chainparams(btck_ContextOptions *options, const btck_ChainParameters *chain_parameters)
btck_BlockHeader * btck_block_header_create(const void *raw_block_header, size_t raw_block_header_len)
Create a btck_BlockHeader from serialized data.
uint32_t btck_block_header_get_timestamp(const btck_BlockHeader *header)
Get the timestamp from btck_BlockHeader.
btck_BlockHash * btck_block_hash_create(const unsigned char block_hash[32])
Create a block hash from its raw data.
btck_BlockHash * btck_block_header_get_hash(const btck_BlockHeader *header)
Get the btck_BlockHash.
int btck_chainstate_manager_process_block_header(btck_ChainstateManager *chainstate_manager, const btck_BlockHeader *header, btck_BlockValidationState *state)
void btck_context_options_set_validation_interface(btck_ContextOptions *options, btck_ValidationInterfaceCallbacks vi_cbs)
Set the validation interface callbacks for the context options.
uint32_t btck_transaction_out_point_get_index(const btck_TransactionOutPoint *out_point)
Get the output position from the transaction out point.
const btck_BlockHash * btck_block_header_get_prev_hash(const btck_BlockHeader *header)
Get the previous btck_BlockHash from btck_BlockHeader.
btck_Block * btck_block_read(const btck_ChainstateManager *chainman, const btck_BlockTreeEntry *entry)
const btck_Txid * btck_transaction_get_txid(const btck_Transaction *transaction)
Get the txid of a transaction.
int btck_chain_contains(const btck_Chain *chain, const btck_BlockTreeEntry *entry)
const btck_BlockTreeEntry * btck_chainstate_manager_get_block_tree_entry_by_hash(const btck_ChainstateManager *chainman, const btck_BlockHash *block_hash)
size_t btck_block_spent_outputs_count(const btck_BlockSpentOutputs *block_spent_outputs)
Returns the number of transaction spent outputs whose data is contained in block spent outputs.
const btck_BlockTreeEntry * btck_chain_get_by_height(const btck_Chain *chain, int height)
Retrieve a block tree entry by its height in the currently active chain.
int btck_block_hash_equals(const btck_BlockHash *hash1, const btck_BlockHash *hash2)
int32_t btck_block_tree_entry_get_height(const btck_BlockTreeEntry *entry)
Return the height of a certain block tree entry.
const btck_ScriptPubkey * btck_transaction_output_get_script_pubkey(const btck_TransactionOutput *output)
Get the script pubkey of the output.
int btck_chainstate_manager_process_block(btck_ChainstateManager *chainman, const btck_Block *block, int *_new_block)
size_t btck_transaction_count_inputs(const btck_Transaction *transaction)
Get the number of inputs of a transaction.
int btck_chain_get_height(const btck_Chain *chain)
Return the height of the tip of the chain.
int btck_txid_equals(const btck_Txid *txid1, const btck_Txid *txid2)
btck_Transaction * btck_transaction_create(const void *raw_transaction, size_t raw_transaction_len)
Create a new transaction from the serialized data.
const btck_BlockHash * btck_block_tree_entry_get_block_hash(const btck_BlockTreeEntry *entry)
Return the block hash associated with a block tree entry.
void btck_logging_set_options(const btck_LoggingOptions options)
Set some options for the global internal logger.
void btck_chainstate_manager_options_set_worker_threads_num(btck_ChainstateManagerOptions *opts, int worker_threads)
Set the number of available worker threads used during validation.
int btck_transaction_to_bytes(const btck_Transaction *transaction, btck_WriteBytes writer, void *user_data)
btck_TransactionOutput * btck_transaction_output_create(const btck_ScriptPubkey *script_pubkey, int64_t amount)
Create a transaction output from a script pubkey and an amount.
const btck_Transaction * btck_block_get_transaction_at(const btck_Block *block, size_t index)
Get the transaction at the provided index.
const btck_Chain * btck_chainstate_manager_get_active_chain(const btck_ChainstateManager *chainman)
Returns the best known currently active chain.
btck_ChainstateManagerOptions * btck_chainstate_manager_options_create(const btck_Context *context, const char *data_dir, size_t data_dir_len, const char *blocks_dir, size_t blocks_dir_len)
Create options for the chainstate manager.
btck_BlockValidationResult btck_block_validation_state_get_block_validation_result(const btck_BlockValidationState *block_validation_state_)
Returns the validation result from an opaque btck_BlockValidationState pointer.
void btck_block_hash_to_bytes(const btck_BlockHash *block_hash, unsigned char output[32])
size_t btck_transaction_spent_outputs_count(const btck_TransactionSpentOutputs *transaction_spent_outputs)
Returns the number of previous transaction outputs contained in the transaction spent outputs data.
#define btck_ChainType_REGTEST
#define btck_ScriptVerificationFlags_P2SH
evaluate P2SH (BIP16) subscripts
uint8_t btck_LogLevel
The level at which logs should be produced.
#define btck_ScriptVerificationFlags_CHECKLOCKTIMEVERIFY
enable CHECKLOCKTIMEVERIFY (BIP65)
int(* btck_WriteBytes)(const void *bytes, size_t size, void *userdata)
Function signature for serializing data.
#define btck_ChainType_MAINNET
#define btck_BlockValidationResult_HEADER_LOW_WORK
the block header may be on a too-little-work chain
#define btck_Warning_UNKNOWN_NEW_RULES_ACTIVATED
uint8_t btck_ChainType
#define btck_BlockValidationResult_INVALID_PREV
A block this one builds on is invalid.
#define btck_LogCategory_MEMPOOL
#define btck_LogLevel_TRACE
#define btck_ChainType_TESTNET
#define btck_SynchronizationState_INIT_REINDEX
#define btck_ScriptVerifyStatus_ERROR_INVALID_FLAGS_COMBINATION
The flags were combined in an invalid way.
uint32_t btck_BlockValidationResult
A granular "reason" why a block was invalid.
#define btck_LogCategory_BENCH
uint8_t btck_ValidationMode
Whether a validated data structure is valid, invalid, or an error was encountered during processing.
#define btck_ScriptVerificationFlags_ALL
#define btck_LogCategory_PRUNE
uint8_t btck_SynchronizationState
Current sync state passed to tip changed callbacks.
#define btck_ChainType_TESTNET_4
#define btck_LogCategory_COINDB
#define btck_ScriptVerificationFlags_TAPROOT
enable TAPROOT (BIPs 341 & 342)
#define btck_ScriptVerifyStatus_ERROR_SPENT_OUTPUTS_REQUIRED
The taproot flag was set, so valid spent_outputs have to be provided.
#define btck_ScriptVerificationFlags_WITNESS
enable WITNESS (BIP141)
uint32_t btck_ScriptVerificationFlags
Script verification flags that may be composed with each other.
#define btck_LogCategory_VALIDATION
#define btck_LogCategory_REINDEX
#define btck_LogLevel_DEBUG
#define btck_ScriptVerifyStatus_OK
#define btck_ScriptVerificationFlags_NONE
#define btck_LogCategory_RAND
#define btck_BlockValidationResult_CONSENSUS
invalid by consensus rules (excluding any below reasons)
#define btck_BlockValidationResult_UNSET
initial value. Block has not yet been rejected
#define btck_SynchronizationState_POST_INIT
#define btck_BlockValidationResult_MISSING_PREV
We don't have the previous block the checked one is built on.
#define btck_LogCategory_ALL
uint8_t btck_ScriptVerifyStatus
A collection of status codes that may be issued by the script verify function.
#define btck_ValidationMode_INTERNAL_ERROR
uint8_t btck_LogCategory
A collection of logging categories that may be encountered by kernel code.
#define btck_ValidationMode_INVALID
#define btck_ChainType_SIGNET
#define btck_ScriptVerificationFlags_NULLDUMMY
enforce NULLDUMMY (BIP147)
#define btck_BlockValidationResult_INVALID_HEADER
invalid proof of work or time too old
uint8_t btck_Warning
Possible warning types issued by validation.
#define btck_BlockValidationResult_TIME_FUTURE
block timestamp was > 2 hours in the future (or our clock is bad)
#define btck_LogCategory_LEVELDB
#define btck_BlockValidationResult_CACHED_INVALID
this block was cached as being invalid and we didn't store the reason why
#define btck_Warning_LARGE_WORK_INVALID_CHAIN
#define btck_LogLevel_INFO
#define btck_ScriptVerificationFlags_CHECKSEQUENCEVERIFY
enable CHECKSEQUENCEVERIFY (BIP112)
#define btck_LogCategory_BLOCKSTORAGE
#define btck_ValidationMode_VALID
#define btck_LogCategory_KERNEL
#define btck_ScriptVerificationFlags_DERSIG
enforce strict DER (BIP66) compliance
#define btck_BlockValidationResult_MUTATED
the block's data didn't match the data committed to by the PoW
#define btck_SynchronizationState_INIT_DOWNLOAD
#define MAKE_RANGE_METHOD(method_name, ContainerType, SizeFunc, GetFunc, container_expr)
bool operator==(const Derived &other) const
std::array< std::byte, 32 > ToBytes() const
bool operator!=(const Derived &other) const
BlockHash(const std::array< std::byte, 32 > &hash)
BlockHash(btck_BlockHash *hash)
BlockHash(const BlockHashView &view)
BlockHashView(const btck_BlockHash *ptr)
BlockHashView PrevHash() const
BlockHeaderApi()=default
BlockHeader(btck_BlockHeader *header)
BlockHeader(std::span< const std::byte > raw_header)
BlockHeader(const BlockHeaderView &view)
BlockHeaderView(const btck_BlockHeader *ptr)
BlockHash GetHash() const
std::vector< std::byte > ToBytes() const
TransactionView GetTransaction(size_t index) const
BlockHeader GetHeader() const
Block(btck_Block *block)
size_t CountTransactions() const
Block(const std::span< const std::byte > raw_block)
TransactionSpentOutputsView GetTxSpentOutputs(size_t tx_undo_index) const
BlockSpentOutputs(btck_BlockSpentOutputs *block_spent_outputs)
int32_t GetHeight() const
BlockTreeEntry(const btck_BlockTreeEntry *entry)
std::optional< BlockTreeEntry > GetPrevious() const
bool operator==(const BlockTreeEntry &other) const
BlockHashView GetHash() const
BlockHeader GetHeader() const
ValidationMode GetValidationMode() const
BlockValidationResult GetBlockValidationResult() const
BlockValidationState(const BlockValidationStateView &view)
BlockValidationStateView(const btck_BlockValidationState *ptr)
std::optional< BlockTreeEntry > GetBlockTreeEntry(const BlockHash &block_hash) const
std::optional< Block > ReadBlock(const BlockTreeEntry &entry) const
BlockSpentOutputs ReadBlockSpentOutputs(const BlockTreeEntry &entry) const
bool ProcessBlockHeader(const BlockHeader &header, BlockValidationState &state)
ChainView GetChain() const
BlockTreeEntry GetBestEntry() const
ChainMan(const Context &context, const ChainstateManagerOptions &chainman_opts)
bool ImportBlocks(const std::span< const std::string > paths)
bool ProcessBlock(const Block &block, bool *new_block)
ChainParams(ChainType chain_type)
ChainView(const btck_Chain *ptr)
BlockTreeEntry GetByHeight(int height) const
int32_t Height() const
bool Contains(BlockTreeEntry &entry) const
void SetWorkerThreads(int worker_threads)
ChainstateManagerOptions(const Context &context, std::string_view data_dir, std::string_view blocks_dir)
void UpdateBlockTreeDbInMemory(bool block_tree_db_in_memory)
void UpdateChainstateDbInMemory(bool chainstate_db_in_memory)
bool SetWipeDbs(bool wipe_block_tree, bool wipe_chainstate)
CoinApi()=default
uint32_t GetConfirmationHeight() const
TransactionOutputView GetOutput() const
Coin(const CoinView &view)
Coin(btck_Coin *coin)
CoinView(const btck_Coin *ptr)
Context(ContextOptions &opts)
void SetValidationInterface(std::shared_ptr< T > validation_interface)
void SetChainParams(ChainParams &chain_params)
void SetNotifications(std::shared_ptr< T > notifications)
Handle & operator=(const Handle &other)
Handle & operator=(Handle &&other) noexcept
Handle(const ViewType &view)
Handle(Handle &&other) noexcept
const CType * get() const
Handle(const Handle &other)
std::random_access_iterator_tag iterator_category
auto operator-(difference_type n) const
auto operator+(difference_type n) const
Iterator(const Collection *ptr)
auto & operator-=(difference_type n)
Iterator()=default
const Collection * m_collection
auto operator<=>(const Iterator &other) const
std::random_access_iterator_tag iterator_concept
friend Iterator operator+(difference_type n, const Iterator &it)
Iterator(const Collection *ptr, size_t idx)
auto & operator+=(difference_type n)
auto operator-(const Iterator &other) const
bool operator==(const Iterator &other) const
std::ptrdiff_t difference_type
ValueType operator[](difference_type n) const
virtual void FatalErrorHandler(std::string_view error)
virtual void WarningSetHandler(Warning warning, std::string_view message)
virtual void BlockTipHandler(SynchronizationState state, BlockTreeEntry entry, double verification_progress)
virtual ~KernelNotifications()=default
virtual void ProgressHandler(std::string_view title, int progress_percent, bool resume_possible)
virtual void WarningUnsetHandler(Warning warning)
virtual void FlushErrorHandler(std::string_view error)
virtual void HeaderTipHandler(SynchronizationState state, int64_t height, int64_t timestamp, bool presync)
Logger(std::unique_ptr< T > log)
OutPointApi()=default
uint32_t index() const
OutPoint(const OutPointView &view)
OutPointView(const btck_TransactionOutPoint *ptr)
PrecomputedTransactionData(const Transaction &tx_to, std::span< const TransactionOutput > spent_outputs)
Iterator< Range, value_type > iterator
bool empty() const
const Container * m_container
value_type front() const
const_iterator cbegin() const
value_type operator[](size_t index) const
Range(const Container &container)
size_t size() const
const_iterator cend() const
std::ptrdiff_t difference_type
iterator begin() const
iterator end() const
value_type back() const
value_type at(size_t index) const
std::invoke_result_t< decltype(GetFunc), const Container &, size_t > value_type
std::vector< std::byte > ToBytes() const
bool Verify(int64_t amount, const Transaction &tx_to, const PrecomputedTransactionData *precomputed_txdata, unsigned int input_index, ScriptVerificationFlags flags, ScriptVerifyStatus &status) const
ScriptPubkey(std::span< const std::byte > raw)
ScriptPubkey(const ScriptPubkeyView &view)
ScriptPubkeyView(const btck_ScriptPubkey *ptr)
TransactionInputView GetInput(size_t index) const
TransactionOutputView GetOutput(size_t index) const
std::vector< std::byte > ToBytes() const
Transaction(std::span< const std::byte > raw_transaction)
Transaction(const TransactionView &view)
TransactionInput(const TransactionInputView &view)
TransactionInputView(const btck_TransactionInput *ptr)
ScriptPubkeyView GetScriptPubkey() const
TransactionOutput(const TransactionOutputView &view)
TransactionOutput(const ScriptPubkey &script_pubkey, int64_t amount)
TransactionOutputView(const btck_TransactionOutput *ptr)
CoinView GetCoin(size_t index) const
TransactionSpentOutputs(btck_TransactionSpentOutputs *transaction_spent_outputs)
TransactionSpentOutputs(const TransactionSpentOutputsView &view)
TransactionSpentOutputsView(const btck_TransactionSpentOutputs *ptr)
TransactionView(const btck_Transaction *ptr)
bool operator==(const TxidApi &other) const
std::array< std::byte, 32 > ToBytes() const
TxidApi()=default
bool operator!=(const TxidApi &other) const
Txid(const TxidView &view)
TxidView(const btck_Txid *ptr)
const CType * get() const
std::unique_ptr< CType, Deleter > m_ptr
virtual void PowValidBlock(BlockTreeEntry entry, Block block)
virtual void BlockConnected(Block block, BlockTreeEntry entry)
virtual ~ValidationInterface()=default
virtual void BlockDisconnected(Block block, BlockTreeEntry entry)
virtual void BlockChecked(Block block, BlockValidationStateView state)
const CType * get() const
const CType * m_ptr
View(const CType *ptr)
#define T(expected, seed, data)
constexpr T & operator|=(T &lhs, T rhs)
constexpr T & operator&=(T &lhs, T rhs)
constexpr T operator~(T value)
std::vector< std::byte > write_bytes(const T *object, int(*to_bytes)(const T *, btck_WriteBytes, void *))
void logging_set_options(const btck_LoggingOptions &logging_options)
constexpr T operator&(T lhs, T rhs)
constexpr T operator|(T lhs, T rhs)
void logging_set_level_category(LogCategory category, LogLevel level)
@ UNKNOWN_NEW_RULES_ACTIVATED
@ LARGE_WORK_INVALID_CHAIN
void logging_enable_category(LogCategory category)
constexpr T operator^(T lhs, T rhs)
void logging_disable_category(LogCategory category)
T check(T ptr)
void logging_disable()
constexpr T & operator^=(T &lhs, T rhs)
@ OK
The message verification was successful.
void operator()(CType *ptr) const noexcept
Options controlling the format of log messages.
A struct for holding the kernel notification callbacks.
void * user_data
Holds a user-defined opaque structure that is passed to the notification callbacks.
Holds the validation interface callbacks.
void * user_data
Holds a user-defined opaque structure that is passed to the validation interface callbacks.