1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059
// KILT Blockchain – https://botlabs.org
// Copyright (C) 2019-2024 BOTLabs GmbH
// The KILT Blockchain is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.
// The KILT Blockchain is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
// GNU General Public License for more details.
// You should have received a copy of the GNU General Public License
// along with this program. If not, see <https://www.gnu.org/licenses/>.
// If you feel like getting in touch with us, you can do so at info@botlabs.org
//! # Delegation Pallet
//!
//! Provides means of adding KILT delegations on chain and revoking them. Each
//! delegation is based on a specific CType. The most basic delegation is just a
//! root node to which you can add further delegations by
//! appending them to the root node resulting in a tree structure.
//!
//! - [`Config`]
//! - [`Call`]
//! - [`Pallet`]
//!
//! ### Terminology
//!
//! - **Claimer:**: A user which claims properties about themselves in the
//! format of a CType. This could be a person which claims to have a valid
//! driver's license.
//!
//! - **Attester:**: An entity which checks a user's claim and approves its
//! validity. This could be a Citizens Registration Office which issues
//! drivers licenses.
//!
//! - **Verifier:**: An entity which wants to check a user's claim by checking
//! the provided attestation.
//!
//! - **CType:**: CTypes are claim types. In everyday language, they are
//! standardised structures for credentials. For example, a company may need a
//! standard identification credential to identify workers that includes their
//! full name, date of birth, access level and id number. Each of these are
//! referred to as an attribute of a credential.
//!
//! - **Attestation:**: An approved or revoked user's claim in the format of a
//! CType.
//!
//! - **Delegation:**: An attestation which is not issued by the attester
//! directly but via a (chain of) delegations which entitle the delegated
//! attester. This could be an employee of a company which is authorized to
//! sign documents for their superiors.
//!
//! ## Assumptions
//!
//! - The maximum depth of a delegation tree is bounded by `MaxParentChecks`.
//! This is not enforced when adding new delegations. However, you can only
//! revoke up to `MaxParentChecks` many sub-delegations.
#![cfg_attr(not(feature = "std"), no_std)]
#![allow(clippy::unused_unit)]
mod access_control;
pub mod default_weights;
pub mod delegation_hierarchy;
pub mod migrations;
#[cfg(any(feature = "mock", test))]
pub mod mock;
#[cfg(feature = "runtime-benchmarks")]
pub mod benchmarking;
#[cfg(test)]
mod tests;
#[cfg(any(feature = "try-runtime", test))]
mod try_state;
pub use crate::{access_control::DelegationAc, default_weights::WeightInfo, delegation_hierarchy::*, pallet::*};
use frame_support::{dispatch::DispatchResult, ensure, pallet_prelude::Weight, traits::Get};
use kilt_support::traits::{BalanceMigrationManager, StorageDepositCollector};
use parity_scale_codec::Encode;
use sp_runtime::{traits::Hash, DispatchError};
use sp_std::{marker::PhantomData, vec::Vec};
#[frame_support::pallet]
pub mod pallet {
use super::*;
use frame_support::{
pallet_prelude::*,
traits::{
fungible::{Inspect, MutateHold},
StorageVersion,
},
};
use frame_system::pallet_prelude::*;
use kilt_support::{
signature::{SignatureVerificationError, VerifySignature},
traits::CallSources,
Deposit,
};
use scale_info::TypeInfo;
/// The current storage version.
const STORAGE_VERSION: StorageVersion = StorageVersion::new(3);
/// Type of a delegation node identifier.
pub type DelegationNodeIdOf<T> = <T as Config>::DelegationNodeId;
/// Type of a delegator or a delegate.
pub type DelegatorIdOf<T> = <T as Config>::DelegationEntityId;
/// The type of a CType hash.
pub type CtypeHashOf<T> = ctype::CtypeHashOf<T>;
/// Type of a signature verification operation over the delegation details.
pub type DelegationSignatureVerificationOf<T> = <T as Config>::DelegationSignatureVerification;
/// Type of the signature that the delegate generates over the delegation
/// information.
pub type DelegateSignatureTypeOf<T> = <DelegationSignatureVerificationOf<T> as VerifySignature>::Signature;
pub(crate) type AccountIdOf<T> = <T as frame_system::Config>::AccountId;
pub(crate) type BalanceOf<T> = <<T as Config>::Currency as Inspect<AccountIdOf<T>>>::Balance;
pub(crate) type CurrencyOf<T> = <T as Config>::Currency;
pub(crate) type DelegationDetailsOf<T> = DelegationDetails<DelegatorIdOf<T>>;
pub(crate) type BalanceMigrationManagerOf<T> = <T as Config>::BalanceMigrationManager;
pub type DelegationNodeOf<T> = DelegationNode<
DelegationNodeIdOf<T>,
<T as Config>::MaxChildren,
DelegationDetailsOf<T>,
AccountIdOf<T>,
BalanceOf<T>,
>;
#[pallet::composite_enum]
pub enum HoldReason {
Deposit,
}
#[pallet::config]
pub trait Config: frame_system::Config + ctype::Config {
type Signature: Parameter;
type DelegationSignatureVerification: VerifySignature<
SignerId = Self::DelegationEntityId,
Payload = Vec<u8>,
Signature = Self::Signature,
>;
type DelegationEntityId: Parameter + TypeInfo + MaxEncodedLen;
type DelegationNodeId: Parameter + Copy + AsRef<[u8]> + Eq + PartialEq + Ord + PartialOrd + MaxEncodedLen;
type EnsureOrigin: EnsureOrigin<
<Self as frame_system::Config>::RuntimeOrigin,
Success = <Self as Config>::OriginSuccess,
>;
type OriginSuccess: CallSources<AccountIdOf<Self>, DelegatorIdOf<Self>>;
type RuntimeEvent: From<Event<Self>> + IsType<<Self as frame_system::Config>::RuntimeEvent>;
type WeightInfo: WeightInfo;
type RuntimeHoldReason: From<HoldReason>;
/// The currency that is used to reserve funds for each delegation.
type Currency: MutateHold<AccountIdOf<Self>, Reason = Self::RuntimeHoldReason>;
/// The deposit that is required for storing a delegation.
#[pallet::constant]
type Deposit: Get<BalanceOf<Self>>;
#[pallet::constant]
type MaxSignatureByteLength: Get<u16>;
/// Maximum number of revocations.
#[pallet::constant]
type MaxRevocations: Get<u32>;
/// Maximum number of removals. Should be same as MaxRevocations
#[pallet::constant]
type MaxRemovals: Get<u32>;
/// Maximum number of upwards traversals of the delegation tree from a
/// node to the root and thus the depth of the delegation tree.
#[pallet::constant]
type MaxParentChecks: Get<u32>;
/// Maximum number of all children for a delegation node. For a binary
/// tree, this should be twice the maximum depth of the tree, i.e.
/// `2 ^ MaxParentChecks`.
#[pallet::constant]
type MaxChildren: Get<u32> + Clone + TypeInfo;
/// Migration manager to handle new created entries
type BalanceMigrationManager: BalanceMigrationManager<AccountIdOf<Self>, BalanceOf<Self>>;
}
#[pallet::pallet]
#[pallet::storage_version(STORAGE_VERSION)]
pub struct Pallet<T>(_);
/// Delegation nodes stored on chain.
///
/// It maps from a node ID to the node details.
#[pallet::storage]
#[pallet::getter(fn delegation_nodes)]
pub type DelegationNodes<T> = StorageMap<_, Blake2_128Concat, DelegationNodeIdOf<T>, DelegationNodeOf<T>>;
/// Delegation hierarchies stored on chain.
///
/// It maps for a (root) node ID to the hierarchy details.
#[pallet::storage]
#[pallet::getter(fn delegation_hierarchies)]
pub type DelegationHierarchies<T> =
StorageMap<_, Blake2_128Concat, DelegationNodeIdOf<T>, DelegationHierarchyDetails<CtypeHashOf<T>>>;
#[pallet::event]
#[pallet::generate_deposit(pub(super) fn deposit_event)]
pub enum Event<T: Config> {
/// A new hierarchy has been created.
/// \[creator ID, root node ID, CTYPE hash\]
HierarchyCreated(DelegatorIdOf<T>, DelegationNodeIdOf<T>, CtypeHashOf<T>),
/// A hierarchy has been revoked.
/// \[revoker ID, root node ID\]
HierarchyRevoked(DelegatorIdOf<T>, DelegationNodeIdOf<T>),
/// A hierarchy has been removed from the storage on chain.
/// \[remover ID, root node ID\]
HierarchyRemoved(DelegatorIdOf<T>, DelegationNodeIdOf<T>),
/// A new delegation has been created.
/// \[creator ID, root node ID, delegation node ID, parent node ID,
/// delegate ID, permissions\]
DelegationCreated(
DelegatorIdOf<T>,
DelegationNodeIdOf<T>,
DelegationNodeIdOf<T>,
DelegationNodeIdOf<T>,
DelegatorIdOf<T>,
Permissions,
),
/// A delegation has been revoked.
/// \[revoker ID, delegation node ID\]
DelegationRevoked(DelegatorIdOf<T>, DelegationNodeIdOf<T>),
/// A delegation has been removed.
/// \[remover ID, delegation node ID\]
DelegationRemoved(AccountIdOf<T>, DelegationNodeIdOf<T>),
}
#[pallet::error]
pub enum Error<T> {
/// There is already a delegation node with the same ID stored on chain.
DelegationAlreadyExists,
/// The delegate's signature for the delegation creation operation is
/// invalid.
InvalidDelegateSignature,
/// No delegation with the given ID stored on chain.
DelegationNotFound,
/// No delegate with the given ID stored on chain.
DelegateNotFound,
/// There is already a hierarchy with the same ID stored on chain.
HierarchyAlreadyExists,
/// No hierarchy with the given ID stored on chain.
HierarchyNotFound,
/// Max number of nodes checked without verifying the given condition.
MaxSearchDepthReached,
/// The delegation creator is not allowed to write the delegation
/// because they are not the owner of the delegation parent node.
NotOwnerOfParentDelegation,
/// The delegation creator is not allowed to write the delegation
/// because they are not the owner of the delegation root node.
NotOwnerOfDelegationHierarchy,
/// No parent delegation with the given ID stored on chain.
ParentDelegationNotFound,
/// The parent delegation has previously been revoked.
ParentDelegationRevoked,
/// The delegation revoker is not allowed to revoke the delegation.
UnauthorizedRevocation,
/// The call origin is not authorized to remove the delegation.
UnauthorizedRemoval,
/// The delegation creator is not allowed to create the delegation.
UnauthorizedDelegation,
/// The operation wasn't allowed because of insufficient rights.
AccessDenied,
/// Max number of revocations for delegation nodes has been reached for
/// the operation.
ExceededRevocationBounds,
/// Max number of removals for delegation nodes has been reached for the
/// operation.
ExceededRemovalBounds,
/// The max number of revocation exceeds the limit for the pallet.
MaxRevocationsTooLarge,
/// The max number of removals exceeds the limit for the pallet.
MaxRemovalsTooLarge,
/// The max number of parent checks exceeds the limit for the pallet.
MaxParentChecksTooLarge,
/// An error that is not supposed to take place, yet it happened.
Internal,
/// The max number of all children has been reached for the
/// corresponding delegation node.
MaxChildrenExceeded,
}
#[pallet::hooks]
impl<T: Config> Hooks<BlockNumberFor<T>> for Pallet<T> {
#[cfg(feature = "try-runtime")]
fn try_state(_n: BlockNumberFor<T>) -> Result<(), sp_runtime::TryRuntimeError> {
crate::try_state::do_try_state::<T>()
}
}
#[pallet::call]
impl<T: Config> Pallet<T> {
/// Create a new delegation root associated with a given CType hash.
///
/// The new root will allow a new trust hierarchy to be created by
/// adding children delegations to the root.
///
/// There must be no delegation with the same ID stored on chain, while
/// there must be already a CType with the given hash stored in the
/// CType pallet.
///
/// The dispatch origin must be split into
/// * a submitter of type `AccountId` who is responsible for paying the
/// transaction fee and
/// * a DID subject of type `DelegationEntityId` who creates, owns and
/// can revoke the delegation.
///
/// Requires the sender of the transaction to have a reservable balance
/// of at least `Deposit` many tokens.
///
/// Emits `RootCreated`.
///
/// # <weight>
/// Weight: O(1)
/// - Reads: [Origin Account], Roots, CTypes
/// - Writes: Roots
/// # </weight>
#[pallet::call_index(0)]
#[pallet::weight(<T as Config>::WeightInfo::create_hierarchy())]
pub fn create_hierarchy(
origin: OriginFor<T>,
root_node_id: DelegationNodeIdOf<T>,
ctype_hash: CtypeHashOf<T>,
) -> DispatchResult {
let source = <T as Config>::EnsureOrigin::ensure_origin(origin)?;
let payer = source.sender();
let creator = source.subject();
ensure!(
!<DelegationHierarchies<T>>::contains_key(root_node_id),
Error::<T>::HierarchyAlreadyExists
);
ensure!(
<ctype::Ctypes<T>>::contains_key(ctype_hash),
<ctype::Error<T>>::NotFound
);
log::debug!("trying to insert Delegation Root");
Self::create_and_store_new_hierarchy(
root_node_id,
DelegationHierarchyDetails { ctype_hash },
creator.clone(),
payer,
)?;
Self::deposit_event(Event::HierarchyCreated(creator, root_node_id, ctype_hash));
Ok(())
}
/// Create a new delegation node.
///
/// The new delegation node represents a new trust hierarchy that
/// considers the new node as its root. The owner of this node has full
/// control over any of its direct and indirect descendants.
///
/// For the creation to succeed, the delegatee must provide a valid
/// signature over the (blake256) hash of the creation operation details
/// which include (in order) delegation id, root node id, parent id, and
/// permissions of the new node.
///
/// There must be no delegation with the same id stored on chain.
/// Furthermore, the referenced root and parent nodes must already be
/// present on chain and contain the valid permissions and revocation
/// status (i.e., not revoked).
///
/// The dispatch origin must be split into
/// * a submitter of type `AccountId` who is responsible for paying the
/// transaction fee and
/// * a DID subject of type `DelegationEntityId` who creates, owns and
/// can revoke the delegation.
///
/// Requires the sender of the transaction to have a reservable balance
/// of at least `Deposit` many tokens.
///
/// Emits `DelegationCreated`.
///
/// # <weight>
/// Weight: O(1)
/// - Reads: [Origin Account], Roots, Delegations
/// - Writes: Delegations
/// # </weight>
#[pallet::call_index(1)]
#[pallet::weight(
<T as Config>::WeightInfo::add_delegation()
.saturating_add(DelegationSignatureVerificationOf::<T>::weight(T::Hash::max_encoded_len()))
)]
pub fn add_delegation(
origin: OriginFor<T>,
delegation_id: DelegationNodeIdOf<T>,
parent_id: DelegationNodeIdOf<T>,
delegate: DelegatorIdOf<T>,
permissions: Permissions,
delegate_signature: DelegateSignatureTypeOf<T>,
) -> DispatchResult {
let source = <T as Config>::EnsureOrigin::ensure_origin(origin)?;
let payer = source.sender();
let delegator = source.subject();
ensure!(
!<DelegationNodes<T>>::contains_key(delegation_id),
Error::<T>::DelegationAlreadyExists
);
let parent_node = <DelegationNodes<T>>::get(parent_id).ok_or(Error::<T>::ParentDelegationNotFound)?;
let hierarchy_root_id = parent_node.hierarchy_root_id;
// Calculate the hash root
let hash_root =
Self::calculate_delegation_creation_hash(&delegation_id, &hierarchy_root_id, &parent_id, &permissions);
// Verify that the hash root signature is correct.
DelegationSignatureVerificationOf::<T>::verify(&delegate, &hash_root.encode(), &delegate_signature)
.map_err(|err| match err {
SignatureVerificationError::SignerInformationNotPresent => Error::<T>::DelegateNotFound,
SignatureVerificationError::SignatureInvalid => Error::<T>::InvalidDelegateSignature,
})?;
// Check if the parent's delegate is the creator of this delegation node...
ensure!(
parent_node.details.owner == delegator,
Error::<T>::NotOwnerOfParentDelegation
);
// ... and that the node has not been revoked...
ensure!(!parent_node.details.revoked, Error::<T>::ParentDelegationRevoked);
// ... and that has permission to delegate
ensure!(
(parent_node.details.permissions & Permissions::DELEGATE) == Permissions::DELEGATE,
Error::<T>::UnauthorizedDelegation
);
Self::store_delegation_under_parent(
delegation_id,
DelegationNode::new_node(
hierarchy_root_id,
parent_id,
DelegationDetails {
owner: delegate.clone(),
permissions,
revoked: false,
},
payer.clone(),
<T as Config>::Deposit::get(),
),
parent_id,
parent_node,
payer,
)?;
Self::deposit_event(Event::DelegationCreated(
delegator,
hierarchy_root_id,
delegation_id,
parent_id,
delegate,
permissions,
));
Ok(())
}
/// Revoke a delegation node (potentially a root node) and all its
/// children.
///
/// Does not refund the delegation back to the deposit owner as the
/// node is still stored on chain. Requires to additionally call
/// `remove_delegation` to unreserve the deposit.
///
/// Revoking a delegation node results in the trust hierarchy starting
/// from the given node being revoked. Nevertheless, revocation starts
/// from the leave nodes upwards, so if the operation ends prematurely
/// because it runs out of gas, the delegation state would be consistent
/// as no child would "survive" its parent. As a consequence, if the
/// given node is revoked, the trust hierarchy with the node as root is
/// to be considered revoked.
///
/// The dispatch origin must be split into
/// * a submitter of type `AccountId` who is responsible for paying the
/// transaction fee and
/// * a DID subject of type `DelegationEntityId` who creates, owns and
/// can revoke the delegation.
///
/// Emits C * `DelegationRevoked`.
///
/// # <weight>
/// Weight: O(C) where C is the number of children of the delegation
/// node which is bounded by `max_children`.
/// - Reads: [Origin Account], Roots, C * Delegations, C * Children.
/// - Writes: Roots, C * Delegations
/// # </weight>
#[pallet::call_index(2)]
#[pallet::weight(
<T as Config>::WeightInfo::revoke_delegation_root_child(*max_revocations, *max_parent_checks)
.max(<T as Config>::WeightInfo::revoke_delegation_leaf(*max_revocations, *max_parent_checks)))]
pub fn revoke_delegation(
origin: OriginFor<T>,
delegation_id: DelegationNodeIdOf<T>,
max_parent_checks: u32,
max_revocations: u32,
) -> DispatchResultWithPostInfo {
let invoker = <T as Config>::EnsureOrigin::ensure_origin(origin)?.subject();
ensure!(
<DelegationNodes<T>>::contains_key(delegation_id),
Error::<T>::DelegationNotFound
);
ensure!(
max_parent_checks <= T::MaxParentChecks::get(),
Error::<T>::MaxParentChecksTooLarge
);
ensure!(
max_revocations <= T::MaxRevocations::get(),
Error::<T>::MaxRevocationsTooLarge
);
let (authorized, parent_checks) = Self::is_delegating(&invoker, &delegation_id, max_parent_checks)?;
ensure!(authorized, Error::<T>::UnauthorizedRevocation);
// Revoke the delegation and recursively all of its children (add 1 to
// max_revocations to account for the node itself)
let (revocation_checks, _) = Self::revoke(&delegation_id, &invoker, max_revocations.saturating_add(1))?;
// If the revoked node is a root node, emit also a HierarchyRevoked event.
if DelegationHierarchies::<T>::contains_key(delegation_id) {
Self::deposit_event(Event::HierarchyRevoked(invoker, delegation_id));
}
Ok(Some(
<T as Config>::WeightInfo::revoke_delegation_root_child(revocation_checks, parent_checks).max(
<T as Config>::WeightInfo::revoke_delegation_leaf(revocation_checks, parent_checks),
),
)
.into())
}
/// Remove a delegation node (potentially a root node) and all its
/// children.
///
/// Returns the delegation deposit to the deposit owner for each
/// removed DelegationNode by unreserving it.
///
/// Removing a delegation node results in the trust hierarchy starting
/// from the given node being removed. Nevertheless, removal starts
/// from the leave nodes upwards, so if the operation ends prematurely
/// because it runs out of gas, the delegation state would be consistent
/// as no child would "survive" its parent. As a consequence, if the
/// given node is removed, the trust hierarchy with the node as root is
/// to be considered removed.
///
/// The dispatch origin must be split into
/// * a submitter of type `AccountId` who is responsible for paying the
/// transaction fee and
/// * a DID subject of type `DelegationEntityId` who creates, owns and
/// can revoke the delegation.
///
/// Emits C * `DelegationRemoved`.
///
/// # <weight>
/// Weight: O(C) where C is the number of children of the delegation
/// node which is bounded by `max_children`.
/// - Reads: [Origin Account], Roots, C * Delegations, C * Children.
/// - Writes: Roots, 2 * C * Delegations
/// # </weight>
#[pallet::call_index(3)]
#[pallet::weight(<T as Config>::WeightInfo::remove_delegation(*max_removals))]
pub fn remove_delegation(
origin: OriginFor<T>,
delegation_id: DelegationNodeIdOf<T>,
max_removals: u32,
) -> DispatchResultWithPostInfo {
let source = <T as Config>::EnsureOrigin::ensure_origin(origin)?;
let invoker = source.subject();
let delegation = DelegationNodes::<T>::get(delegation_id).ok_or(Error::<T>::DelegationNotFound)?;
// Node can only be removed by owner of the node, not the parent or another
// ancestor
ensure!(delegation.details.owner == invoker, Error::<T>::UnauthorizedRemoval);
ensure!(max_removals <= T::MaxRemovals::get(), Error::<T>::MaxRemovalsTooLarge);
// Remove the delegation and recursively all of its children (add 1 to
// max_removals to account for the node itself)
let (removal_checks, _) = Self::remove(&delegation_id, max_removals.saturating_add(1))?;
// If the removed node is a root node, emit also a HierarchyRemoved event.
if DelegationHierarchies::<T>::take(delegation_id).is_some() {
Self::deposit_event(Event::HierarchyRemoved(invoker, delegation_id));
}
Ok(Some(<T as Config>::WeightInfo::remove_delegation(removal_checks)).into())
}
/// Reclaim the deposit for a delegation node (potentially a root
/// node), removing the node and all its children.
///
/// Returns the delegation deposit to the deposit owner for each
/// removed DelegationNode by unreserving it.
///
/// Removing a delegation node results in the trust hierarchy starting
/// from the given node being removed. Nevertheless, removal starts
/// from the leave nodes upwards, so if the operation ends prematurely
/// because it runs out of gas, the delegation state would be consistent
/// as no child would "survive" its parent. As a consequence, if the
/// given node is removed, the trust hierarchy with the node as root is
/// to be considered removed.
///
/// The dispatch origin must be signed by the delegation deposit owner.
///
/// `DepositReclaimed`.
///
/// # <weight>
/// Weight: O(C) where C is the number of children of the delegation
/// node which is bounded by `max_removals`.
/// - Reads: [Origin Account], Roots, C * Delegations, C * Children.
/// - Writes: Roots, 2 * C * Delegations
/// # </weight>
#[pallet::call_index(4)]
#[pallet::weight(<T as Config>::WeightInfo::reclaim_deposit(*max_removals))]
pub fn reclaim_deposit(
origin: OriginFor<T>,
delegation_id: DelegationNodeIdOf<T>,
max_removals: u32,
) -> DispatchResultWithPostInfo {
let who = ensure_signed(origin)?;
let delegation = DelegationNodes::<T>::get(delegation_id).ok_or(Error::<T>::DelegationNotFound)?;
// Deposit can only be removed by the owner of the deposit, not the
// parent or another ancestor.
ensure!(delegation.deposit.owner == who, Error::<T>::UnauthorizedRemoval);
ensure!(max_removals <= T::MaxRemovals::get(), Error::<T>::MaxRemovalsTooLarge);
// Remove the delegation and recursively all of its children (add 1 to
// max_removals to account for the node itself), releasing the associated
// deposit
let (removal_checks, _) = Self::remove(&delegation_id, max_removals.saturating_add(1))?;
// Delete the delegation hierarchy details, if the provided ID was for a root
// node. No event generated as we don't have information about the owner DID
// here.
DelegationHierarchies::<T>::remove(delegation_id);
Ok(Some(<T as Config>::WeightInfo::remove_delegation(removal_checks)).into())
}
/// Changes the deposit owner.
///
/// The balance that is reserved by the current deposit owner will be
/// freed and balance of the new deposit owner will get reserved.
///
/// The subject of the call must be the owner of the delegation node.
/// The sender of the call will be the new deposit owner.
#[pallet::call_index(5)]
#[pallet::weight(<T as Config>::WeightInfo::change_deposit_owner())]
pub fn change_deposit_owner(origin: OriginFor<T>, delegation_id: DelegationNodeIdOf<T>) -> DispatchResult {
let source = <T as Config>::EnsureOrigin::ensure_origin(origin)?;
let delegation = DelegationNodes::<T>::get(delegation_id).ok_or(Error::<T>::DelegationNotFound)?;
// Deposit can only be swapped by the owner of the delegation node, not the
// parent or another ancestor.
ensure!(delegation.details.owner == source.subject(), Error::<T>::AccessDenied);
DelegationDepositCollector::<T>::change_deposit_owner::<BalanceMigrationManagerOf<T>>(
&delegation_id,
source.sender(),
)
}
/// Updates the deposit amount to the current deposit rate.
///
/// The sender must be the deposit owner.
#[pallet::call_index(6)]
#[pallet::weight(<T as Config>::WeightInfo::update_deposit())]
pub fn update_deposit(origin: OriginFor<T>, delegation_id: DelegationNodeIdOf<T>) -> DispatchResult {
let sender = ensure_signed(origin)?;
let delegation = DelegationNodes::<T>::get(delegation_id).ok_or(Error::<T>::DelegationNotFound)?;
// Deposit can only be swapped by the owner of the delegation node, not the
// parent or another ancestor.
ensure!(delegation.deposit.owner == sender, Error::<T>::AccessDenied);
DelegationDepositCollector::<T>::update_deposit::<BalanceMigrationManagerOf<T>>(&delegation_id)?;
Ok(())
}
}
impl<T: Config> Pallet<T> {
/// Calculate the hash of all values of a delegation creation
/// transaction.
///
/// # <weight>
/// Weight: O(1)
/// # </weight>
pub fn calculate_delegation_creation_hash(
delegation_id: &DelegationNodeIdOf<T>,
root_id: &DelegationNodeIdOf<T>,
parent_id: &DelegationNodeIdOf<T>,
permissions: &Permissions,
) -> T::Hash {
// Add all values to an u8 vector.
let mut hashed_values: Vec<u8> = delegation_id.as_ref().to_vec();
hashed_values.extend_from_slice(root_id.as_ref());
hashed_values.extend_from_slice(parent_id.as_ref());
hashed_values.extend_from_slice(permissions.as_u8().as_ref());
// Hash the resulting vector
T::Hashing::hash(&hashed_values)
}
/// Creates a new root node with the given details and store the new
/// hierarchy in the hierarchies storage and the new root node in the
/// nodes storage.
pub(crate) fn create_and_store_new_hierarchy(
root_id: DelegationNodeIdOf<T>,
hierarchy_details: DelegationHierarchyDetails<CtypeHashOf<T>>,
hierarchy_owner: DelegatorIdOf<T>,
deposit_owner: AccountIdOf<T>,
) -> DispatchResult {
DelegationDepositCollector::<T>::create_deposit(deposit_owner.clone(), <T as Config>::Deposit::get())?;
<T as Config>::BalanceMigrationManager::exclude_key_from_migration(&DelegationNodes::<T>::hashed_key_for(
root_id,
));
let root_node = DelegationNode::new_root_node(
root_id,
DelegationDetails::default_with_owner(hierarchy_owner),
deposit_owner,
<T as Config>::Deposit::get(),
);
DelegationNodes::<T>::insert(root_id, root_node);
<DelegationHierarchies<T>>::insert(root_id, hierarchy_details);
Ok(())
}
// Adds the given node to the storage and updates the parent node to include the
// given node as child.
//
// This function assumes that the parent node is already stored on the chain. If
// not, the behaviour of the system is undefined.
pub(crate) fn store_delegation_under_parent(
delegation_id: DelegationNodeIdOf<T>,
delegation_node: DelegationNodeOf<T>,
parent_id: DelegationNodeIdOf<T>,
mut parent_node: DelegationNodeOf<T>,
deposit_owner: AccountIdOf<T>,
) -> DispatchResult {
DelegationDepositCollector::<T>::create_deposit(deposit_owner, <T as Config>::Deposit::get())?;
<T as Config>::BalanceMigrationManager::exclude_key_from_migration(&DelegationNodes::<T>::hashed_key_for(
delegation_id,
));
// Add the new node as a child of that node
parent_node
.try_add_child(delegation_id)
.map_err(|_| Error::<T>::MaxChildrenExceeded)?;
<DelegationNodes<T>>::insert(delegation_id, delegation_node);
<DelegationNodes<T>>::insert(parent_id, parent_node);
Ok(())
}
/// Check if an identity is the owner of the given delegation node or
/// any node up the hierarchy, and if the delegation has not been yet
/// revoked.
///
/// It checks whether the conditions are required for the given node,
/// otherwise it goes up up to `max_parent_checks` nodes, including the
/// root node, to check whether the given identity is a valid delegator
/// of the given delegation.
///
/// # <weight>
/// Weight: O(P) where P is the number of steps required to verify that
/// the dispatch Origin controls the delegation entitled to revoke the
/// attestation. It is bounded by `max_parent_checks`.
/// - Reads: Roots, P * Delegations
/// # </weight>
pub fn is_delegating(
identity: &DelegatorIdOf<T>,
delegation: &DelegationNodeIdOf<T>,
max_parent_checks: u32,
) -> Result<(bool, u32), DispatchError> {
let delegation_node = <DelegationNodes<T>>::get(delegation).ok_or(Error::<T>::DelegationNotFound)?;
// Check if the given account is the owner of the delegation and that the
// delegation has not been revoked
if &delegation_node.details.owner == identity {
Ok((!delegation_node.details.revoked, 0u32))
} else if let Some(parent) = delegation_node.parent {
// Only decrease (and perhaps fail) remaining_lookups if there are more parents
// to visit
let remaining_lookups = max_parent_checks
.checked_sub(1)
.ok_or(Error::<T>::MaxSearchDepthReached)?;
// Recursively check upwards in hierarchy
Self::is_delegating(identity, &parent, remaining_lookups)
} else {
// Return false and return max_parent_checks as no other check is performed
Ok((false, max_parent_checks))
}
}
/// Revokes all children of a delegation.
/// Returns the number of revoked delegations and the consumed weight.
///
/// # <weight>
/// Weight: O(C) where C is the number of children of the delegation
/// node which is bounded by `max_children`.
/// - Reads: C * Delegations
/// - Writes: C * Delegations (indirectly in `revoke`)
/// # </weight>
fn revoke_children(
delegation: &DelegationNodeIdOf<T>,
sender: &DelegatorIdOf<T>,
max_revocations: u32,
) -> Result<(u32, Weight), DispatchError> {
let mut revocations: u32 = 0;
let mut consumed_weight: Weight = Weight::zero();
if let Some(delegation_node) = <DelegationNodes<T>>::get(delegation) {
// Iterate children and revoke all nodes
for child in delegation_node.children.iter() {
let remaining_revocations = max_revocations
.checked_sub(revocations)
.ok_or(Error::<T>::ExceededRevocationBounds)?;
// Check whether we ran out of gas
ensure!(remaining_revocations > 0, Error::<T>::ExceededRevocationBounds);
Self::revoke(child, sender, remaining_revocations).map(|(r, w)| {
revocations = revocations.saturating_add(r);
consumed_weight = consumed_weight.saturating_add(w);
})?;
}
}
Ok((revocations, consumed_weight.saturating_add(T::DbWeight::get().reads(1))))
}
/// Revoke a delegation and all of its children recursively.
///
/// Emits DelegationRevoked for each revoked node.
///
/// # <weight>
/// Weight: O(C) where C is the number of children of the root which is
/// bounded by `max_children`.
/// - Reads: C * Delegations
/// - Writes: C * Delegations
/// # </weight>
fn revoke(
delegation: &DelegationNodeIdOf<T>,
sender: &DelegatorIdOf<T>,
max_revocations: u32,
) -> Result<(u32, Weight), DispatchError> {
let mut revocations: u32 = 0;
let mut consumed_weight: Weight = Weight::zero();
// Retrieve delegation node from storage
let mut delegation_node = <DelegationNodes<T>>::get(*delegation).ok_or(Error::<T>::DelegationNotFound)?;
consumed_weight = consumed_weight.saturating_add(T::DbWeight::get().reads(1));
// Check if already revoked
if !delegation_node.details.revoked {
// First revoke all children recursively
let remaining_revocations = max_revocations
.checked_sub(1)
.ok_or(Error::<T>::ExceededRevocationBounds)?;
Self::revoke_children(delegation, sender, remaining_revocations).map(|(r, w)| {
revocations = revocations.saturating_add(r);
consumed_weight = consumed_weight.saturating_add(w);
})?;
// If we run out of revocation gas, we only revoke children. The tree will be
// changed but is still valid.
ensure!(revocations < max_revocations, Error::<T>::ExceededRevocationBounds);
// Set revoked flag and store delegation node
delegation_node.details.revoked = true;
<DelegationNodes<T>>::insert(*delegation, delegation_node);
consumed_weight = consumed_weight.saturating_add(T::DbWeight::get().writes(1));
// Deposit event that the delegation has been revoked
Self::deposit_event(Event::DelegationRevoked(sender.clone(), *delegation));
revocations = revocations.saturating_add(1);
}
Ok((revocations, consumed_weight))
}
/// Removes all children of a delegation.
/// Returns the number of removed delegations and the consumed weight.
///
/// Updates the children BTreeSet after each child removal in case the
/// entire root removal runs out of gas and stops prematurely.
///
/// # <weight>
/// Weight: O(C) where C is the number of children of the delegation
/// node which is bounded by `max_children`.
/// - Writes: C * Delegations
/// - Reads: C * Delegations
/// # </weight>
fn remove_children(
delegation: &DelegationNodeIdOf<T>,
max_removals: u32,
) -> Result<(u32, Weight), DispatchError> {
let mut removals: u32 = 0;
let mut consumed_weight: Weight = Weight::zero();
// Can't clear storage until we have reached a leaf
if let Some(mut delegation_node) = DelegationNodes::<T>::get(delegation) {
// Iterate and remove all children
for child in delegation_node.clone().children.iter() {
let remaining_removals = max_removals
.checked_sub(removals)
.ok_or(Error::<T>::ExceededRemovalBounds)?;
// Check whether we ran out of gas
ensure!(remaining_removals > 0, Error::<T>::ExceededRemovalBounds);
Self::remove(child, remaining_removals).map(|(r, w)| {
removals = removals.saturating_add(r);
consumed_weight = consumed_weight.saturating_add(w);
})?;
// Remove child from set and update parent node in case of pre-emptive stops due
// to insufficient removal gas
delegation_node.children.remove(child);
DelegationNodes::<T>::insert(delegation, delegation_node.clone());
}
}
Ok((removals, consumed_weight.saturating_add(T::DbWeight::get().reads(1))))
}
/// Remove a delegation and all of its children recursively.
///
/// Emits DelegationRevoked for each revoked node.
///
/// # <weight>
/// Weight: O(C) where C is the number of children of the root which is
/// bounded by `max_children`.
/// - Reads: 2 * C * Delegations, C * Balance
/// - Writes: C * Delegations, C * Balance
/// # </weight>
fn remove(delegation: &DelegationNodeIdOf<T>, max_removals: u32) -> Result<(u32, Weight), DispatchError> {
let mut removals: u32 = 0;
let mut consumed_weight: Weight = Weight::zero();
// Retrieve delegation node from storage
// Storage removal has to be postponed until children have been removed
let delegation_node = DelegationNodes::<T>::get(*delegation).ok_or(Error::<T>::DelegationNotFound)?;
consumed_weight = consumed_weight.saturating_add(T::DbWeight::get().reads(1));
// First remove all children recursively
let remaining_removals = max_removals.checked_sub(1).ok_or(Error::<T>::ExceededRemovalBounds)?;
Self::remove_children(delegation, remaining_removals).map(|(r, w)| {
removals = removals.saturating_add(r);
consumed_weight = consumed_weight.saturating_add(w);
})?;
// If we run out of removal gas, we only remove children. The tree will be
// changed but is still valid.
ensure!(removals < max_removals, Error::<T>::ExceededRemovalBounds);
// We can clear storage now that all children have been removed
DelegationNodes::<T>::remove(*delegation);
let is_key_migrated = <T as Config>::BalanceMigrationManager::is_key_migrated(
&DelegationNodes::<T>::hashed_key_for(delegation),
);
if is_key_migrated {
DelegationDepositCollector::<T>::free_deposit(delegation_node.clone().deposit)?;
} else {
<T as Config>::BalanceMigrationManager::release_reserved_deposit(
&delegation_node.deposit.owner,
&delegation_node.deposit.amount,
);
}
consumed_weight = consumed_weight.saturating_add(T::DbWeight::get().reads_writes(1, 2));
// Deposit event that the delegation has been removed
Self::deposit_event(Event::DelegationRemoved(delegation_node.deposit.owner, *delegation));
removals = removals.saturating_add(1);
Ok((removals, consumed_weight))
}
}
struct DelegationDepositCollector<T: Config>(PhantomData<T>);
impl<T: Config> StorageDepositCollector<AccountIdOf<T>, DelegationNodeIdOf<T>, T::RuntimeHoldReason>
for DelegationDepositCollector<T>
{
type Currency = <T as Config>::Currency;
type Reason = HoldReason;
fn get_hashed_key(key: &DelegationNodeIdOf<T>) -> Result<sp_std::vec::Vec<u8>, DispatchError> {
Ok(DelegationNodes::<T>::hashed_key_for(key))
}
fn reason() -> Self::Reason {
HoldReason::Deposit
}
fn deposit(
key: &DelegationNodeIdOf<T>,
) -> Result<Deposit<AccountIdOf<T>, <Self::Currency as Inspect<AccountIdOf<T>>>::Balance>, DispatchError> {
let delegation_node = DelegationNodes::<T>::get(key).ok_or(Error::<T>::DelegationNotFound)?;
Ok(delegation_node.deposit)
}
fn deposit_amount(_key: &DelegationNodeIdOf<T>) -> <Self::Currency as Inspect<AccountIdOf<T>>>::Balance {
<T as Config>::Deposit::get()
}
fn store_deposit(
key: &DelegationNodeIdOf<T>,
deposit: Deposit<AccountIdOf<T>, <Self::Currency as Inspect<AccountIdOf<T>>>::Balance>,
) -> Result<(), DispatchError> {
let delegation_node = DelegationNodes::<T>::get(key).ok_or(Error::<T>::DelegationNotFound)?;
DelegationNodes::<T>::insert(
key,
DelegationNode {
deposit,
..delegation_node
},
);
Ok(())
}
}
}