ink_primitives/reflect/dispatch.rs
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
// Copyright (C) Use Ink (UK) Ltd.
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
use core::fmt::Display;
/// Stores various information of the respective dispatchable ink! message.
///
/// # Note
///
/// This trait is implemented by ink! for every dispatchable ink! message
/// of the root ink! smart contract. The `ID` used in the trait reflects the
/// chosen or derived selector of the dispatchable ink! message.
///
/// # Usage
///
/// ```
/// # use ink::reflect::DispatchableMessageInfo;
/// # use ink::{selector_id, selector_bytes};
///
/// #[ink::contract]
/// pub mod contract {
/// #[ink(storage)]
/// pub struct Contract {}
///
/// impl Contract {
/// #[ink(constructor)]
/// pub fn constructor() -> Self {
/// Contract {}
/// }
///
/// #[ink(message)]
/// pub fn message1(&self) {}
///
/// #[ink(message, payable, selector = 0xC0DECAFE)]
/// pub fn message2(&mut self, input1: i32, input2: i64) -> (bool, i32) {
/// unimplemented!()
/// }
/// }
/// }
///
/// use contract::Contract;
///
/// /// Asserts that the message with the selector `ID` has the following properties.
/// ///
/// /// # Note
/// ///
/// /// The `In` and `Out` generic parameters describe the input and output types.
/// fn assert_message_info<In, Out, const ID: u32>(
/// mutates: bool,
/// payable: bool,
/// selector: [u8; 4],
/// label: &str,
/// ) where
/// Contract: DispatchableMessageInfo<{ ID }, Input = In, Output = Out>,
/// {
/// assert_eq!(
/// <Contract as DispatchableMessageInfo<{ ID }>>::MUTATES,
/// mutates
/// );
/// assert_eq!(
/// <Contract as DispatchableMessageInfo<{ ID }>>::PAYABLE,
/// payable
/// );
/// assert_eq!(
/// <Contract as DispatchableMessageInfo<{ ID }>>::SELECTOR,
/// selector,
/// );
/// assert_eq!(<Contract as DispatchableMessageInfo<{ ID }>>::LABEL, label,);
/// }
///
/// fn main() {
/// assert_message_info::<(), (), { selector_id!("message1") }>(
/// false,
/// false,
/// selector_bytes!("message1"),
/// "message1",
/// );
/// assert_message_info::<(i32, i64), (bool, i32), 0xC0DECAFE_u32>(
/// true,
/// true,
/// [0xC0, 0xDE, 0xCA, 0xFE],
/// "message2",
/// );
/// }
/// ```
pub trait DispatchableMessageInfo<const ID: u32> {
/// Reflects the input types of the dispatchable ink! message.
type Input;
/// Reflects the output type of the dispatchable ink! message.
type Output;
/// The ink! storage struct type.
type Storage;
/// The closure that can be used to dispatch into the dispatchable ink! message.
///
/// # Note
///
/// We unify `&self` and `&mut self` ink! messages here and always take a `&mut self`.
/// This is mainly done for simplification but also because we can easily convert from
/// `&mut self` to `&self` with our current dispatch codegen architecture.
const CALLABLE: fn(&mut Self::Storage, Self::Input) -> Self::Output;
/// Yields `true` if the dispatchable ink! message mutates the ink! storage.
const MUTATES: bool;
/// Yields `true` if the dispatchable ink! message is payable.
const PAYABLE: bool;
/// The selectors of the dispatchable ink! message.
const SELECTOR: [u8; 4];
/// The label of the dispatchable ink! message.
const LABEL: &'static str;
}
/// Stores various information of the respective dispatchable ink! constructor.
///
/// # Note
///
/// This trait is implemented by ink! for every dispatchable ink! constructor
/// of the root ink! smart contract. The `ID` used in the trait reflects the
/// chosen or derived selector of the dispatchable ink! constructor.
///
/// # Usage
///
/// ```
/// # use ink::reflect::DispatchableConstructorInfo;
/// # use ink::{selector_id, selector_bytes};
///
/// #[ink::contract]
/// pub mod contract {
/// #[ink(storage)]
/// pub struct Contract {}
///
/// impl Contract {
/// #[ink(constructor)]
/// pub fn constructor1() -> Self {
/// Contract {}
/// }
///
/// #[ink(constructor, selector = 0xC0DECAFE)]
/// pub fn constructor2(input1: i32, input2: i64) -> Self {
/// Contract {}
/// }
///
/// #[ink(message)]
/// pub fn message(&self) {}
/// }
/// }
///
/// use contract::Contract;
///
/// /// Asserts that the constructor with the selector `ID` has the following properties.
/// ///
/// /// # Note
/// ///
/// /// The `In` and `Out` generic parameters describe the input and output types.
/// fn assert_constructor_info<In, const ID: u32>(selector: [u8; 4], label: &str)
/// where
/// Contract: DispatchableConstructorInfo<{ ID }, Input = In>,
/// {
/// assert_eq!(
/// <Contract as DispatchableConstructorInfo<{ ID }>>::SELECTOR,
/// selector,
/// );
/// assert_eq!(
/// <Contract as DispatchableConstructorInfo<{ ID }>>::LABEL,
/// label,
/// );
/// }
///
/// fn main() {
/// assert_constructor_info::<(), { selector_id!("constructor1") }>(
/// selector_bytes!("constructor1"),
/// "constructor1",
/// );
/// assert_constructor_info::<(i32, i64), 0xC0DECAFE_u32>(
/// [0xC0, 0xDE, 0xCA, 0xFE],
/// "constructor2",
/// );
/// }
/// ```
pub trait DispatchableConstructorInfo<const ID: u32> {
/// Reflects the input types of the dispatchable ink! constructor.
type Input;
/// The ink! storage struct type.
type Storage;
/// Reflects the output type of the dispatchable ink! constructor.
type Output;
/// The type of the error returned from the constructor.
/// Infallible constructors will have `()` as the error type.
type Error;
/// True if the constructor returns a `Result`.
const IS_RESULT: bool;
/// The closure that can be used to dispatch into the dispatchable ink! constructor.
const CALLABLE: fn(Self::Input) -> Self::Output;
/// Yields `true` if the dispatchable ink! constructor is payable.
const PAYABLE: bool;
/// The selectors of the dispatchable ink! constructor.
const SELECTOR: [u8; 4];
/// The label of the dispatchable ink! constructor.
const LABEL: &'static str;
}
mod private {
/// Seals the implementation of `ConstructorReturnType`.
pub trait Sealed {}
}
/// Guards against using invalid contract initializer types.
///
/// # Note
///
/// Currently the only allowed types are `()` and `Result<(), E>`
/// where `E` is some unspecified error type.
/// If the contract initializer returns `Result::Err` the utility
/// method that is used to initialize an ink! smart contract will
/// revert the state of the contract instantiation.
pub trait ConstructorOutput<C>: private::Sealed {
/// Is `true` if `Self` is `Result<C, E>`.
const IS_RESULT: bool = false;
/// The error type of the constructor return type.
///
/// # Note
///
/// For infallible constructors this is `()` whereas for fallible
/// constructors this is the actual return error type. Since we only ever
/// return a value in case of `Result::Err` the `Result::Ok` value type
/// does not matter.
type Error;
/// Converts the return value into a `Result` instance.
///
/// # Note
///
/// For infallible constructor returns this always yields `Ok`.
fn as_result(&self) -> Result<&C, &Self::Error>;
}
/// Stores the actual value of the constructor return type.
///
/// # Note
///
/// Currently the only allowed types are `()` and `Result<(), E>`
/// where `E` is some unspecified error type.
/// If the contract initializer returns `Result::Err` the utility
/// method that is used to initialize an ink! smart contract will
/// revert the state of the contract instantiation.
pub struct ConstructorOutputValue<T>(T);
impl<T> ConstructorOutputValue<T> {
/// Stores the actual value of the constructor return type.
pub fn new(val: T) -> Self {
Self(val)
}
}
impl<T> private::Sealed for ConstructorOutputValue<T> {}
impl<C> ConstructorOutput<C> for ConstructorOutputValue<C> {
type Error = &'static ();
#[inline(always)]
fn as_result(&self) -> Result<&C, &Self::Error> {
Ok(&self.0)
}
}
impl<C, E> ConstructorOutput<C> for ConstructorOutputValue<Result<C, E>> {
const IS_RESULT: bool = true;
type Error = E;
#[inline(always)]
fn as_result(&self) -> Result<&C, &Self::Error> {
self.0.as_ref()
}
}
/// Generated type used to decode all dispatchable ink! messages of the ink! smart
/// contract.
///
/// # Note
///
/// The decoder follows the ink! calling ABI where all ink! message calls start with
/// 4 bytes dedicated to the ink! message selector followed by the SCALE encoded
/// parameters.
///
/// # Usage
///
/// ```
/// # use ink::reflect::ContractMessageDecoder;
/// # use ink::selector_bytes;
/// # use scale::{Encode, Decode};
///
/// #[ink::contract]
/// pub mod contract {
/// #[ink(storage)]
/// pub struct Contract {}
///
/// impl Contract {
/// #[ink(constructor)]
/// pub fn constructor() -> Self {
/// Self {}
/// }
///
/// #[ink(message)]
/// pub fn message1(&self) {}
///
/// #[ink(message)]
/// pub fn message2(&self, input1: bool, input2: i32) {}
/// }
/// }
///
/// use contract::Contract;
///
/// fn main() {
/// // Call to `message1` without input parameters.
/// {
/// let mut input_bytes = Vec::new();
/// input_bytes.extend(selector_bytes!("message1"));
/// assert!(
/// <<Contract as ContractMessageDecoder>::Type as Decode>::decode(
/// &mut &input_bytes[..]
/// )
/// .is_ok()
/// );
/// }
/// // Call to `message2` with 2 parameters.
/// {
/// let mut input_bytes = Vec::new();
/// input_bytes.extend(selector_bytes!("message2"));
/// input_bytes.extend(true.encode());
/// input_bytes.extend(42i32.encode());
/// assert!(
/// <<Contract as ContractMessageDecoder>::Type as Decode>::decode(
/// &mut &input_bytes[..]
/// )
/// .is_ok()
/// );
/// }
/// // Call with invalid ink! message selector.
/// {
/// let mut input_bytes = Vec::new();
/// input_bytes.extend(selector_bytes!("non_existing_message"));
/// assert!(
/// <<Contract as ContractMessageDecoder>::Type as Decode>::decode(
/// &mut &input_bytes[..]
/// )
/// .is_err()
/// );
/// }
/// // Call with invalid ink! message parameters.
/// {
/// let mut input_bytes = Vec::new();
/// input_bytes.extend(selector_bytes!("message2"));
/// assert!(
/// <<Contract as ContractMessageDecoder>::Type as Decode>::decode(
/// &mut &input_bytes[..]
/// )
/// .is_err()
/// );
/// }
/// }
/// ```
pub trait ContractMessageDecoder {
/// The ink! smart contract message decoder type.
type Type: scale::Decode + ExecuteDispatchable;
}
/// Generated type used to decode all dispatchable ink! constructors of the ink! smart
/// contract.
///
/// # Note
///
/// The decoder follows the ink! calling ABI where all ink! constructor calls start with
/// 4 bytes dedicated to the ink! constructor selector followed by the SCALE encoded
/// parameters.
///
/// # Usage
///
/// ```
/// # use ink::reflect::ContractConstructorDecoder;
/// # use ink::selector_bytes;
/// # use scale::{Encode, Decode};
///
/// #[ink::contract]
/// pub mod contract {
/// #[ink(storage)]
/// pub struct Contract {}
///
/// impl Contract {
/// #[ink(constructor)]
/// pub fn constructor1() -> Self {
/// Self {}
/// }
///
/// #[ink(constructor)]
/// pub fn constructor2(input1: bool, input2: i32) -> Self {
/// Self {}
/// }
///
/// #[ink(message)]
/// pub fn message(&self) {}
/// }
/// }
///
/// use contract::Contract;
///
/// fn main() {
/// // Call to `constructor1` without input parameters.
/// {
/// let mut input_bytes = Vec::new();
/// input_bytes.extend(selector_bytes!("constructor1"));
/// assert!(
/// <<Contract as ContractConstructorDecoder>::Type as Decode>::decode(
/// &mut &input_bytes[..]
/// )
/// .is_ok()
/// );
/// }
/// // Call to `constructor2` with 2 parameters.
/// {
/// let mut input_bytes = Vec::new();
/// input_bytes.extend(selector_bytes!("constructor2"));
/// input_bytes.extend(true.encode());
/// input_bytes.extend(42i32.encode());
/// assert!(
/// <<Contract as ContractConstructorDecoder>::Type as Decode>::decode(
/// &mut &input_bytes[..]
/// )
/// .is_ok()
/// );
/// }
/// // Call with invalid ink! constructor selector.
/// {
/// let mut input_bytes = Vec::new();
/// input_bytes.extend(selector_bytes!("non_existing_constructor"));
/// assert!(
/// <<Contract as ContractConstructorDecoder>::Type as Decode>::decode(
/// &mut &input_bytes[..]
/// )
/// .is_err()
/// );
/// }
/// // Call with invalid ink! constructor parameters.
/// {
/// let mut input_bytes = Vec::new();
/// input_bytes.extend(selector_bytes!("constructor2"));
/// assert!(
/// <<Contract as ContractConstructorDecoder>::Type as Decode>::decode(
/// &mut &input_bytes[..]
/// )
/// .is_err()
/// );
/// }
/// }
/// ```
pub trait ContractConstructorDecoder {
/// The ink! smart contract constructor decoder type.
type Type: DecodeDispatch + ExecuteDispatchable;
}
/// Starts the execution of the respective ink! message or constructor call.
///
/// # Note
///
/// Implemented by the ink! smart contract message or constructor decoder.
pub trait ExecuteDispatchable {
/// Executes the ink! smart contract message or constructor.
fn execute_dispatchable(self) -> Result<(), DispatchError>;
}
/// An error that can occur during dispatch of ink! dispatchables.
/// todo: add tests for other errors beside `PaidUnpayableMessage`
#[derive(Debug, Copy, Clone, PartialEq, Eq)]
pub enum DispatchError {
/// Failed to decode into a valid dispatch selector.
InvalidSelector,
/// The decoded selector is not known to the dispatch decoder.
UnknownSelector,
/// Failed to decode the parameters for the selected dispatchable.
InvalidParameters,
/// Failed to read execution input for the dispatchable.
CouldNotReadInput,
/// Invalidly paid an unpayable dispatchable.
PaidUnpayableMessage,
}
impl Display for DispatchError {
fn fmt(&self, f: &mut core::fmt::Formatter) -> core::fmt::Result {
write!(f, "{}", self.as_str())
}
}
impl DispatchError {
/// Returns a string representation of the error.
#[inline]
pub fn as_str(&self) -> &'static str {
match self {
Self::InvalidSelector => "unable to decode selector",
Self::UnknownSelector => "encountered unknown selector",
Self::InvalidParameters => "unable to decode input",
Self::CouldNotReadInput => "could not read input",
Self::PaidUnpayableMessage => "paid an unpayable message",
}
}
}
impl From<DispatchError> for scale::Error {
#[inline]
fn from(error: DispatchError) -> Self {
Self::from(error.as_str())
}
}
/// Decodes an ink! dispatch input into a known selector and its expected parameters.
///
/// # Note
///
/// This trait is automatically implemented for ink! message and constructor decoders.
///
/// # Errors
///
/// Returns an error if any of the decode steps failed:
///
/// - `InvalidSelector`: The first four bytes could not properly decoded into the
/// selector.
/// - `UnknownSelector`: The decoded selector did not match any of the expected ones.
/// - `InvalidParameters`: Failed to decoded the parameters for the selected dispatchable.
///
/// The other dispatch errors are handled by other structures usually.
///
/// # Usage
///
/// ```
/// # use ink::reflect::{ContractMessageDecoder, DecodeDispatch, DispatchError};
/// # use ink::selector_bytes;
/// # use scale::Encode;
///
/// #[ink::contract]
/// pub mod contract {
/// #[ink(storage)]
/// pub struct Contract {}
///
/// impl Contract {
/// #[ink(constructor)]
/// pub fn constructor() -> Self { Self {} }
///
/// #[ink(message)]
/// pub fn message(&self, input_1: bool, input_2: i32) {}
/// }
/// }
///
/// use contract::Contract;
///
/// fn main() {
/// // Valid call to `message`:
/// {
/// let mut input_bytes = Vec::new();
/// input_bytes.extend(selector_bytes!("message"));
/// input_bytes.extend(true.encode());
/// input_bytes.extend(42i32.encode());
/// assert!(
/// <<Contract as ContractMessageDecoder>::Type as DecodeDispatch>::decode_dispatch(
/// &mut &input_bytes[..]).is_ok()
/// );
/// }
/// // Invalid call with invalid selector (or empty input).
/// {
/// let mut input_bytes = Vec::new();
/// assert_eq!(
/// <<Contract as ContractMessageDecoder>::Type
/// as DecodeDispatch>::decode_dispatch(&mut &input_bytes[..])
/// # .map(|_| ())
/// .unwrap_err(),
/// DispatchError::InvalidSelector,
/// );
/// }
/// // Invalid call to `message` with unknown selector.
/// {
/// let mut input_bytes = Vec::new();
/// input_bytes.extend(selector_bytes!("unknown_selector"));
/// assert_eq!(
/// <<Contract as ContractMessageDecoder>::Type
/// as DecodeDispatch>::decode_dispatch(&mut &input_bytes[..])
/// # .map(|_| ())
/// .unwrap_err(),
/// DispatchError::UnknownSelector,
/// );
/// }
/// // Invalid call to `message` with invalid (or missing) parameters.
/// {
/// let mut input_bytes = Vec::new();
/// input_bytes.extend(selector_bytes!("message"));
/// assert_eq!(
/// <<Contract as ContractMessageDecoder>::Type
/// as DecodeDispatch>::decode_dispatch(&mut &input_bytes[..])
/// # .map(|_| ())
/// .unwrap_err(),
/// DispatchError::InvalidParameters,
/// );
/// }
/// }
/// ```
pub trait DecodeDispatch: scale::Decode {
/// Decodes an ink! dispatch input into a known selector and its expected parameters.
fn decode_dispatch<I: scale::Input>(input: &mut I) -> Result<Self, DispatchError>;
}