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 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351 1352 1353 1354 1355 1356 1357 1358 1359 1360 1361 1362 1363 1364 1365 1366 1367 1368 1369 1370 1371 1372 1373 1374 1375 1376 1377 1378 1379 1380 1381 1382 1383 1384 1385 1386 1387 1388 1389 1390 1391 1392 1393 1394 1395 1396 1397 1398 1399 1400 1401 1402 1403 1404 1405 1406 1407 1408 1409 1410 1411 1412 1413 1414 1415 1416 1417 1418 1419 1420 1421 1422 1423 1424 1425 1426 1427 1428 1429 1430 1431 1432 1433 1434 1435 1436 1437 1438 1439 1440 1441 1442 1443 1444 1445 1446 1447 1448 1449 1450 1451 1452 1453 1454 1455 1456 1457 1458 1459 1460 1461 1462 1463 1464 1465 1466 1467 1468 1469 1470 1471 1472 1473 1474 1475 1476 1477 1478 1479 1480 1481 1482 1483 1484 1485 1486 1487 1488 1489 1490 1491 1492 1493 1494 1495 1496 1497 1498 1499 1500 1501 1502 1503 1504 1505 1506 1507 1508 1509 1510 1511 1512 1513 1514 1515 1516 1517 1518 1519 1520 1521 1522 1523 1524 1525 1526 1527 1528 1529 1530 1531 1532 1533 1534 1535 1536 1537 1538 1539 1540 1541 1542 1543 1544 1545 1546 1547 1548 1549 1550 1551 1552 1553 1554 1555 1556
// 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
//! # DID Pallet
//!
//! Provides W3C-compliant DID functionalities. A DID identifier is derived from
//! a KILT address and must be verifiable, i.e., must be able to generate
//! digital signatures that can be verified starting from a raw payload, its
//! signature, and the signer identifier. Currently, the DID pallet supports the
//! following types of keys: Ed25519, Sr25519, and Ecdsa for signing keys, and
//! X25519 for encryption keys.
//!
//! - [`Config`]
//! - [`Call`]
//! - [`Origin`]
//! - [`Pallet`]
//!
//! ### Terminology
//!
//! Each DID identifier is mapped to a set of keys, which in KILT are used for
//! different purposes.
//!
//! - One **authentication key**: used to sign and authorise DID-management
//! operations (e.g., the update of some keys or the deletion of the whole
//! DID). This is required to always be present as otherwise the DID becomes
//! unusable since no operation signature can be verified anymore.
//!
//! - Zero or more **key agreement keys**: used by other parties that want to
//! interact with the DID subject to perform ECDH and encrypt information
//! addressed to the DID subject.
//!
//! - Zero or one **delegation key**: used to sign and authorise the creation of
//! new delegation nodes on the KILT blockchain. In case no delegation key is
//! present, the DID subject cannot write new delegations on the KILT
//! blockchain. For more info, check the [delegation
//! pallet](../../delegation/).
//!
//! - Zero or one **attestation key**: used to sign and authorise the creation
//! of new attested claims on the KILT blockchain. In case no attestation key
//! is present, the DID subject cannot write new attested claims on the KILT
//! blockchain. For more info, check the [attestation
//! pallet](../../attestation/).
//!
//! - A set of **public keys**: includes at least the previous keys in addition
//! to any past attestation key that has been rotated but not entirely
//! revoked.
//!
//! - A set of **service endpoints**: pointing to the description of the
//! services the DID subject exposes. For more information, check the W3C DID
//! Core specification.
//!
//! - A **transaction counter**: acts as a nonce to avoid replay or signature
//! forgery attacks. Each time a DID-signed transaction is executed, the
//! counter is incremented.
//!
//! ## Assumptions
//!
//! - The maximum number of new key agreement keys that can be specified in a
//! creation or update operation is bounded by `MaxNewKeyAgreementKeys`.
//! - After it is generated and signed by a client, a DID-authorised operation
//! can be submitted for evaluation anytime between the time the operation is
//! created and [`Config::MaxBlocksTxValidity`] blocks after that. After this
//! time has elapsed, the operation is considered invalid.
#![cfg_attr(not(feature = "std"), no_std)]
#![allow(clippy::unused_unit)]
#![recursion_limit = "256"]
#[cfg(feature = "runtime-benchmarks")]
pub mod benchmarking;
pub mod default_weights;
pub mod did_details;
pub mod errors;
pub mod migrations;
pub mod origin;
pub mod service_endpoints;
#[cfg(test)]
mod mock;
#[cfg(any(feature = "runtime-benchmarks", test, feature = "mock"))]
pub mod mock_utils;
#[cfg(test)]
mod tests;
#[cfg(any(feature = "try-runtime", test))]
mod try_state;
mod signature;
mod utils;
pub use crate::{
default_weights::WeightInfo,
did_details::{
DeriveDidCallAuthorizationVerificationKeyRelationship, DeriveDidCallKeyRelationshipResult,
DidAuthorizedCallOperationWithVerificationRelationship, DidSignature, DidVerificationKeyRelationship,
RelationshipDeriveError,
},
origin::{DidRawOrigin, EnsureDidOrigin},
pallet::*,
signature::DidSignatureVerify,
};
use errors::{DidError, InputError, SignatureError, StorageError};
use frame_support::{
dispatch::{DispatchResult, GetDispatchInfo, PostDispatchInfo},
ensure,
storage::types::StorageMap,
traits::{Get, OnUnbalanced},
Parameter,
};
use frame_system::ensure_signed;
use parity_scale_codec::Encode;
use sp_runtime::{
traits::{Dispatchable, Saturating, Zero},
DispatchError, SaturatedConversion,
};
use sp_std::{boxed::Box, fmt::Debug, prelude::Clone};
#[cfg(feature = "runtime-benchmarks")]
use frame_system::RawOrigin;
#[frame_support::pallet]
pub mod pallet {
use super::*;
use did_details::DidCreationDetails;
use frame_support::{
pallet_prelude::*,
traits::{
fungible::{Balanced, Credit, Inspect, MutateHold},
tokens::{Fortitude, Precision, Preservation},
StorageVersion,
},
};
use frame_system::pallet_prelude::*;
use kilt_support::{
traits::{BalanceMigrationManager, CallSources, StorageDepositCollector},
Deposit,
};
use service_endpoints::DidEndpoint;
use sp_runtime::traits::{BadOrigin, IdentifyAccount};
use crate::{
did_details::{
DeriveDidCallAuthorizationVerificationKeyRelationship, DidAuthorizedCallOperation, DidDetails,
DidEncryptionKey, DidSignature, DidVerifiableIdentifier, DidVerificationKey, RelationshipDeriveError,
},
service_endpoints::{utils as service_endpoints_utils, ServiceEndpointId},
};
/// The current storage version.
const STORAGE_VERSION: StorageVersion = StorageVersion::new(4);
/// Reference to a payload of data of variable size.
pub type Payload = [u8];
/// Type for a DID key identifier.
pub type KeyIdOf<T> = <T as frame_system::Config>::Hash;
/// Type for a DID subject identifier.
pub type DidIdentifierOf<T> = <T as Config>::DidIdentifier;
/// Type for a Kilt account identifier.
pub type AccountIdOf<T> = <T as frame_system::Config>::AccountId;
/// Type for a runtime extrinsic callable under DID-based authorisation.
pub type DidCallableOf<T> = <T as Config>::RuntimeCall;
/// Type for origin that supports a DID sender.
#[pallet::origin]
pub type Origin<T> = DidRawOrigin<DidIdentifierOf<T>, AccountIdOf<T>>;
pub type BalanceOf<T> = <CurrencyOf<T> as Inspect<AccountIdOf<T>>>::Balance;
pub(crate) type CurrencyOf<T> = <T as Config>::Currency;
pub(crate) type CreditOf<T> = Credit<<T as frame_system::Config>::AccountId, <T as Config>::Currency>;
#[pallet::composite_enum]
pub enum HoldReason {
Deposit,
}
pub(crate) type DidCreationDetailsOf<T> =
DidCreationDetails<DidIdentifierOf<T>, AccountIdOf<T>, <T as Config>::MaxNewKeyAgreementKeys, DidEndpoint<T>>;
pub(crate) type DidAuthorizedCallOperationOf<T> =
DidAuthorizedCallOperation<DidIdentifierOf<T>, DidCallableOf<T>, BlockNumberFor<T>, AccountIdOf<T>, u64>;
#[pallet::config]
pub trait Config: frame_system::Config + Debug {
/// Type for a dispatchable call that can be proxied through the DID
/// pallet to support DID-based authorisation.
type RuntimeCall: Parameter
+ Dispatchable<PostInfo = PostDispatchInfo, RuntimeOrigin = <Self as Config>::RuntimeOrigin>
+ GetDispatchInfo
+ DeriveDidCallAuthorizationVerificationKeyRelationship;
/// Type for a DID subject identifier.
type DidIdentifier: Parameter
+ DidVerifiableIdentifier<AccountIdOf<Self>>
+ MaxEncodedLen
+ From<AccountIdOf<Self>>;
/// Origin type expected by the proxied dispatchable calls.
#[cfg(not(feature = "runtime-benchmarks"))]
type RuntimeOrigin: From<DidRawOrigin<DidIdentifierOf<Self>, AccountIdOf<Self>>>;
#[cfg(feature = "runtime-benchmarks")]
type RuntimeOrigin: From<RawOrigin<DidIdentifierOf<Self>>>;
/// The origin check for all DID calls inside this pallet.
type EnsureOrigin: EnsureOrigin<
<Self as frame_system::Config>::RuntimeOrigin,
Success = <Self as Config>::OriginSuccess,
>;
/// The return type when the DID origin check was successful.
type OriginSuccess: CallSources<AccountIdOf<Self>, DidIdentifierOf<Self>>;
/// Overarching event type.
type RuntimeEvent: From<Event<Self>> + IsType<<Self as frame_system::Config>::RuntimeEvent>;
type RuntimeHoldReason: From<HoldReason>;
/// The currency that is used to reserve funds for each did.
type Currency: Balanced<AccountIdOf<Self>> + MutateHold<AccountIdOf<Self>, Reason = Self::RuntimeHoldReason>;
/// The amount of balance that will be taken for each DID as a deposit
/// to incentivise fair use of the on chain storage. The deposits
/// increase by the amount of used keys and service endpoints. The
/// deposit can be reclaimed when the DID is deleted.
#[pallet::constant]
type BaseDeposit: Get<BalanceOf<Self>>;
/// The amount of balance that will be taken for each service endpoint
/// as a deposit to incentivise fair use of the on chain storage. The
/// deposit can be reclaimed when the service endpoint is removed or the
/// DID deleted.
#[pallet::constant]
type ServiceEndpointDeposit: Get<BalanceOf<Self>>;
/// The amount of balance that will be taken for each added key as a
/// deposit to incentivise fair use of the on chain storage.
#[pallet::constant]
type KeyDeposit: Get<BalanceOf<Self>>;
/// The amount of balance that will be taken for each DID as a fee to
/// incentivise fair use of the on chain storage. The fee will not get
/// refunded when the DID is deleted.
#[pallet::constant]
type Fee: Get<BalanceOf<Self>>;
/// The logic for handling the fee.
type FeeCollector: OnUnbalanced<CreditOf<Self>>;
/// Maximum number of total public keys which can be stored per DID key
/// identifier. This includes the ones currently used for
/// authentication, key agreement, attestation, and delegation.
#[pallet::constant]
type MaxPublicKeysPerDid: Get<u32> + Clone;
/// Maximum number of key agreement keys that can be added in a creation
/// operation.
#[pallet::constant]
type MaxNewKeyAgreementKeys: Get<u32> + Parameter;
/// Maximum number of total key agreement keys that can be stored for a
/// DID subject.
///
/// Should be greater than `MaxNewKeyAgreementKeys`.
#[pallet::constant]
type MaxTotalKeyAgreementKeys: Get<u32> + Debug + Clone + PartialEq;
/// The maximum number of blocks a DID-authorized operation is
/// considered valid after its creation.
#[pallet::constant]
type MaxBlocksTxValidity: Get<BlockNumberFor<Self>>;
/// The maximum number of services that can be stored under a DID.
#[pallet::constant]
type MaxNumberOfServicesPerDid: Get<u32>;
/// The maximum length of a service ID.
#[pallet::constant]
type MaxServiceIdLength: Get<u32>;
/// The maximum length of a service type description.
#[pallet::constant]
type MaxServiceTypeLength: Get<u32>;
/// The maximum number of a types description for a service endpoint.
#[pallet::constant]
type MaxNumberOfTypesPerService: Get<u32>;
/// The maximum length of a service URL.
#[pallet::constant]
type MaxServiceUrlLength: Get<u32>;
/// The maximum number of a URLs for a service endpoint.
#[pallet::constant]
type MaxNumberOfUrlsPerService: Get<u32>;
/// Weight information for extrinsics in this pallet.
type WeightInfo: WeightInfo;
/// 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>(_);
/// DIDs stored on chain.
///
/// It maps from a DID identifier to the DID details.
#[pallet::storage]
#[pallet::getter(fn get_did)]
pub type Did<T> = StorageMap<_, Blake2_128Concat, DidIdentifierOf<T>, DidDetails<T>>;
/// Service endpoints associated with DIDs.
///
/// It maps from (DID identifier, service ID) to the service details.
#[pallet::storage]
#[pallet::getter(fn get_service_endpoints)]
pub type ServiceEndpoints<T> =
StorageDoubleMap<_, Twox64Concat, DidIdentifierOf<T>, Blake2_128Concat, ServiceEndpointId<T>, DidEndpoint<T>>;
/// Counter of service endpoints for each DID.
///
/// It maps from (DID identifier) to a 32-bit counter.
#[pallet::storage]
pub(crate) type DidEndpointsCount<T> = StorageMap<_, Blake2_128Concat, DidIdentifierOf<T>, u32, ValueQuery>;
/// The set of DIDs that have been deleted and cannot therefore be created
/// again for security reasons.
///
/// It maps from a DID identifier to a unit tuple, for the sake of tracking
/// DID identifiers.
#[pallet::storage]
#[pallet::getter(fn get_deleted_did)]
pub(crate) type DidBlacklist<T> = StorageMap<_, Blake2_128Concat, DidIdentifierOf<T>, ()>;
#[pallet::event]
#[pallet::generate_deposit(pub(super) fn deposit_event)]
pub enum Event<T: Config> {
/// A new DID has been created.
/// \[transaction signer, DID identifier\]
DidCreated(AccountIdOf<T>, DidIdentifierOf<T>),
/// A DID has been updated.
/// \[DID identifier\]
DidUpdated(DidIdentifierOf<T>),
/// A DID has been deleted.
/// \[DID identifier\]
DidDeleted(DidIdentifierOf<T>),
/// A DID-authorised call has been executed.
/// \[DID caller, dispatch result\]
DidCallDispatched(DidIdentifierOf<T>, DispatchResult),
}
#[pallet::error]
pub enum Error<T> {
/// The DID operation signature is not in the format the verification
/// key expects.
InvalidSignatureFormat,
/// The DID operation signature is invalid for the payload and the
/// verification key provided.
InvalidSignature,
/// The DID with the given identifier is already present on chain.
AlreadyExists,
/// No DID with the given identifier is present on chain.
NotFound,
/// One or more verification keys referenced are not stored in the set
/// of verification keys.
VerificationKeyNotFound,
/// The DID operation nonce is not equal to the current DID nonce + 1.
InvalidNonce,
/// The called extrinsic does not support DID authorisation.
UnsupportedDidAuthorizationCall,
/// The call had parameters that conflicted with each other
/// or were invalid.
InvalidDidAuthorizationCall,
/// A number of new key agreement keys greater than the maximum allowed
/// has been provided.
MaxNewKeyAgreementKeysLimitExceeded,
/// The maximum number of public keys for this DID key identifier has
/// been reached.
MaxPublicKeysExceeded,
/// The maximum number of key agreements has been reached for the DID
/// subject.
MaxKeyAgreementKeysExceeded,
/// The DID call was submitted by the wrong account
BadDidOrigin,
/// The block number provided in a DID-authorized operation is invalid.
TransactionExpired,
/// The DID has already been previously deleted.
AlreadyDeleted,
/// Only the owner of the deposit can reclaim its reserved balance.
NotOwnerOfDeposit,
/// The origin is unable to reserve the deposit and pay the fee.
UnableToPayFees,
/// The maximum number of service endpoints for a DID has been exceeded.
MaxNumberOfServicesExceeded,
/// The service endpoint ID exceeded the maximum allowed length.
MaxServiceIdLengthExceeded,
/// One of the service endpoint types exceeded the maximum allowed
/// length.
MaxServiceTypeLengthExceeded,
/// The maximum number of types for a service endpoint has been
/// exceeded.
MaxNumberOfTypesPerServiceExceeded,
/// One of the service endpoint URLs exceeded the maximum allowed
/// length.
MaxServiceUrlLengthExceeded,
/// The maximum number of URLs for a service endpoint has been exceeded.
MaxNumberOfUrlsPerServiceExceeded,
/// A service with the provided ID is already present for the given DID.
ServiceAlreadyExists,
/// A service with the provided ID is not present under the given DID.
ServiceNotFound,
/// One of the service endpoint details contains non-ASCII characters.
InvalidServiceEncoding,
/// The number of service endpoints stored under the DID is larger than
/// the number of endpoints to delete.
MaxStoredEndpointsCountExceeded,
/// An error that is not supposed to take place, yet it happened.
Internal,
}
impl<T> From<DidError> for Error<T> {
fn from(error: DidError) -> Self {
match error {
DidError::Storage(storage_error) => Self::from(storage_error),
DidError::Signature(operation_error) => Self::from(operation_error),
DidError::Input(input_error) => Self::from(input_error),
DidError::Internal => Self::Internal,
DidError::Deposit(_) => Self::UnableToPayFees,
}
}
}
impl<T> From<StorageError> for Error<T> {
fn from(error: StorageError) -> Self {
match error {
StorageError::NotFound(errors::NotFoundKind::Did) => Self::NotFound,
StorageError::NotFound(errors::NotFoundKind::Key(_)) => Self::VerificationKeyNotFound,
StorageError::AlreadyExists => Self::AlreadyExists,
StorageError::MaxPublicKeysExceeded => Self::MaxPublicKeysExceeded,
StorageError::MaxTotalKeyAgreementKeysExceeded => Self::MaxKeyAgreementKeysExceeded,
StorageError::AlreadyDeleted => Self::AlreadyDeleted,
}
}
}
impl<T> From<SignatureError> for Error<T> {
fn from(error: SignatureError) -> Self {
match error {
SignatureError::InvalidData => Self::InvalidSignature,
SignatureError::InvalidFormat => Self::InvalidSignatureFormat,
SignatureError::InvalidNonce => Self::InvalidNonce,
SignatureError::TransactionExpired => Self::TransactionExpired,
}
}
}
impl<T> From<InputError> for Error<T> {
fn from(error: InputError) -> Self {
match error {
InputError::MaxKeyAgreementKeysLimitExceeded => Self::MaxNewKeyAgreementKeysLimitExceeded,
InputError::MaxIdLengthExceeded => Self::MaxServiceIdLengthExceeded,
InputError::MaxServicesCountExceeded => Self::MaxNumberOfServicesExceeded,
InputError::MaxTypeCountExceeded => Self::MaxNumberOfTypesPerServiceExceeded,
InputError::MaxTypeLengthExceeded => Self::MaxServiceTypeLengthExceeded,
InputError::MaxUrlCountExceeded => Self::MaxNumberOfUrlsPerServiceExceeded,
InputError::MaxUrlLengthExceeded => Self::MaxServiceUrlLengthExceeded,
InputError::InvalidEncoding => Self::InvalidServiceEncoding,
}
}
}
impl<T> From<RelationshipDeriveError> for Error<T> {
fn from(error: RelationshipDeriveError) -> Self {
match error {
RelationshipDeriveError::InvalidCallParameter => Self::InvalidDidAuthorizationCall,
RelationshipDeriveError::NotCallableByDid => Self::UnsupportedDidAuthorizationCall,
}
}
}
#[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>
where
T::AccountId: AsRef<[u8; 32]> + From<[u8; 32]>,
{
/// Store a new DID on chain, after verifying that the creation
/// operation has been signed by the KILT account associated with the
/// identifier of the DID being created and that a DID with the same
/// identifier has not previously existed on (and then deleted from) the
/// chain.
///
/// There must be no DID information stored on chain under the same DID
/// identifier.
///
/// The new keys added with this operation are stored under the DID
/// identifier along with the block number in which the operation was
/// executed.
///
/// The dispatch origin can be any KILT account with enough funds to
/// execute the extrinsic and it does not have to be tied in any way to
/// the KILT account identifying the DID subject.
///
/// Emits `DidCreated`.
///
/// # <weight>
/// - The transaction's complexity is mainly dependent on the number of
/// new key agreement keys and the number of new service endpoints
/// included in the operation.
/// ---------
/// Weight: O(K) + O(N) where K is the number of new key agreement
/// keys bounded by `MaxNewKeyAgreementKeys`, while N is the number of
/// new service endpoints bounded by `MaxNumberOfServicesPerDid`.
/// - Reads: [Origin Account], Did, DidBlacklist
/// - Writes: Did (with K new key agreement keys), ServiceEndpoints
/// (with N new service endpoints), DidEndpointsCount
/// # </weight>
#[pallet::call_index(0)]
#[pallet::weight({
let new_key_agreement_keys = details.new_key_agreement_keys.len().saturated_into::<u32>();
// We only consider the number of new endpoints.
let new_services_count = details.new_service_details.len().saturated_into::<u32>();
let ed25519_weight = <T as pallet::Config>::WeightInfo::create_ed25519_keys(
new_key_agreement_keys,
new_services_count,
);
let sr25519_weight = <T as pallet::Config>::WeightInfo::create_sr25519_keys(
new_key_agreement_keys,
new_services_count,
);
let ecdsa_weight = <T as pallet::Config>::WeightInfo::create_ecdsa_keys(
new_key_agreement_keys,
new_services_count,
);
ed25519_weight.max(sr25519_weight).max(ecdsa_weight)
})]
pub fn create(
origin: OriginFor<T>,
details: Box<DidCreationDetailsOf<T>>,
signature: DidSignature,
) -> DispatchResult {
let sender = ensure_signed(origin)?;
let did_identifier = details.did.clone();
ensure!(sender == details.submitter, BadOrigin);
let account_did_auth_key = did_identifier
.verify_and_recover_signature(&details.encode(), &signature)
.map_err(Error::<T>::from)?;
// Validate all the size constraints for the service endpoints.
let input_service_endpoints = details.new_service_details.clone();
service_endpoints_utils::validate_new_service_endpoints(&input_service_endpoints)
.map_err(Error::<T>::from)?;
input_service_endpoints.iter().for_each(|service| {
ServiceEndpoints::<T>::insert(&did_identifier, &service.id, service.clone());
});
DidEndpointsCount::<T>::insert(&did_identifier, input_service_endpoints.len().saturated_into::<u32>());
let mut did_entry =
DidDetails::new_with_creation_details(*details, account_did_auth_key).map_err(Error::<T>::from)?;
did_entry.deposit.amount =
did_entry.calculate_deposit(input_service_endpoints.len().saturated_into::<u32>());
log::debug!("Creating DID {:?}", &did_identifier);
Self::try_insert_did(did_identifier, did_entry, sender)?;
Ok(())
}
/// Update the DID authentication key.
///
/// The old key is deleted from the set of public keys if it is
/// not used in any other part of the DID. The new key is added to the
/// set of public keys.
///
/// The dispatch origin must be a DID origin proxied via the
/// `submit_did_call` extrinsic.
///
/// Emits `DidUpdated`.
///
/// # <weight>
/// Weight: O(1)
/// - Reads: [Origin Account], Did
/// - Writes: Did
/// # </weight>
#[pallet::call_index(1)]
#[pallet::weight(<T as pallet::Config>::WeightInfo::set_ed25519_authentication_key().max(<T as pallet::Config>::WeightInfo::set_sr25519_authentication_key()).max(<T as pallet::Config>::WeightInfo::set_ecdsa_authentication_key()))]
pub fn set_authentication_key(
origin: OriginFor<T>,
new_key: DidVerificationKey<AccountIdOf<T>>,
) -> DispatchResult {
let did_subject = T::EnsureOrigin::ensure_origin(origin)?.subject();
let mut did_details = Did::<T>::get(&did_subject).ok_or(Error::<T>::NotFound)?;
log::debug!(
"Setting new authentication key {:?} for DID {:?}",
&new_key,
&did_subject
);
did_details
.update_authentication_key(new_key, frame_system::Pallet::<T>::block_number())
.map_err(Error::<T>::from)?;
Self::try_update_did(&did_subject, did_details)?;
log::debug!("Authentication key set");
Self::deposit_event(Event::DidUpdated(did_subject));
Ok(())
}
/// Set or update the DID delegation key.
///
/// If an old key existed, it is deleted from the set of public keys if
/// it is not used in any other part of the DID. The new key is added to
/// the set of public keys.
///
/// The dispatch origin must be a DID origin proxied via the
/// `submit_did_call` extrinsic.
///
/// Emits `DidUpdated`.
///
/// # <weight>
/// Weight: O(1)
/// - Reads: [Origin Account], Did
/// - Writes: Did
/// # </weight>
#[pallet::call_index(2)]
#[pallet::weight(<T as pallet::Config>::WeightInfo::set_ed25519_delegation_key().max(<T as pallet::Config>::WeightInfo::set_sr25519_delegation_key()).max(<T as pallet::Config>::WeightInfo::set_ecdsa_delegation_key()))]
pub fn set_delegation_key(origin: OriginFor<T>, new_key: DidVerificationKey<AccountIdOf<T>>) -> DispatchResult {
let did_subject = T::EnsureOrigin::ensure_origin(origin)?.subject();
let mut did_details = Did::<T>::get(&did_subject).ok_or(Error::<T>::NotFound)?;
log::debug!("Setting new delegation key {:?} for DID {:?}", &new_key, &did_subject);
did_details
.update_delegation_key(new_key, frame_system::Pallet::<T>::block_number())
.map_err(Error::<T>::from)?;
Self::try_update_did(&did_subject, did_details)?;
log::debug!("Delegation key set");
Self::deposit_event(Event::DidUpdated(did_subject));
Ok(())
}
/// Remove the DID delegation key.
///
/// The old key is deleted from the set of public keys if
/// it is not used in any other part of the DID.
///
/// The dispatch origin must be a DID origin proxied via the
/// `submit_did_call` extrinsic.
///
/// Emits `DidUpdated`.
///
/// # <weight>
/// Weight: O(1)
/// - Reads: [Origin Account], Did
/// - Writes: Did
/// # </weight>
#[pallet::call_index(3)]
#[pallet::weight(<T as pallet::Config>::WeightInfo::remove_ed25519_delegation_key().max(<T as pallet::Config>::WeightInfo::remove_sr25519_delegation_key()).max(<T as pallet::Config>::WeightInfo::remove_ecdsa_delegation_key()))]
pub fn remove_delegation_key(origin: OriginFor<T>) -> DispatchResult {
let did_subject = T::EnsureOrigin::ensure_origin(origin)?.subject();
let mut did_details = Did::<T>::get(&did_subject).ok_or(Error::<T>::NotFound)?;
log::debug!("Removing delegation key for DID {:?}", &did_subject);
did_details.remove_delegation_key().map_err(Error::<T>::from)?;
Self::try_update_did(&did_subject, did_details)?;
log::debug!("Delegation key removed");
Self::deposit_event(Event::DidUpdated(did_subject));
Ok(())
}
/// Set or update the DID attestation key.
///
/// If an old key existed, it is deleted from the set of public keys if
/// it is not used in any other part of the DID. The new key is added to
/// the set of public keys.
///
/// The dispatch origin must be a DID origin proxied via the
/// `submit_did_call` extrinsic.
///
/// Emits `DidUpdated`.
///
/// # <weight>
/// Weight: O(1)
/// - Reads: [Origin Account], Did
/// - Writes: Did
/// # </weight>
#[pallet::call_index(4)]
#[pallet::weight(<T as pallet::Config>::WeightInfo::set_ed25519_attestation_key().max(<T as pallet::Config>::WeightInfo::set_sr25519_attestation_key()).max(<T as pallet::Config>::WeightInfo::set_ecdsa_attestation_key()))]
pub fn set_attestation_key(
origin: OriginFor<T>,
new_key: DidVerificationKey<AccountIdOf<T>>,
) -> DispatchResult {
let did_subject = T::EnsureOrigin::ensure_origin(origin)?.subject();
let mut did_details = Did::<T>::get(&did_subject).ok_or(Error::<T>::NotFound)?;
log::debug!("Setting new attestation key {:?} for DID {:?}", &new_key, &did_subject);
did_details
.update_attestation_key(new_key, frame_system::Pallet::<T>::block_number())
.map_err(Error::<T>::from)?;
Self::try_update_did(&did_subject, did_details)?;
log::debug!("Attestation key set");
Self::deposit_event(Event::DidUpdated(did_subject));
Ok(())
}
/// Remove the DID attestation key.
///
/// The old key is deleted from the set of public keys if
/// it is not used in any other part of the DID.
///
/// The dispatch origin must be a DID origin proxied via the
/// `submit_did_call` extrinsic.
///
/// Emits `DidUpdated`.
///
/// # <weight>
/// Weight: O(1)
/// - Reads: [Origin Account], Did
/// - Writes: Did
/// # </weight>
#[pallet::call_index(5)]
#[pallet::weight(<T as pallet::Config>::WeightInfo::remove_ed25519_attestation_key().max(<T as pallet::Config>::WeightInfo::remove_sr25519_attestation_key()).max(<T as pallet::Config>::WeightInfo::remove_ecdsa_attestation_key()))]
pub fn remove_attestation_key(origin: OriginFor<T>) -> DispatchResult {
let did_subject = T::EnsureOrigin::ensure_origin(origin)?.subject();
let mut did_details = Did::<T>::get(&did_subject).ok_or(Error::<T>::NotFound)?;
log::debug!("Removing attestation key for DID {:?}", &did_subject);
did_details.remove_attestation_key().map_err(Error::<T>::from)?;
Self::try_update_did(&did_subject, did_details)?;
log::debug!("Attestation key removed");
Self::deposit_event(Event::DidUpdated(did_subject));
Ok(())
}
/// Add a single new key agreement key to the DID.
///
/// The new key is added to the set of public keys.
///
/// The dispatch origin must be a DID origin proxied via the
/// `submit_did_call` extrinsic.
///
/// Emits `DidUpdated`.
///
/// # <weight>
/// Weight: O(1)
/// - Reads: [Origin Account], Did
/// - Writes: Did
/// # </weight>
#[pallet::call_index(6)]
#[pallet::weight(<T as pallet::Config>::WeightInfo::add_ed25519_key_agreement_key().max(<T as pallet::Config>::WeightInfo::add_sr25519_key_agreement_key()).max(<T as pallet::Config>::WeightInfo::add_ecdsa_key_agreement_key()))]
pub fn add_key_agreement_key(origin: OriginFor<T>, new_key: DidEncryptionKey) -> DispatchResult {
let did_subject = T::EnsureOrigin::ensure_origin(origin)?.subject();
let mut did_details = Did::<T>::get(&did_subject).ok_or(Error::<T>::NotFound)?;
log::debug!("Adding new key agreement key {:?} for DID {:?}", &new_key, &did_subject);
did_details
.add_key_agreement_key(new_key, frame_system::Pallet::<T>::block_number())
.map_err(Error::<T>::from)?;
Self::try_update_did(&did_subject, did_details)?;
log::debug!("Key agreement key set");
Self::deposit_event(Event::DidUpdated(did_subject));
Ok(())
}
/// Remove a DID key agreement key from both its set of key agreement
/// keys and as well as its public keys.
///
/// The dispatch origin must be a DID origin proxied via the
/// `submit_did_call` extrinsic.
///
/// Emits `DidUpdated`.
///
/// # <weight>
/// Weight: O(1)
/// - Reads: [Origin Account], Did
/// - Writes: Did
/// # </weight>
#[pallet::call_index(7)]
#[pallet::weight(<T as pallet::Config>::WeightInfo::remove_ed25519_key_agreement_key().max(<T as pallet::Config>::WeightInfo::remove_sr25519_key_agreement_key()).max(<T as pallet::Config>::WeightInfo::remove_ecdsa_key_agreement_key()))]
pub fn remove_key_agreement_key(origin: OriginFor<T>, key_id: KeyIdOf<T>) -> DispatchResult {
let did_subject = T::EnsureOrigin::ensure_origin(origin)?.subject();
let mut did_details = Did::<T>::get(&did_subject).ok_or(Error::<T>::NotFound)?;
log::debug!("Removing key agreement key for DID {:?}", &did_subject);
did_details.remove_key_agreement_key(key_id).map_err(Error::<T>::from)?;
Self::try_update_did(&did_subject, did_details)?;
log::debug!("Key agreement key removed");
Self::deposit_event(Event::DidUpdated(did_subject));
Ok(())
}
/// Add a new service endpoint under the given DID.
///
/// The dispatch origin must be a DID origin proxied via the
/// `submit_did_call` extrinsic.
///
/// Emits `DidUpdated`.
///
/// # <weight>
/// Weight: O(1)
/// - Reads: [Origin Account], Did, ServiceEndpoints, DidEndpointsCount
/// - Writes: Did, ServiceEndpoints, DidEndpointsCount
/// # </weight>
#[pallet::call_index(8)]
#[pallet::weight(<T as pallet::Config>::WeightInfo::add_service_endpoint())]
pub fn add_service_endpoint(origin: OriginFor<T>, service_endpoint: DidEndpoint<T>) -> DispatchResult {
let did_subject = T::EnsureOrigin::ensure_origin(origin)?.subject();
service_endpoint
.validate_against_constraints()
.map_err(Error::<T>::from)?;
// Verify that the DID is present.
let did_details = Did::<T>::get(&did_subject).ok_or(Error::<T>::NotFound)?;
let currently_stored_endpoints_count = DidEndpointsCount::<T>::get(&did_subject);
// Verify that there are less than the maximum limit of services stored.
ensure!(
currently_stored_endpoints_count < T::MaxNumberOfServicesPerDid::get(),
Error::<T>::MaxNumberOfServicesExceeded
);
ServiceEndpoints::<T>::try_mutate(
&did_subject,
service_endpoint.id.clone(),
|existing_service| -> Result<(), Error<T>> {
ensure!(existing_service.is_none(), Error::<T>::ServiceAlreadyExists);
*existing_service = Some(service_endpoint);
Ok(())
},
)?;
DidEndpointsCount::<T>::insert(&did_subject, currently_stored_endpoints_count.saturating_add(1));
Self::try_update_did(&did_subject, did_details)?;
Self::deposit_event(Event::DidUpdated(did_subject));
Ok(())
}
/// Remove the service with the provided ID from the DID.
///
/// The dispatch origin must be a DID origin proxied via the
/// `submit_did_call` extrinsic.
///
/// Emits `DidUpdated`.
///
/// # <weight>
/// Weight: O(1)
/// - Reads: [Origin Account], ServiceEndpoints, DidEndpointsCount
/// - Writes: Did, ServiceEndpoints, DidEndpointsCount
/// # </weight>
#[pallet::call_index(9)]
#[pallet::weight(<T as pallet::Config>::WeightInfo::remove_service_endpoint())]
pub fn remove_service_endpoint(origin: OriginFor<T>, service_id: ServiceEndpointId<T>) -> DispatchResult {
let did_subject = T::EnsureOrigin::ensure_origin(origin)?.subject();
let did_details = Did::<T>::get(&did_subject).ok_or(Error::<T>::NotFound)?;
ensure!(
ServiceEndpoints::<T>::take(&did_subject, &service_id).is_some(),
Error::<T>::ServiceNotFound
);
// Decrease the endpoints counter or delete the entry if it reaches 0.
DidEndpointsCount::<T>::mutate_exists(&did_subject, |existing_endpoint_count| {
let new_value = existing_endpoint_count.unwrap_or_default().saturating_sub(1);
if new_value.is_zero() {
*existing_endpoint_count = None;
} else {
*existing_endpoint_count = Some(new_value);
}
});
Self::try_update_did(&did_subject, did_details)?;
Self::deposit_event(Event::DidUpdated(did_subject));
Ok(())
}
/// Delete a DID from the chain and all information associated with it,
/// after verifying that the delete operation has been signed by the DID
/// subject using the authentication key currently stored on chain.
///
/// The referenced DID identifier must be present on chain before the
/// delete operation is evaluated.
///
/// After it is deleted, a DID with the same identifier cannot be
/// re-created ever again.
///
/// As the result of the deletion, all traces of the DID are removed
/// from the storage, which results in the invalidation of all
/// attestations issued by the DID subject.
///
/// The dispatch origin must be a DID origin proxied via the
/// `submit_did_call` extrinsic.
///
/// Emits `DidDeleted`.
///
/// # <weight>
/// Weight: O(1)
/// - Reads: [Origin Account], Did
/// - Kills: Did entry associated to the DID identifier
/// # </weight>
#[pallet::call_index(10)]
#[pallet::weight(<T as pallet::Config>::WeightInfo::delete(*endpoints_to_remove))]
pub fn delete(origin: OriginFor<T>, endpoints_to_remove: u32) -> DispatchResult {
let source = T::EnsureOrigin::ensure_origin(origin)?;
let did_subject = source.subject();
Pallet::<T>::delete_did(did_subject, endpoints_to_remove)
}
/// Reclaim a deposit for a DID. This will delete the DID and all
/// information associated with it, after verifying that the caller is
/// the owner of the deposit.
///
/// The referenced DID identifier must be present on chain before the
/// delete operation is evaluated.
///
/// After it is deleted, a DID with the same identifier cannot be
/// re-created ever again.
///
/// As the result of the deletion, all traces of the DID are removed
/// from the storage, which results in the invalidation of all
/// attestations issued by the DID subject.
///
/// Emits `DidDeleted`.
///
/// # <weight>
/// Weight: O(1)
/// - Reads: [Origin Account], Did
/// - Kills: Did entry associated to the DID identifier
/// # </weight>
#[pallet::call_index(11)]
#[pallet::weight(<T as pallet::Config>::WeightInfo::reclaim_deposit(*endpoints_to_remove))]
pub fn reclaim_deposit(
origin: OriginFor<T>,
did_subject: DidIdentifierOf<T>,
endpoints_to_remove: u32,
) -> DispatchResult {
let source = ensure_signed(origin)?;
let did_entry = Did::<T>::get(&did_subject).ok_or(Error::<T>::NotFound)?;
ensure!(did_entry.deposit.owner == source, Error::<T>::NotOwnerOfDeposit);
Pallet::<T>::delete_did(did_subject, endpoints_to_remove)
}
/// Proxy a dispatchable call of another runtime extrinsic that
/// supports a DID origin.
///
/// The referenced DID identifier must be present on chain before the
/// operation is dispatched.
///
/// A call submitted through this extrinsic must be signed with the
/// right DID key, depending on the call. This information is provided
/// by the `DidAuthorizedCallOperation` parameter, which specifies the
/// DID subject acting as the origin of the call, the DID's tx counter
/// (nonce), the dispatchable to call in case signature verification
/// succeeds, the type of DID key to use to verify the operation
/// signature, and the block number the operation was targeting for
/// inclusion, when it was created and signed.
///
/// In case the signature is incorrect, the nonce is not valid, the
/// required key is not present for the specified DID, or the block
/// specified is too old the verification fails and the call is not
/// dispatched. Otherwise, the call is properly dispatched with a
/// `DidOrigin` origin indicating the DID subject.
///
/// A successful dispatch operation results in the tx counter associated
/// with the given DID to be incremented, to mitigate replay attacks.
///
/// The dispatch origin can be any KILT account with enough funds to
/// execute the extrinsic and it does not have to be tied in any way to
/// the KILT account identifying the DID subject.
///
/// Emits `DidCallDispatched`.
///
/// # <weight>
/// Weight: O(1) + weight of the dispatched call
/// - Reads: [Origin Account], Did
/// - Writes: Did
/// # </weight>
#[allow(clippy::boxed_local)]
#[pallet::call_index(12)]
#[pallet::weight({
let di = did_call.call.get_dispatch_info();
let max_sig_weight = <T as pallet::Config>::WeightInfo::submit_did_call_ed25519_key()
.max(<T as pallet::Config>::WeightInfo::submit_did_call_sr25519_key())
.max(<T as pallet::Config>::WeightInfo::submit_did_call_ecdsa_key());
(max_sig_weight.saturating_add(di.weight), di.class)
})]
pub fn submit_did_call(
origin: OriginFor<T>,
did_call: Box<DidAuthorizedCallOperationOf<T>>,
signature: DidSignature,
) -> DispatchResultWithPostInfo {
let who = ensure_signed(origin)?;
ensure!(did_call.submitter == who, Error::<T>::BadDidOrigin);
let did_identifier = did_call.did.clone();
// Compute the right DID verification key to use to verify the operation
// signature
let verification_key_relationship = did_call
.call
.derive_verification_key_relationship()
.map_err(Error::<T>::from)?;
// Wrap the operation in the expected structure, specifying the key retrieved
let wrapped_operation = DidAuthorizedCallOperationWithVerificationRelationship {
operation: *did_call,
verification_key_relationship,
};
Self::verify_did_operation_signature_and_increase_nonce(&wrapped_operation, &signature)
.map_err(Error::<T>::from)?;
log::debug!("Dispatch call from DID {:?}", did_identifier);
// Dispatch the referenced [Call] instance and return its result
let DidAuthorizedCallOperation { did, call, .. } = wrapped_operation.operation;
#[cfg(not(feature = "runtime-benchmarks"))]
let result = call.dispatch(
DidRawOrigin {
id: did,
submitter: who,
}
.into(),
);
#[cfg(feature = "runtime-benchmarks")]
let result = call.dispatch(RawOrigin::Signed(did).into());
let dispatch_event_payload = result.map(|_| ()).map_err(|e| e.error);
Self::deposit_event(Event::DidCallDispatched(did_identifier, dispatch_event_payload));
result
}
/// 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 did owner.
/// The sender of the call will be the new deposit owner.
#[pallet::call_index(13)]
#[pallet::weight(<T as pallet::Config>::WeightInfo::change_deposit_owner())]
pub fn change_deposit_owner(origin: OriginFor<T>) -> DispatchResult {
let source = <T as Config>::EnsureOrigin::ensure_origin(origin)?;
let subject = source.subject();
let sender = source.sender();
DidDepositCollector::<T>::change_deposit_owner::<<T as Config>::BalanceMigrationManager>(&subject, sender)?;
Ok(())
}
/// Updates the deposit amount to the current deposit rate.
///
/// The sender must be the deposit owner.
#[pallet::call_index(14)]
#[pallet::weight(<T as pallet::Config>::WeightInfo::update_deposit())]
pub fn update_deposit(origin: OriginFor<T>, did: DidIdentifierOf<T>) -> DispatchResult {
let sender = ensure_signed(origin)?;
let did_entry = Did::<T>::get(&did).ok_or(Error::<T>::NotFound)?;
ensure!(did_entry.deposit.owner == sender, Error::<T>::BadDidOrigin);
Self::try_update_did(&did, did_entry)?;
Ok(())
}
/// Proxy a dispatchable call of another runtime extrinsic that
/// supports a DID origin.
///
/// The referenced DID identifier must be present on chain before the
/// operation is dispatched.
///
/// A call submitted through this extrinsic must be signed with the
/// right DID key, depending on the call. In contrast to the
/// `submit_did_call` extrinsic, this call doesn't separate the sender
/// from the DID subject. The key that must be used for this DID call
/// is required to also be a valid account with enough balance to pay
/// for fees.
///
/// The dispatch origin must be a KILT account with enough funds to
/// execute the extrinsic and must correspond to the required DID
/// Verification Key.
///
/// Emits `DidCallDispatched`.
#[allow(clippy::boxed_local)]
#[pallet::call_index(15)]
#[pallet::weight({
let dispatch_info = call.get_dispatch_info();
(<T as pallet::Config>::WeightInfo::dispatch_as().saturating_add(dispatch_info.weight), dispatch_info.class)
})]
pub fn dispatch_as(
origin: OriginFor<T>,
did_identifier: DidIdentifierOf<T>,
call: Box<DidCallableOf<T>>,
) -> DispatchResultWithPostInfo {
let who = ensure_signed(origin)?;
let verification_key_relationship =
call.derive_verification_key_relationship().map_err(Error::<T>::from)?;
Pallet::<T>::verify_account_authorization(&did_identifier, &who, verification_key_relationship)
.map_err(Error::<T>::from)?;
log::debug!("Dispatch call from DID {:?}", did_identifier);
#[cfg(not(feature = "runtime-benchmarks"))]
let result = call.dispatch(
DidRawOrigin {
id: did_identifier.clone(),
submitter: who,
}
.into(),
);
#[cfg(feature = "runtime-benchmarks")]
let result = call.dispatch(RawOrigin::Signed(did_identifier.clone()).into());
let dispatch_event_payload = result.map(|_| ()).map_err(|e| e.error);
Self::deposit_event(Event::DidCallDispatched(did_identifier, dispatch_event_payload));
result
}
/// Store a new DID on chain.
///
/// The DID identifier is derived from the account ID that submits this
/// call. The authentication key must correspond to the account ID that
/// submitted this call. For accounts that use the ed25519 and sr25519
/// schema, the authentication key must be of the
/// `DidVerificationKey::Ed25519` or `DidVerificationKey::Sr25519`
/// variant and contains the public key. For Ecdsa accounts, the
/// `DidVerificationKey::Ecdsa` variant is calculated by hashing the
/// Ecdsa public key.
///
/// If this call is dispatched by an account id that doesn't correspond
/// to a public private key pair, the `DidVerificationKey::Account`
/// variant shall be used (Multisig, Pure Proxy, Governance origins).
/// The resulting DID can NOT be used for signing data and is therefore
/// limited to onchain activities.
///
/// There must be no DID information stored on chain under the same DID
/// identifier. This call will fail if there exists a DID with the same
/// identifier or if a DID with the same identifier existed and was
/// deleted.
///
/// The origin for this account must be funded and provide the required
/// deposit and fee.
///
/// Emits `DidCreated`.
#[pallet::call_index(16)]
#[pallet::weight(<T as pallet::Config>::WeightInfo::create_from_account())]
pub fn create_from_account(
origin: OriginFor<T>,
authentication_key: DidVerificationKey<AccountIdOf<T>>,
) -> DispatchResult {
let sender = ensure_signed(origin)?;
let did_identifier: DidIdentifierOf<T> = sender.clone().into();
log::debug!("Creating DID {:?}", &did_identifier);
let current_block_number = frame_system::Pallet::<T>::block_number();
let did_entry =
DidDetails::new(authentication_key, current_block_number, sender.clone()).map_err(Error::<T>::from)?;
Self::try_insert_did(did_identifier, did_entry, sender)?;
Ok(())
}
}
impl<T: Config> Pallet<T>
where
T::AccountId: AsRef<[u8; 32]> + From<[u8; 32]>,
{
/// Try creating a DID.
///
/// # Errors
///
/// * When the DID was deleted, this function returns a `AlreadyDeleted`
/// error.
/// * When the DID already exists, this function returns a
/// `AlreadyExists` error.
/// * When the `sender` doesn't have enough free balance, this function
/// returns a `UnableToPayFees` error.
pub fn try_insert_did(
did_identifier: DidIdentifierOf<T>,
did_entry: DidDetails<T>,
sender: AccountIdOf<T>,
) -> DispatchResult {
// Make sure that DIDs cannot be created again after they have been deleted.
ensure!(
!DidBlacklist::<T>::contains_key(&did_identifier),
Error::<T>::AlreadyDeleted
);
// There has to be no other DID with the same identifier already saved on chain,
// otherwise generate a AlreadyExists error.
ensure!(!Did::<T>::contains_key(&did_identifier), Error::<T>::AlreadyExists);
// Collect fee
let imbalance: CreditOf<T> = <T::Currency as Balanced<AccountIdOf<T>>>::withdraw(
&did_entry.deposit.owner,
T::Fee::get(),
Precision::Exact,
Preservation::Preserve,
Fortitude::Polite,
)
.map_err(|_| Error::<T>::UnableToPayFees)?;
T::FeeCollector::on_unbalanced(imbalance);
DidDepositCollector::<T>::create_deposit(sender.clone(), did_entry.deposit.amount)
.map_err(|_| Error::<T>::UnableToPayFees)?;
<T as Config>::BalanceMigrationManager::exclude_key_from_migration(&Did::<T>::hashed_key_for(
&did_identifier,
));
Did::<T>::insert(&did_identifier, did_entry);
Pallet::<T>::deposit_event(Event::DidCreated(sender, did_identifier));
Ok(())
}
/// Try updating the DID.
///
/// # Errors
///
/// This can fail when the deposit owner doesn't have enough free
/// balance.
pub fn try_update_did(did_identifier: &DidIdentifierOf<T>, mut did_details: DidDetails<T>) -> DispatchResult {
Self::try_update_deposit(&mut did_details, did_identifier)?;
Did::<T>::insert(did_identifier, did_details);
Ok(())
}
fn try_update_deposit(did_details: &mut DidDetails<T>, did_subject: &DidIdentifierOf<T>) -> DispatchResult {
let endpoint_count = DidEndpointsCount::<T>::get(did_subject);
let new_required_deposit = did_details.calculate_deposit(endpoint_count);
let hashed_key = Did::<T>::hashed_key_for(did_subject);
let is_key_migrated = <T as Config>::BalanceMigrationManager::is_key_migrated(&hashed_key);
match new_required_deposit.cmp(&did_details.deposit.amount) {
core::cmp::Ordering::Greater => {
let deposit_to_reserve = new_required_deposit.saturating_sub(did_details.deposit.amount);
if is_key_migrated {
DidDepositCollector::<T>::create_deposit(
did_details.deposit.clone().owner,
deposit_to_reserve,
)?;
did_details.deposit.amount = did_details.deposit.amount.saturating_add(deposit_to_reserve);
} else {
<T as Config>::BalanceMigrationManager::release_reserved_deposit(
&did_details.deposit.owner,
&did_details.deposit.amount,
);
DidDepositCollector::<T>::create_deposit(
did_details.deposit.clone().owner,
new_required_deposit,
)?;
<T as Config>::BalanceMigrationManager::exclude_key_from_migration(&hashed_key);
did_details.deposit.amount = new_required_deposit;
}
}
core::cmp::Ordering::Less => {
let deposit_to_release = did_details.deposit.amount.saturating_sub(new_required_deposit);
if is_key_migrated {
DidDepositCollector::<T>::free_deposit(Deposit {
owner: did_details.deposit.owner.clone(),
amount: deposit_to_release,
})?;
} else {
<T as Config>::BalanceMigrationManager::release_reserved_deposit(
&did_details.deposit.owner,
&deposit_to_release,
);
}
did_details.deposit.amount = did_details.deposit.amount.saturating_sub(deposit_to_release);
}
_ => (),
};
Ok(())
}
/// Verify the validity (i.e., nonce, signature and mortality) of a
/// DID-authorized operation and, if valid, update the DID state with
/// the latest nonce.
pub fn verify_did_operation_signature_and_increase_nonce(
operation: &DidAuthorizedCallOperationWithVerificationRelationship<T>,
signature: &DidSignature,
) -> Result<(), DidError> {
// Check that the tx has not expired.
Self::validate_block_number_value(operation.block_number)?;
let mut did_details =
Did::<T>::get(&operation.did).ok_or(StorageError::NotFound(errors::NotFoundKind::Did))?;
Self::validate_counter_value(operation.tx_counter, &did_details)?;
// Increase the tx counter as soon as it is considered valid, no matter if the
// signature is valid or not.
did_details.increase_tx_counter();
Self::verify_payload_signature_with_did_key_type(
&operation.encode(),
signature,
&did_details,
operation.verification_key_relationship,
)?;
Did::<T>::insert(&operation.did, did_details);
Ok(())
}
/// Verify that `account` is authorized to dispatch DID calls on behave
/// of `did_identifier`.
///
/// # Errors
///
/// This function returns an error if the did was not found, the
/// verification key was not found or the account didn't match the
/// verification key.
pub fn verify_account_authorization(
did_identifier: &DidIdentifierOf<T>,
submitter_account: &AccountIdOf<T>,
verification_key_relationship: DidVerificationKeyRelationship,
) -> Result<(), DidError> {
let did_details = Did::<T>::get(did_identifier).ok_or(StorageError::NotFound(errors::NotFoundKind::Did))?;
let verification_key = did_details
.get_verification_key_for_key_type(verification_key_relationship)
.ok_or_else(|| {
DidError::Storage(StorageError::NotFound(errors::NotFoundKind::Key(
verification_key_relationship.into(),
)))
})?;
if submitter_account == &verification_key.clone().into_account() {
Ok(())
} else {
Err(DidError::Signature(SignatureError::InvalidData))
}
}
/// Check if the provided block number is valid,
/// i.e., if the current blockchain block is in the inclusive range
/// [operation_block_number, operation_block_number +
/// MaxBlocksTxValidity].
fn validate_block_number_value(block_number: BlockNumberFor<T>) -> Result<(), DidError> {
let current_block_number = frame_system::Pallet::<T>::block_number();
let allowed_range = block_number..=block_number.saturating_add(T::MaxBlocksTxValidity::get());
ensure!(
allowed_range.contains(¤t_block_number),
DidError::Signature(SignatureError::TransactionExpired)
);
Ok(())
}
/// Verify the validity of a DID-authorized operation nonce.
/// To be valid, the nonce must be equal to the one currently stored +
/// 1. This is to avoid quickly "consuming" all the possible values for
/// the counter, as that would result in the DID being unusable, since
/// we do not have yet any mechanism in place to wrap the counter value
/// around when the limit is reached.
fn validate_counter_value(counter: u64, did_details: &DidDetails<T>) -> Result<(), DidError> {
// Verify that the operation counter is equal to the stored one + 1,
// possibly wrapping around when u64::MAX is reached.
let expected_nonce_value = did_details.last_tx_counter.wrapping_add(1);
ensure!(
counter == expected_nonce_value,
DidError::Signature(SignatureError::InvalidNonce)
);
Ok(())
}
/// Verify a generic payload signature using a given DID verification
/// key type.
pub fn verify_payload_signature_with_did_key_type(
payload: &Payload,
signature: &DidSignature,
did_details: &DidDetails<T>,
key_type: DidVerificationKeyRelationship,
) -> Result<(), DidError> {
// Retrieve the needed verification key from the DID details, or generate an
// error if there is no key of the type required
let verification_key = did_details
.get_verification_key_for_key_type(key_type)
.ok_or_else(|| DidError::Storage(StorageError::NotFound(errors::NotFoundKind::Key(key_type.into()))))?;
// Verify that the signature matches the expected format, otherwise generate
// an error
verification_key
.verify_signature(payload, signature)
.map_err(DidError::Signature)
}
/// Deletes DID details from storage, including its linked service
/// endpoints, adds the identifier to the blacklisted DIDs and frees the
/// deposit.
pub fn delete_did(did_subject: DidIdentifierOf<T>, endpoints_to_remove: u32) -> DispatchResult {
let current_endpoints_count = DidEndpointsCount::<T>::get(&did_subject);
ensure!(
current_endpoints_count <= endpoints_to_remove,
Error::<T>::MaxStoredEndpointsCountExceeded
);
// This one can fail, albeit this should **never** be the case as we check for
// the preconditions above.
// If some items are remaining (e.g. a continuation cursor exists), it means
// that there were more than the counter stored in `DidEndpointsCount`, and that
// should never happen.
if ServiceEndpoints::<T>::clear_prefix(&did_subject, current_endpoints_count, None)
.maybe_cursor
.is_some()
{
return Err(Error::<T>::Internal.into());
};
// `take` calls `kill` internally
let did_entry = Did::<T>::take(&did_subject).ok_or(Error::<T>::NotFound)?;
DidEndpointsCount::<T>::remove(&did_subject);
let is_key_migrated =
<T as Config>::BalanceMigrationManager::is_key_migrated(&Did::<T>::hashed_key_for(did_subject.clone()));
if is_key_migrated {
DidDepositCollector::<T>::free_deposit(did_entry.deposit)?;
} else {
<T as Config>::BalanceMigrationManager::release_reserved_deposit(
&did_entry.deposit.owner,
&did_entry.deposit.amount,
)
}
// Mark as deleted to prevent potential replay-attacks of re-adding a previously
// deleted DID.
DidBlacklist::<T>::insert(&did_subject, ());
log::debug!("Deleting DID {:?}", did_subject);
Self::deposit_event(Event::DidDeleted(did_subject));
Ok(())
}
}
pub(crate) struct DidDepositCollector<T: Config>(PhantomData<T>);
impl<T: Config> StorageDepositCollector<AccountIdOf<T>, DidIdentifierOf<T>, T::RuntimeHoldReason>
for DidDepositCollector<T>
{
type Currency = <T as Config>::Currency;
type Reason = HoldReason;
fn reason() -> Self::Reason {
HoldReason::Deposit
}
fn get_hashed_key(key: &DidIdentifierOf<T>) -> Result<sp_std::vec::Vec<u8>, DispatchError> {
Ok(Did::<T>::hashed_key_for(key))
}
fn deposit(
key: &DidIdentifierOf<T>,
) -> Result<Deposit<AccountIdOf<T>, <Self::Currency as Inspect<AccountIdOf<T>>>::Balance>, DispatchError> {
let did_entry = Did::<T>::get(key).ok_or(Error::<T>::NotFound)?;
Ok(did_entry.deposit)
}
fn deposit_amount(key: &DidIdentifierOf<T>) -> <Self::Currency as Inspect<AccountIdOf<T>>>::Balance {
let did_entry = Did::<T>::get(key);
match did_entry {
Some(entry) => {
let endpoint_count = DidEndpointsCount::<T>::get(key);
entry.calculate_deposit(endpoint_count)
}
// If there is no entry return 0
_ => Zero::zero(),
}
}
fn store_deposit(
key: &DidIdentifierOf<T>,
deposit: Deposit<AccountIdOf<T>, <Self::Currency as Inspect<AccountIdOf<T>>>::Balance>,
) -> Result<(), DispatchError> {
let did_entry = Did::<T>::get(key).ok_or(Error::<T>::NotFound)?;
Did::<T>::insert(key, DidDetails { deposit, ..did_entry });
Ok(())
}
}
}