ink_macro/lib.rs
1// Copyright (C) Use Ink (UK) Ltd.
2//
3// Licensed under the Apache License, Version 2.0 (the "License");
4// you may not use this file except in compliance with the License.
5// You may obtain a copy of the License at
6//
7// http://www.apache.org/licenses/LICENSE-2.0
8//
9// Unless required by applicable law or agreed to in writing, software
10// distributed under the License is distributed on an "AS IS" BASIS,
11// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
12// See the License for the specific language governing permissions and
13// limitations under the License.
14
15#![doc(
16 html_logo_url = "https://use.ink/img/crate-docs/logo.png",
17 html_favicon_url = "https://use.ink/crate-docs/favicon.png"
18)]
19
20extern crate proc_macro;
21
22mod blake2b;
23mod chain_extension;
24mod contract;
25mod event;
26mod ink_test;
27mod scale;
28mod selector;
29mod storage;
30mod storage_item;
31mod trait_def;
32
33#[cfg(test)]
34mod tests;
35
36use proc_macro::TokenStream;
37
38/// Computes and expands into the BLAKE2b 256-bit hash of the string input.
39///
40/// # Note
41///
42/// - The computation takes place at compilation time of the crate.
43/// - The returned value is of type `[u8; 32]`.
44///
45/// # Example
46///
47/// ```
48/// # use ink_macro::blake2x256;
49/// # use ink_ir::blake2b_256;
50/// assert_eq!(blake2x256!("hello"), {
51/// let mut output = [0u8; 32];
52/// blake2b_256(b"hello", &mut output);
53/// output
54/// });
55/// ```
56#[proc_macro]
57pub fn blake2x256(input: TokenStream) -> TokenStream {
58 blake2b::generate_blake2x256_hash(input.into()).into()
59}
60
61/// Computes the ink! selector of the string and expands into its `u32` representation.
62///
63/// # Note
64///
65/// The computation takes place at compilation time of the crate.
66///
67/// # Example
68///
69/// ```
70/// # use ink_macro::selector_id;
71/// assert_eq!(selector_id!("hello"), 843960066,);
72/// ```
73#[proc_macro]
74pub fn selector_id(input: TokenStream) -> TokenStream {
75 selector::generate_selector_id(input.into()).into()
76}
77
78/// Computes the ink! selector of the string and expands into its byte representation.
79///
80/// # Note
81///
82/// The computation takes place at compilation time of the crate.
83///
84/// # Example
85///
86/// ```
87/// # use ink_macro::selector_bytes;
88/// assert_eq!(selector_bytes!("hello"), [50, 77, 207, 2],);
89/// ```
90#[proc_macro]
91pub fn selector_bytes(input: TokenStream) -> TokenStream {
92 selector::generate_selector_bytes(input.into()).into()
93}
94
95/// Entry point for writing ink! smart contracts.
96///
97/// If you are a beginner trying to learn ink! we recommend you to check out
98/// our extensive [ink! workshop](https://docs.substrate.io/tutorials/v3/ink-workshop/pt1).
99///
100/// # Description
101///
102/// The macro does analysis on the provided smart contract code and generates
103/// proper code.
104///
105/// ink! smart contracts can compile in several different modes.
106/// There are two main compilation models using either
107/// - on-chain mode: `no_std` and WebAssembly as target
108/// - off-chain mode: `std`
109///
110/// We generally use the on-chain mode for actual smart contract instantiation
111/// whereas we use the off-chain mode for smart contract testing using the
112/// off-chain environment provided by the `ink_env` crate.
113///
114/// # Usage
115///
116/// ## Header Arguments
117///
118/// The `#[ink::contract]` macro can be provided with some additional comma-separated
119/// header arguments:
120///
121/// - `keep_attr: String`
122///
123/// Tells the ink! code generator which attributes should be passed to call builders.
124/// Call builders are used to doing cross-contract calls and are automatically
125/// generated for contracts.
126///
127/// **Usage Example:**
128/// ```
129/// #[ink::contract(keep_attr = "foo, bar")]
130/// mod my_contract {
131/// # #[ink(storage)]
132/// # pub struct MyStorage;
133/// # impl MyStorage {
134/// # #[ink(constructor)]
135/// // #[bar]
136/// # pub fn construct() -> Self { MyStorage {} }
137/// # #[ink(message)]
138/// // #[foo]
139/// # pub fn message(&self) {}
140/// # }
141/// // ...
142/// }
143/// ```
144///
145/// **Allowed attributes by default:** `cfg`, `cfg_attr`, `allow`, `warn`, `deny`,
146/// `forbid`, `deprecated`, `must_use`, `doc`, `rustfmt`.
147///
148/// - `env: impl Environment`
149///
150/// Tells the ink! code generator which environment to use for the ink! smart
151/// contract. The environment must implement the `Environment` (defined in `ink_env`)
152/// trait and provides all the necessary fundamental type definitions for `Balance`,
153/// `AccountId` etc.
154///
155/// When using a custom `Environment` implementation for a smart contract all types
156/// that it exposes to the ink! smart contract and the mirrored types used in the
157/// runtime must be aligned with respect to SCALE encoding and semantics.
158///
159/// **Usage Example:**
160///
161/// Given a custom `Environment` implementation:
162/// ```
163/// #[derive(Clone)]
164/// pub struct MyEnvironment;
165///
166/// impl ink_env::Environment for MyEnvironment {
167/// const MAX_EVENT_TOPICS: usize = 3;
168/// type AccountId = [u8; 16];
169/// type Balance = u128;
170/// type Hash = [u8; 32];
171/// type Timestamp = u64;
172/// type BlockNumber = u32;
173/// type ChainExtension = ::ink::env::NoChainExtension;
174/// type EventRecord = ();
175/// }
176/// ```
177/// A user might implement their ink! smart contract using the above custom
178/// `Environment` implementation as demonstrated below:
179/// ```
180/// #[ink::contract(env = MyEnvironment)]
181/// mod my_contract {
182/// # #[derive(Clone)]
183/// # pub struct MyEnvironment;
184/// #
185/// # impl ink_env::Environment for MyEnvironment {
186/// # const MAX_EVENT_TOPICS: usize = 3;
187/// # type AccountId = [u8; 16];
188/// # type Balance = u128;
189/// # type Hash = [u8; 32];
190/// # type Timestamp = u64;
191/// # type BlockNumber = u32;
192/// # type ChainExtension = ::ink::env::NoChainExtension;
193/// # type EventRecord = ();
194/// # }
195/// #
196/// # #[ink(storage)]
197/// # pub struct MyStorage;
198/// # impl MyStorage {
199/// # #[ink(constructor)]
200/// # pub fn construct() -> Self { MyStorage {} }
201/// # #[ink(message)]
202/// # pub fn message(&self) {}
203/// # }
204/// // ...
205/// }
206/// ```
207///
208/// **Default value:** `DefaultEnvironment` defined in `ink_env` crate.
209///
210/// ## Analysis
211///
212/// The `#[ink::contract]` macro fully analyses its input smart contract
213/// against invalid arguments and structure.
214///
215/// Some example rules include but are not limited to:
216///
217/// - There must be exactly one `#[ink(storage)]` struct.
218///
219/// This struct defines the layout of the storage that the ink! smart contract
220/// operates on. The user is able to use a variety of built-in facilities, combine
221/// them in various ways or even provide their own implementations of storage data
222/// structures.
223///
224/// For more information visit the `ink::storage` crate documentation.
225///
226/// **Example:**
227///
228/// ```
229/// #[ink::contract]
230/// mod flipper {
231/// #[ink(storage)]
232/// pub struct Flipper {
233/// value: bool,
234/// }
235/// # impl Flipper {
236/// # #[ink(constructor)]
237/// # pub fn construct() -> Self { Flipper { value: false } }
238/// # #[ink(message)]
239/// # pub fn message(&self) {}
240/// # }
241/// }
242/// ```
243///
244/// - There must be at least one `#[ink(constructor)]` defined method.
245///
246/// Methods flagged with `#[ink(constructor)]` are special in that they are
247/// dispatchable upon contract instantiation. A contract may define multiple such
248/// constructors which allow users of the contract to instantiate a contract in
249/// multiple different ways.
250///
251/// **Example:**
252///
253/// Given the `Flipper` contract definition above we add an `#[ink(constructor)]`
254/// as follows:
255///
256/// ```
257/// # #[ink::contract]
258/// # mod flipper {
259/// # #[ink(storage)]
260/// # pub struct Flipper {
261/// # value: bool,
262/// # }
263/// impl Flipper {
264/// #[ink(constructor)]
265/// pub fn new(initial_value: bool) -> Self {
266/// Flipper { value: false }
267/// }
268/// # #[ink(message)]
269/// # pub fn message(&self) {}
270/// }
271/// # }
272/// ```
273///
274/// - There must be at least one `#[ink(message)]` defined method.
275///
276/// Methods flagged with `#[ink(message)]` are special in that they are dispatchable
277/// upon contract invocation. The set of ink! messages defined for an ink! smart
278/// contract define its API surface with which users are allowed to interact.
279///
280/// An ink! smart contract can have multiple such ink! messages defined.
281///
282/// **Note:**
283///
284/// - An ink! message with a `&self` receiver may only read state whereas an ink!
285/// message with a `&mut self` receiver may mutate the contract's storage.
286///
287/// **Example:**
288///
289/// Given the `Flipper` contract definition above we add some `#[ink(message)]`
290/// definitions as follows:
291///
292/// ```
293/// # #[ink::contract]
294/// # mod flipper {
295/// # #[ink(storage)]
296/// # pub struct Flipper {
297/// # value: bool,
298/// # }
299/// impl Flipper {
300/// # #[ink(constructor)]
301/// # pub fn new(initial_value: bool) -> Self {
302/// # Flipper { value: false }
303/// # }
304/// /// Flips the current value.
305/// #[ink(message)]
306/// pub fn flip(&mut self) {
307/// self.value = !self.value;
308/// }
309///
310/// /// Returns the current value.
311/// #[ink(message)]
312/// pub fn get(&self) -> bool {
313/// self.value
314/// }
315/// }
316/// # }
317/// ```
318///
319/// **Payable Messages:**
320///
321/// An ink! message by default will reject calls that additional fund the smart
322/// contract. Authors of ink! smart contracts can make an ink! message payable by
323/// adding the `payable` flag to it. An example below:
324///
325/// Note that ink! constructors are always implicitly payable and thus cannot be
326/// flagged as such.
327///
328/// ```
329/// # #[ink::contract]
330/// # mod flipper {
331/// # #[ink(storage)]
332/// # pub struct Flipper {
333/// # value: bool,
334/// # }
335/// impl Flipper {
336/// # #[ink(constructor)]
337/// # pub fn new(initial_value: bool) -> Self {
338/// # Flipper { value: false }
339/// # }
340/// /// Flips the current value.
341/// #[ink(message)]
342/// #[ink(payable)] // You can either specify payable out-of-line.
343/// pub fn flip(&mut self) {
344/// self.value = !self.value;
345/// }
346///
347/// /// Returns the current value.
348/// #[ink(message, payable)] // ...or specify payable inline.
349/// pub fn get(&self) -> bool {
350/// self.value
351/// }
352/// }
353/// # }
354/// ```
355///
356/// **Controlling the messages selector:**
357///
358/// Every ink! message and ink! constructor has a unique selector with which the
359/// message or constructor can be uniquely identified within the ink! smart contract.
360/// These selectors are mainly used to drive the contract's dispatch upon calling it.
361///
362/// An ink! smart contract author can control the selector of an ink! message or ink!
363/// constructor using the `selector` flag. An example is shown below:
364///
365/// ```
366/// # #[ink::contract]
367/// # mod flipper {
368/// # #[ink(storage)]
369/// # pub struct Flipper {
370/// # value: bool,
371/// # }
372/// impl Flipper {
373/// #[ink(constructor)]
374/// #[ink(selector = 0xDEADBEEF)] // Works on constructors as well.
375/// pub fn new(initial_value: bool) -> Self {
376/// Flipper { value: false }
377/// }
378///
379/// /// Flips the current value.
380/// #[ink(message)]
381/// #[ink(selector = 0xCAFEBABE)] // You can either specify selector out-of-line.
382/// pub fn flip(&mut self) {
383/// self.value = !self.value;
384/// }
385///
386/// /// Returns the current value.
387/// #[ink(message, selector = 0xFEEDBEEF)] // ...or specify selector inline.
388/// pub fn get(&self) -> bool {
389/// self.value
390/// }
391/// }
392/// # }
393/// ```
394///
395/// ## Interacting with the Contract Executor
396///
397/// The `ink_env` crate provides facilities to interact with the contract executor that
398/// connects ink! smart contracts with the outer world.
399///
400/// For example it is possible to query the current call's caller via:
401/// ```
402/// # ink_env::test::run_test::<ink_env::DefaultEnvironment, _>(|_| {
403/// let caller = ink_env::caller();
404/// # let _caller = caller;
405/// # Ok(())
406/// # }).unwrap();
407/// ```
408///
409/// However, ink! provides a much simpler way to interact with the contract executor
410/// via its environment accessor. An example below:
411///
412/// ```
413/// #[ink::contract]
414/// mod greeter {
415/// #[ink(storage)]
416/// pub struct Greeter;
417///
418/// impl Greeter {
419/// #[ink(constructor)]
420/// pub fn new() -> Self {
421/// let caller = Self::env().caller();
422/// Greeter {}
423/// }
424///
425/// #[ink(message, payable)]
426/// pub fn fund(&self) {
427/// let caller = self.env().caller();
428/// let value = self.env().transferred_value();
429/// }
430/// }
431/// }
432/// ```
433///
434/// ## Events
435///
436/// An ink! smart contract may define events that it can emit during contract execution.
437/// Emitting events can be used by third party tools to query information about a
438/// contract's execution and state.
439///
440/// The following example ink! contract shows how an event `Transferred` is defined and
441/// emitted in the `#[ink(constructor)]`.
442///
443/// ```
444/// #[ink::contract]
445/// mod erc20 {
446/// use ink::{
447/// H160,
448/// U256,
449/// };
450///
451/// /// Defines an event that is emitted every time value is transferred.
452/// #[ink(event)]
453/// pub struct Transferred {
454/// from: Option<H160>,
455/// to: Option<H160>,
456/// value: U256,
457/// }
458///
459/// #[ink(storage)]
460/// pub struct Erc20 {
461/// total_supply: U256,
462/// // more fields...
463/// }
464///
465/// impl Erc20 {
466/// #[ink(constructor)]
467/// pub fn new(initial_supply: U256) -> Self {
468/// let caller = Self::env().caller();
469/// Self::env().emit_event(Transferred {
470/// from: None,
471/// to: Some(caller),
472/// value: initial_supply,
473/// });
474/// Self {
475/// total_supply: initial_supply,
476/// }
477/// }
478///
479/// #[ink(message)]
480/// pub fn total_supply(&self) -> U256 {
481/// self.total_supply
482/// }
483/// }
484/// }
485/// ```
486///
487/// ## Example: Flipper
488///
489/// The below code shows the complete implementation of the so-called Flipper
490/// ink! smart contract.
491/// For us it acts as the "Hello, World!" of the ink! smart contracts because
492/// it is minimal while still providing some more or less useful functionality.
493///
494/// It controls a single `bool` value that can be either `false` or `true`
495/// and allows the user to flip this value using the `Flipper::flip` message
496/// or retrieve the current value using `Flipper::get`.
497///
498/// ```
499/// #[ink::contract]
500/// pub mod flipper {
501/// #[ink(storage)]
502/// pub struct Flipper {
503/// value: bool,
504/// }
505///
506/// impl Flipper {
507/// /// Creates a new flipper smart contract initialized with the given value.
508/// #[ink(constructor)]
509/// pub fn new(init_value: bool) -> Self {
510/// Self { value: init_value }
511/// }
512///
513/// /// Flips the current value of the Flipper's boolean.
514/// #[ink(message)]
515/// pub fn flip(&mut self) {
516/// self.value = !self.value;
517/// }
518///
519/// /// Returns the current value of the Flipper's boolean.
520/// #[ink(message)]
521/// pub fn get(&self) -> bool {
522/// self.value
523/// }
524/// }
525/// }
526/// ```
527#[proc_macro_attribute]
528pub fn contract(attr: TokenStream, item: TokenStream) -> TokenStream {
529 contract::generate(attr.into(), item.into()).into()
530}
531
532/// Marks trait definitions to ink! as special ink! trait definitions.
533///
534/// There are some restrictions that apply to ink! trait definitions that
535/// this macro checks. Also ink! trait definitions are required to have specialized
536/// structure so that the main [`#[ink::contract]`](`macro@crate::contract`) macro can
537/// properly generate code for its implementations.
538///
539/// # Example
540///
541/// # Trait definition:
542///
543/// ```
544/// #[ink::trait_definition]
545/// pub trait Erc20 {
546/// /// Returns the total supply of the ERC-20 smart contract.
547/// #[ink(message)]
548/// fn total_supply(&self) -> ink::U256;
549///
550/// /// Transfers balance from the caller to the given address.
551/// #[ink(message)]
552/// fn transfer(&mut self, amount: ink::U256, to: ink::H160) -> bool;
553///
554/// // etc.
555/// }
556/// ```
557///
558/// # Trait implementation
559///
560/// Given the above trait definition you can implement it as shown below:
561///
562/// ```
563/// #[ink::contract]
564/// mod base_erc20 {
565/// use ink::{H160, U256};
566/// # // We somehow cannot put the trait in the doc-test crate root due to bugs.
567/// # #[ink::trait_definition]
568/// # pub trait Erc20 {
569/// # /// Returns the total supply of the ERC-20 smart contract.
570/// # #[ink(message)]
571/// # fn total_supply(&self) -> U256;
572/// #
573/// # /// Transfers balance from the caller to the given address.
574/// # #[ink(message)]
575/// # fn transfer(&mut self, amount: U256, to: H160) -> bool;
576/// # }
577/// #
578/// #[ink(storage)]
579/// pub struct BaseErc20 {
580/// total_supply: U256,
581/// }
582///
583/// impl BaseErc20 {
584/// #[ink(constructor)]
585/// pub fn new(initial_supply: U256) -> Self {
586/// Self { total_supply: initial_supply }
587/// }
588/// }
589///
590/// impl Erc20 for BaseErc20 {
591/// /// Returns the total supply of the ERC-20 smart contract.
592/// #[ink(message)]
593/// fn total_supply(&self) -> U256 {
594/// self.total_supply
595/// }
596///
597/// #[ink(message)]
598/// fn transfer(&mut self, amount: U256, to: H160) -> bool {
599/// unimplemented!()
600/// }
601/// }
602/// }
603/// ```
604///
605/// ## Header Arguments
606///
607/// The `#[ink::trait_definition]` macro can be provided with some additional
608/// comma-separated header arguments:
609///
610/// - `namespace: String`
611///
612/// The namespace configuration parameter is used to influence the generated
613/// selectors of the ink! trait messages. This is useful to disambiguate
614/// ink! trait definitions with equal names.
615///
616/// **Usage Example:**
617/// ```
618/// #[ink::trait_definition(namespace = "foo")]
619/// pub trait TraitDefinition {
620/// #[ink(message)]
621/// fn message1(&self);
622///
623/// #[ink(message, selector = 42)]
624/// fn message2(&self);
625/// }
626/// ```
627///
628/// **Default value:** Empty.
629///
630/// - `keep_attr: String`
631///
632/// Tells the ink! code generator which attributes should be passed to call builders.
633/// Call builders are used to doing cross-contract calls and are automatically
634/// generated for contracts.
635///
636/// **Usage Example:**
637/// ```
638/// #[ink::trait_definition(keep_attr = "foo, bar")]
639/// pub trait Storage {
640/// #[ink(message)]
641/// // #[foo]
642/// fn message1(&self);
643///
644/// #[ink(message)]
645/// // #[bar]
646/// fn message2(&self);
647/// }
648/// ```
649///
650/// **Allowed attributes by default:** `cfg`, `cfg_attr`, `allow`, `warn`, `deny`,
651/// `forbid`, `deprecated`, `must_use`, `doc`, `rustfmt`.
652#[proc_macro_attribute]
653pub fn trait_definition(attr: TokenStream, item: TokenStream) -> TokenStream {
654 trait_def::analyze(attr.into(), item.into()).into()
655}
656
657/// Implements the necessary traits for a `struct` to be emitted as an event from a
658/// contract.
659///
660/// By default, a signature topic will be generated for the event. This allows consumers
661/// to filter and identify events of this type. Marking an event with `anonymous`
662/// means no signature topic will be generated or emitted.
663/// Custom signature topic can be specified with `signature_topic = <32 byte hex string>`.
664///
665/// `signature_topic` and `anonymous` are conflicting arguments.
666///
667/// # Examples
668///
669/// ```
670/// #[ink::event]
671/// pub struct MyEvent {
672/// pub field: u32,
673/// #[ink(topic)]
674/// pub topic: [u8; 32],
675/// }
676///
677/// // Setting `anonymous` means no signature topic will be emitted for the event.
678/// #[ink::event(anonymous)]
679/// pub struct MyAnonEvent {
680/// pub field: u32,
681/// #[ink(topic)]
682/// pub topic: [u8; 32],
683/// }
684/// // Setting `signature_topic = <hex_string>` specifies custom signature topic.
685/// #[ink::event(
686/// signature_topic = "1111111111111111111111111111111111111111111111111111111111111111"
687/// )]
688/// pub struct MyCustomSignatureEvent {
689/// pub field: u32,
690/// #[ink(topic)]
691/// pub topic: [u8; 32],
692/// }
693/// ```
694#[proc_macro_attribute]
695pub fn event(attr: TokenStream, item: TokenStream) -> TokenStream {
696 event::generate(attr.into(), item.into()).into()
697}
698
699/// Prepares the type to be fully compatible and usable with the storage.
700/// It implements all necessary traits and calculates the storage key for types.
701/// `Packed` types don't have a storage key, but non-packed types (like `Mapping`, `Lazy`
702/// etc.) require calculating the storage key during compilation.
703///
704/// Consider annotating structs and enums that are intended to be a part of
705/// the storage with this macro. If the type is packed then the usage of the
706/// macro is optional.
707///
708/// If the type is non-packed it is best to rely on automatic storage key
709/// calculation via `ink::storage_item`.
710///
711/// The usage of `KEY: StorageKey` generic allows to propagate the parent's storage key to
712/// the type and offset the storage key of the type. It is helpful for non-packed types
713/// that can be used several times in the contract. Each field should have a unique
714/// storage key, so propagation of the parent's storage key allows one to achieve it.
715///
716/// The macro should be called before `derive` macros because it can change the type.
717///
718/// All required traits can be:
719/// - Derived manually via `#[derive(...)]`.
720/// - Derived automatically via deriving of `scale::Decode` and `scale::Encode`.
721/// - Derived via this macro.
722///
723/// # Example
724///
725/// ## Trait implementation
726///
727/// ```
728/// use ink_prelude::vec::Vec;
729/// use ink::storage::{
730/// Lazy,
731/// Mapping,
732/// };
733/// use ink::storage::traits::{
734/// StorageKey,
735/// StorableHint,
736/// };
737/// use ink::storage::traits::Storable;
738///
739/// // Deriving `scale::Decode` and `scale::Encode` also derives blanket implementation of all
740/// // required traits to be storable.
741/// #[derive(scale::Decode, scale::Encode)]
742/// #[cfg_attr(
743/// feature = "std",
744/// derive(scale_info::TypeInfo, ink::storage::traits::StorageLayout)
745/// )]
746/// #[derive(Default, Debug)]
747/// struct Packed {
748/// s1: u128,
749/// s2: Vec<u128>,
750/// // Fails because `StorableHint` is only implemented for `Vec` where `T: Packed`.
751/// // s3: Vec<NonPacked>,
752/// }
753///
754/// // Example of how to define the packed type with generic.
755/// #[derive(scale::Decode, scale::Encode)]
756/// #[cfg_attr(
757/// feature = "std",
758/// derive(scale_info::TypeInfo, ink::storage::traits::StorageLayout)
759/// )]
760/// #[derive(Default, Debug)]
761/// struct PackedGeneric<T: ink::storage::traits::Packed> {
762/// s1: (u128, bool),
763/// s2: Vec<T>,
764/// s3: String,
765/// }
766///
767/// // Example of how to define the non-packed type.
768/// #[ink::storage_item]
769/// #[derive(Default, Debug)]
770/// struct NonPacked {
771/// s1: Mapping<u32, u128>,
772/// s2: Lazy<u128>,
773/// }
774///
775/// // Example of how to define the non-packed generic type.
776/// #[ink::storage_item(derive = false)]
777/// #[derive(Storable, StorableHint, StorageKey)]
778/// #[cfg_attr(
779/// feature = "std",
780/// derive(scale_info::TypeInfo, ink::storage::traits::StorageLayout)
781/// )]
782/// #[derive(Default, Debug)]
783/// struct NonPackedGeneric<T>
784/// where
785/// T: Default + core::fmt::Debug,
786/// T: ink::storage::traits::Packed,
787/// {
788/// s1: u32,
789/// s2: T,
790/// s3: Mapping<u128, T>,
791/// }
792///
793/// // Example of how to define a complex packed type.
794/// #[derive(scale::Decode, scale::Encode)]
795/// #[cfg_attr(
796/// feature = "std",
797/// derive(scale_info::TypeInfo, ink::storage::traits::StorageLayout)
798/// )]
799/// #[derive(Default, Debug)]
800/// struct PackedComplex {
801/// s1: u128,
802/// s2: Vec<u128>,
803/// s3: Vec<Packed>,
804/// }
805///
806/// // Example of how to define a complex non-packed type.
807/// #[ink::storage_item]
808/// #[derive(Default, Debug)]
809/// struct NonPackedComplex<KEY: StorageKey> {
810/// s1: (String, u128, Packed),
811/// s2: Mapping<u128, u128>,
812/// s3: Lazy<u128>,
813/// s4: Mapping<u128, Packed>,
814/// s5: Lazy<NonPacked>,
815/// s6: PackedGeneric<Packed>,
816/// s7: NonPackedGeneric<Packed>,
817/// // Fails because: the trait `ink::storage::traits::Packed` is not implemented for `NonPacked`
818/// // s8: Mapping<u128, NonPacked>,
819/// }
820/// ```
821///
822/// ## Header Arguments
823///
824/// The `#[ink::storage_item]` macro can be provided with an additional comma-separated
825/// header argument:
826///
827/// - `derive: bool`
828///
829/// The `derive` configuration parameter is used to enable/disable auto deriving of
830/// all required storage traits.
831///
832/// **Usage Example:**
833/// ```
834/// use ink::storage::Mapping;
835/// use ink::storage::traits::{
836/// StorableHint,
837/// StorageKey,
838/// Storable,
839/// };
840///
841/// #[ink::storage_item(derive = false)]
842/// #[derive(StorableHint, Storable, StorageKey)]
843/// struct NonPackedGeneric<T: ink::storage::traits::Packed> {
844/// s1: u32,
845/// s2: Mapping<u128, T>,
846/// }
847/// ```
848///
849/// **Default value:** true.
850#[proc_macro_attribute]
851pub fn storage_item(attr: TokenStream, item: TokenStream) -> TokenStream {
852 storage_item::generate(attr.into(), item.into()).into()
853}
854
855/// Defines a unit test that makes use of ink!'s off-chain testing capabilities.
856///
857/// If your unit test does not require the existence of an off-chain environment
858/// it is fine to not use this macro since it bears some overhead with the test.
859///
860/// Note that this macro is not required to run unit tests that require ink!'s
861/// off-chain testing capabilities but merely improves code readability.
862///
863/// ## How do you find out if your test requires the off-chain environment?
864///
865/// Normally if the test recursively uses or invokes some contract methods that
866/// call a method defined in `self.env()` or `Self::env()`.
867///
868/// An examples is the following:
869///
870/// ```no_compile
871/// let caller: AccountId = self.env().caller();
872/// ```
873///
874/// # Example
875///
876/// ```
877/// #[cfg(test)]
878/// mod tests {
879/// // Conventional unit test that works with assertions.
880/// #[ink::test]
881/// fn test1() {
882/// // test code comes here as usual
883/// }
884///
885/// // Conventional unit test that returns some Result.
886/// // The test code can make use of operator-`?`.
887/// #[ink::test]
888/// fn test2() -> Result<(), ink_env::Error> {
889/// // test code that returns a Rust Result type
890/// }
891/// }
892/// ```
893#[proc_macro_attribute]
894pub fn test(attr: TokenStream, item: TokenStream) -> TokenStream {
895 ink_test::generate(attr.into(), item.into()).into()
896}
897
898/// Defines the interface for a chain extension.
899///
900/// # Structure
901///
902/// The interface consists of an error code that indicates lightweight errors
903/// as well as the definition of some chain extension methods.
904///
905/// The overall structure follows that of a simple Rust trait definition.
906/// The error code is defined as an associated type definition of the trait definition.
907/// The methods are defined as associated trait methods without implementation.
908///
909/// Chain extension methods must not have a `self` receiver such as `&self` or `&mut self`
910/// and must have inputs and output that implement the SCALE encoding and decoding.
911/// Their return value follows specific rules that can be altered using the
912/// `handle_status` attribute which is described in more detail below.
913///
914/// # Usage
915///
916/// Usually the chain extension definition using this procedural macro is provided
917/// by the author of the chain extension in a separate crate.
918/// ink! smart contracts using this chain extension simply depend on this crate
919/// and use its associated environment definition in order to make use of
920/// the methods provided by the chain extension.
921///
922/// # Macro Attributes
923///
924/// The macro supports only one required argument:
925///
926/// - `extension = N: u16`:
927///
928/// The runtime may have several chain extensions at the same time. The `extension`
929/// identifier points to the corresponding chain extension in the runtime.
930/// The value should be the same as during the definition of the chain extension.
931///
932/// # Method Attributes
933///
934/// There are three different attributes with which the chain extension methods
935/// can be flagged:
936///
937/// | Attribute | Required | Default Value | Description |
938/// |:----------|:--------:|:--------------|:-----------:|
939/// | `ink(function = N: u16)` | Yes | - | Determines the unique function ID within the
940/// chain extension. | | `ink(handle_status = flag: bool)` | Optional | `true` | Assumes
941/// that the returned status code of the chain extension method always indicates success
942/// and therefore always loads and decodes the output buffer of the call. |
943///
944/// As with all ink! attributes multiple of them can either appear in a contiguous list:
945/// ```
946/// # type Access = i32;
947/// # #[ink::chain_extension(extension = 1)]
948/// # pub trait MyChainExtension {
949/// # type ErrorCode = i32;
950/// #[ink(function = 5, handle_status = false)]
951/// fn key_access_for_account(key: &[u8], account: &[u8]) -> Access;
952/// # }
953/// ```
954/// …or as multiple stand alone ink! attributes applied to the same item:
955/// ```
956/// # type Access = i32;
957/// # #[ink::chain_extension(extension = 1)]
958/// # pub trait MyChainExtension {
959/// # type ErrorCode = i32;
960/// #[ink(function = 5)]
961/// #[ink(handle_status = false)]
962/// fn key_access_for_account(key: &[u8], account: &[u8]) -> Access;
963/// # }
964/// ```
965///
966/// ## Details: `handle_status`
967///
968/// Default value: `true`
969///
970/// By default all chain extension methods should return a `Result<T, E>` where `E:
971/// From<Self::ErrorCode>`. The `Self::ErrorCode` represents the error code of the chain
972/// extension. This means that a smart contract calling such a chain extension method
973/// first queries the returned status code of the chain extension method and only loads
974/// and decodes the output if the returned status code indicates a successful call.
975/// This design was chosen as it is more efficient when no output besides the error
976/// code is required for a chain extension call. When designing a chain extension try to
977/// utilize the error code to return errors and only use the output buffer for information
978/// that does not fit in a single `u32` value.
979///
980/// A chain extension method that is flagged with `handle_status = false` assumes that the
981/// returned error code will always indicate success. Therefore it will always load and
982/// decode the output buffer and loses the `E: From<Self::ErrorCode>` constraint for the
983/// call.
984///
985/// Note that if a chain extension method does not return `Result<T, E>` where `E:
986/// From<Self::ErrorCode>` but `handle_status = true` it will still return a value of type
987/// `Result<T, Self::ErrorCode>`.
988///
989/// ## Usage: `handle_status`
990///
991/// Use both `handle_status = false` and non-`Result<T, E>` return type for the same chain
992/// extension method if a call to it may never fail and never returns a `Result` type.
993///
994/// # Combinations
995///
996/// Due to the possibility to flag a chain extension method with `handle_status` and
997/// return or not `Result<T, E>` there are 4 different cases with slightly varying
998/// semantics:
999///
1000/// | `handle_status` | Returns `Result<T, E>` | Effects |
1001/// |:---------------:|:----------------:|:--------|
1002/// | `true` | `true` | The chain extension method is required to return a value of type
1003/// `Result<T, E>` where `E: From<Self::ErrorCode>`. A call will always check if the
1004/// returned status code indicates success and only then will load and decode the value in
1005/// the output buffer. | | `true` | `false` | The chain extension method may return any
1006/// non-`Result` type. A call will always check if the returned status code indicates
1007/// success and only then will load and decode the value in the output buffer. The actual
1008/// return type of the chain extension method is still `Result<T, Self::ErrorCode>` when
1009/// the chain extension method was defined to return a value of type `T`. | | `false` |
1010/// `true` | The chain extension method is required to return a value of type `Result<T,
1011/// E>`. A call will always assume that the returned status code indicates success and
1012/// therefore always load and decode the output buffer directly. | | `false` | `false` |
1013/// The chain extension method may return any non-`Result` type. A call will always assume
1014/// that the returned status code indicates success and therefore always load and decode
1015/// the output buffer directly. |
1016///
1017/// # Error Code
1018///
1019/// Every chain extension defines exactly one `ErrorCode` using the following syntax:
1020///
1021/// ```
1022/// #[ink::chain_extension(extension = 0)]
1023/// pub trait MyChainExtension {
1024/// type ErrorCode = MyErrorCode;
1025///
1026/// // more definitions
1027/// }
1028/// ```
1029///
1030/// The defined `ErrorCode` must implement `FromStatusCode` which should be implemented as
1031/// a more or less trivial conversion from the `u32` status code to a `Result<(),
1032/// Self::ErrorCode>`. The `Ok(())` value indicates that the call to the chain extension
1033/// method was successful.
1034///
1035/// By convention an error code of `0` represents success.
1036/// However, chain extension authors may use whatever suits their needs.
1037///
1038/// # Example: Definition
1039///
1040/// In the below example a chain extension is defined that allows its users to read and
1041/// write from and to the runtime storage using access privileges:
1042///
1043/// ```
1044/// /// Custom chain extension to read to and write from the runtime.
1045/// #[ink::chain_extension(extension = 0)]
1046/// pub trait RuntimeReadWrite {
1047/// type ErrorCode = ReadWriteErrorCode;
1048///
1049/// /// Reads from runtime storage.
1050/// ///
1051/// /// # Note
1052/// ///
1053/// /// Actually returns a value of type `Result<Vec<u8>, Self::ErrorCode>`.
1054/// #[ink(function = 1)]
1055/// fn read(key: &[u8]) -> Vec<u8>;
1056///
1057/// /// Reads from runtime storage.
1058/// ///
1059/// /// Returns the number of bytes read and up to 32 bytes of the
1060/// /// read value. Unused bytes in the output are set to 0.
1061/// ///
1062/// /// # Errors
1063/// ///
1064/// /// If the runtime storage cell stores a value that requires more than
1065/// /// 32 bytes.
1066/// ///
1067/// /// # Note
1068/// ///
1069/// /// This requires `ReadWriteError` to implement `From<ReadWriteErrorCode>`
1070/// /// and may potentially return any `Self::ErrorCode` through its return value.
1071/// #[ink(function = 2)]
1072/// fn read_small(key: &[u8]) -> Result<(u32, [u8; 32]), ReadWriteError>;
1073///
1074/// /// Writes into runtime storage.
1075/// ///
1076/// /// # Note
1077/// ///
1078/// /// Actually returns a value of type `Result<(), Self::ErrorCode>`.
1079/// #[ink(function = 3)]
1080/// fn write(key: &[u8], value: &[u8]);
1081///
1082/// /// Returns the access allowed for the key for the caller.
1083/// ///
1084/// /// # Note
1085/// ///
1086/// /// Assumes to never fail the call and therefore always returns `Option<Access>`.
1087/// #[ink(function = 4, handle_status = false)]
1088/// fn access(key: &[u8]) -> Option<Access>;
1089///
1090/// /// Unlocks previously acquired permission to access key.
1091/// ///
1092/// /// # Errors
1093/// ///
1094/// /// If the permission was not granted.
1095/// ///
1096/// /// # Note
1097/// ///
1098/// /// Assumes the call to never fail and therefore does _NOT_ require `UnlockAccessError`
1099/// /// to implement `From<Self::ErrorCode>` as in the `read_small` method above.
1100/// #[ink(function = 5, handle_status = false)]
1101/// fn unlock_access(key: &[u8], access: Access) -> Result<(), UnlockAccessError>;
1102/// }
1103/// # #[derive(scale::Encode, scale::Decode, scale_info::TypeInfo)]
1104/// # pub enum ReadWriteErrorCode {
1105/// # InvalidKey,
1106/// # CannotWriteToKey,
1107/// # CannotReadFromKey,
1108/// # }
1109/// # #[derive(scale::Encode, scale::Decode, scale_info::TypeInfo)]
1110/// # pub enum ReadWriteError {
1111/// # ErrorCode(ReadWriteErrorCode),
1112/// # BufferTooSmall { required_bytes: u32 },
1113/// # }
1114/// # impl From<ReadWriteErrorCode> for ReadWriteError {
1115/// # fn from(error_code: ReadWriteErrorCode) -> Self {
1116/// # Self::ErrorCode(error_code)
1117/// # }
1118/// # }
1119/// # impl From<scale::Error> for ReadWriteError {
1120/// # fn from(_: scale::Error) -> Self {
1121/// # panic!("encountered unexpected invalid SCALE encoding")
1122/// # }
1123/// # }
1124/// # #[derive(scale::Encode, scale::Decode, scale_info::TypeInfo)]
1125/// # pub struct UnlockAccessError {
1126/// # reason: String,
1127/// # }
1128/// # impl From<scale::Error> for UnlockAccessError {
1129/// # fn from(_: scale::Error) -> Self {
1130/// # panic!("encountered unexpected invalid SCALE encoding")
1131/// # }
1132/// # }
1133/// # #[derive(scale::Encode, scale::Decode, scale_info::TypeInfo, Clone)]
1134/// # pub enum Access {
1135/// # ReadWrite,
1136/// # ReadOnly,
1137/// # WriteOnly,
1138/// # }
1139/// # impl ink_env::chain_extension::FromStatusCode for ReadWriteErrorCode {
1140/// # fn from_status_code(status_code: u32) -> Result<(), Self> {
1141/// # match status_code {
1142/// # 0 => Ok(()),
1143/// # 1 => Err(Self::InvalidKey),
1144/// # 2 => Err(Self::CannotWriteToKey),
1145/// # 3 => Err(Self::CannotReadFromKey),
1146/// # _ => panic!("encountered unknown status code"),
1147/// # }
1148/// # }
1149/// # }
1150/// ```
1151///
1152/// All the error types and other utility types used in the chain extension definition
1153/// above are often required to implement various traits such as SCALE's `Encode` and
1154/// `Decode` as well as `scale-info`'s `TypeInfo` trait.
1155///
1156/// A full example of the above chain extension definition can be seen
1157/// [here](https://github.com/use-ink/ink/blob/017f71d60799b764425334f86b732cc7b7065fe6/crates/lang/macro/tests/ui/chain_extension/simple.rs).
1158///
1159/// # Example: Environment
1160///
1161/// In order to allow ink! smart contracts to use the above defined chain extension it
1162/// needs to be integrated into an `Environment` definition as shown below:
1163///
1164/// ```
1165/// # type RuntimeReadWrite = i32;
1166/// #
1167/// use ink_env::{
1168/// DefaultEnvironment,
1169/// Environment,
1170/// };
1171///
1172/// #[derive(Clone)]
1173/// pub enum CustomEnvironment {}
1174///
1175/// impl Environment for CustomEnvironment {
1176/// const MAX_EVENT_TOPICS: usize =
1177/// <DefaultEnvironment as Environment>::MAX_EVENT_TOPICS;
1178///
1179/// type AccountId = <DefaultEnvironment as Environment>::AccountId;
1180/// type Balance = <DefaultEnvironment as Environment>::Balance;
1181/// type Hash = <DefaultEnvironment as Environment>::Hash;
1182/// type BlockNumber = <DefaultEnvironment as Environment>::BlockNumber;
1183/// type Timestamp = <DefaultEnvironment as Environment>::Timestamp;
1184/// type EventRecord = <DefaultEnvironment as Environment>::EventRecord;
1185///
1186/// type ChainExtension = RuntimeReadWrite;
1187/// }
1188/// ```
1189///
1190/// Above we defined the `CustomEnvironment` which defaults to ink!'s `DefaultEnvironment`
1191/// for all constants and types but the `ChainExtension` type which is assigned to our
1192/// newly defined chain extension.
1193///
1194/// # Example: Usage
1195///
1196/// An ink! smart contract can use the above defined chain extension through the
1197/// `Environment` definition defined in the last example section using the `env` macro
1198/// parameter as shown below.
1199///
1200/// Note that chain extension methods are accessible through `Self::extension()` or
1201/// `self.extension()`. For example as in `Self::extension().read(...)` or
1202/// `self.extension().read(...)`.
1203///
1204/// ```
1205/// #[ink::contract(env = CustomEnvironment)]
1206/// mod read_writer {
1207/// #[ink(storage)]
1208/// pub struct ReadWriter {}
1209///
1210/// impl ReadWriter {
1211/// #[ink(constructor)]
1212/// pub fn new() -> Self { Self {} }
1213///
1214/// #[ink(message)]
1215/// pub fn read(&self, key: Vec<u8>) -> Result<Vec<u8>, ReadWriteErrorCode> {
1216/// self.env()
1217/// .extension()
1218/// .read(&key)
1219/// }
1220///
1221/// #[ink(message)]
1222/// pub fn read_small(&self, key: Vec<u8>) -> Result<(u32, [u8; 32]), ReadWriteError> {
1223/// self.env()
1224/// .extension()
1225/// .read_small(&key)
1226/// }
1227///
1228/// #[ink(message)]
1229/// pub fn write(
1230/// &self,
1231/// key: Vec<u8>,
1232/// value: Vec<u8>,
1233/// ) -> Result<(), ReadWriteErrorCode> {
1234/// self.env()
1235/// .extension()
1236/// .write(&key, &value)
1237/// }
1238///
1239/// #[ink(message)]
1240/// pub fn access(&self, key: Vec<u8>) -> Option<Access> {
1241/// self.env()
1242/// .extension()
1243/// .access(&key)
1244/// }
1245///
1246/// #[ink(message)]
1247/// pub fn unlock_access(&self, key: Vec<u8>, access: Access) -> Result<(), UnlockAccessError> {
1248/// self.env()
1249/// .extension()
1250/// .unlock_access(&key, access)
1251/// }
1252/// }
1253/// # /// Custom chain extension to read to and write from the runtime.
1254/// # #[ink::chain_extension(extension = 13)]
1255/// # pub trait RuntimeReadWrite {
1256/// # type ErrorCode = ReadWriteErrorCode;
1257/// # #[ink(function = 1)]
1258/// # fn read(key: &[u8]) -> Vec<u8>;
1259/// # #[ink(function = 2)]
1260/// # fn read_small(key: &[u8]) -> Result<(u32, [u8; 32]), ReadWriteError>;
1261/// # #[ink(function = 3)]
1262/// # fn write(key: &[u8], value: &[u8]);
1263/// # #[ink(function = 4, handle_status = false)]
1264/// # fn access(key: &[u8]) -> Option<Access>;
1265/// # #[ink(function = 5, handle_status = false)]
1266/// # fn unlock_access(key: &[u8], access: Access) -> Result<(), UnlockAccessError>;
1267/// # }
1268/// # #[derive(scale::Encode, scale::Decode, scale_info::TypeInfo)]
1269/// # pub enum ReadWriteErrorCode {
1270/// # InvalidKey,
1271/// # CannotWriteToKey,
1272/// # CannotReadFromKey,
1273/// # }
1274/// # #[derive(scale::Encode, scale::Decode, scale_info::TypeInfo)]
1275/// # pub enum ReadWriteError {
1276/// # ErrorCode(ReadWriteErrorCode),
1277/// # BufferTooSmall { required_bytes: u32 },
1278/// # }
1279/// # impl From<ReadWriteErrorCode> for ReadWriteError {
1280/// # fn from(error_code: ReadWriteErrorCode) -> Self {
1281/// # Self::ErrorCode(error_code)
1282/// # }
1283/// # }
1284/// # impl From<scale::Error> for ReadWriteError {
1285/// # fn from(_: scale::Error) -> Self {
1286/// # panic!("encountered unexpected invalid SCALE encoding")
1287/// # }
1288/// # }
1289/// # #[derive(scale::Encode, scale::Decode, scale_info::TypeInfo)]
1290/// # pub struct UnlockAccessError {
1291/// # reason: String,
1292/// # }
1293/// # impl From<scale::Error> for UnlockAccessError {
1294/// # fn from(_: scale::Error) -> Self {
1295/// # panic!("encountered unexpected invalid SCALE encoding")
1296/// # }
1297/// # }
1298/// # #[derive(scale::Encode, scale::Decode, scale_info::TypeInfo, Clone)]
1299/// # pub enum Access {
1300/// # ReadWrite,
1301/// # ReadOnly,
1302/// # WriteOnly,
1303/// # }
1304/// # impl ink_env::chain_extension::FromStatusCode for ReadWriteErrorCode {
1305/// # fn from_status_code(status_code: u32) -> Result<(), Self> {
1306/// # match status_code {
1307/// # 0 => Ok(()),
1308/// # 1 => Err(Self::InvalidKey),
1309/// # 2 => Err(Self::CannotWriteToKey),
1310/// # 3 => Err(Self::CannotReadFromKey),
1311/// # _ => panic!("encountered unknown status code"),
1312/// # }
1313/// # }
1314/// # }
1315/// # #[derive(Clone)]
1316/// # pub enum CustomEnvironment {}
1317/// # impl ink_env::Environment for CustomEnvironment {
1318/// # const MAX_EVENT_TOPICS: usize =
1319/// # <ink_env::DefaultEnvironment as ink_env::Environment>::MAX_EVENT_TOPICS;
1320/// #
1321/// # type AccountId = <ink_env::DefaultEnvironment as ink_env::Environment>::AccountId;
1322/// # type Balance = <ink_env::DefaultEnvironment as ink_env::Environment>::Balance;
1323/// # type Hash = <ink_env::DefaultEnvironment as ink_env::Environment>::Hash;
1324/// # type BlockNumber = <ink_env::DefaultEnvironment as ink_env::Environment>::BlockNumber;
1325/// # type Timestamp = <ink_env::DefaultEnvironment as ink_env::Environment>::Timestamp;
1326/// # type EventRecord = <ink_env::DefaultEnvironment as ink_env::Environment>::EventRecord;
1327/// #
1328/// # type ChainExtension = RuntimeReadWrite;
1329/// # }
1330/// }
1331/// ```
1332///
1333/// # Technical Limitations
1334///
1335/// - Due to technical limitations it is not possible to refer to the `ErrorCode`
1336/// associated type using `Self::ErrorCode` anywhere within the chain extension and its
1337/// defined methods. Instead chain extension authors should directly use the error code
1338/// type when required. This limitation might be lifted in future versions of ink!.
1339/// - It is not possible to declare other chain extension traits as super traits or super
1340/// chain extensions of another.
1341#[proc_macro_attribute]
1342pub fn chain_extension(attr: TokenStream, item: TokenStream) -> TokenStream {
1343 chain_extension::generate(attr.into(), item.into()).into()
1344}
1345
1346synstructure::decl_derive!(
1347 [Event, attributes(ink)] =>
1348 /// Derives an implementation of the [`ink::Event`] trait for the given `struct`.
1349 ///
1350 /// **Note** [`ink::Event`] requires [`scale::Encode`] implementation.
1351 ///
1352 /// Usually this is used in conjunction with the [`EventMetadata`] derive.
1353 ///
1354 /// For convenience there is the [`event`] attribute macro that will expand to all the necessary
1355 /// derives for an event implementation, including this one.
1356 ///
1357 /// # Example
1358 ///
1359 /// ```
1360 /// use ink::{
1361 /// Event,
1362 /// env::DefaultEnvironment,
1363 /// };
1364 /// use scale::Encode;
1365 ///
1366 /// #[derive(Event, Encode)]
1367 /// struct MyEvent {
1368 /// a: u32,
1369 /// #[ink(topic)]
1370 /// b: [u8; 32],
1371 /// }
1372 ///
1373 /// #[derive(Event, Encode)]
1374 /// #[ink(anonymous)] // anonymous events do not have a signature topic
1375 /// struct MyAnonEvent {
1376 /// a: u32,
1377 /// #[ink(topic)]
1378 /// b: [u8; 32],
1379 /// }
1380 ///
1381 /// ink_env::emit_event::<DefaultEnvironment, _>(MyEvent { a: 42, b: [0x42; 32] });
1382 /// ink_env::emit_event::<DefaultEnvironment, _>(MyAnonEvent { a: 42, b: [0x42; 32] });
1383 /// ```
1384 ///
1385 /// # The Signature Topic
1386 ///
1387 /// By default, the [`ink::Event::SIGNATURE_TOPIC`] is calculated as follows:
1388 ///
1389 /// `blake2b("EventStructName(field1_type_name,field2_type_name)")`
1390 ///
1391 /// The hashing of the topic is done at codegen time in the derive macro, and as such only has
1392 /// access to the **names** of the field types as they appear in the code. As such, if the
1393 /// name of a field of a struct changes, the signature topic will change too, even if the
1394 /// concrete type itself has not changed. This can happen with type aliases, generics, or a
1395 /// change in the use of a `path::to::Type` qualification.
1396 ///
1397 /// Practically this means that two otherwise identical event definitions will have different
1398 /// signature topics if the name of a field type differs. For example, the following two events
1399 /// will have different signature topics:
1400 ///
1401 /// ```
1402 /// #[derive(ink::Event, scale::Encode)]
1403 /// pub struct MyEvent {
1404 /// a: u32,
1405 /// }
1406 ///
1407 /// mod other_event {
1408 /// type MyU32 = u32;
1409 ///
1410 /// #[derive(ink::Event, scale::Encode)]
1411 /// pub struct MyEvent {
1412 /// a: MyU32,
1413 /// }
1414 /// }
1415 ///
1416 /// assert_ne!(<MyEvent as ink::env::Event>::SIGNATURE_TOPIC, <other_event::MyEvent as ink::env::Event>::SIGNATURE_TOPIC);
1417 /// ```
1418 ///
1419 /// ## Custom Signature
1420 ///
1421 /// Sometimes it is useful to specify the custom signature topic.
1422 /// For example, when the event definition from the other contract is not accessible.
1423 ///
1424 /// The macro provides `#[ink(signature_topic = _)]` nested macro that allows to provide
1425 /// 32 byte hex string of the custom signature topic.
1426 ///
1427 /// Generates custom signature topic
1428 /// ```
1429 /// #[derive(ink::Event, scale::Encode)]
1430 /// #[ink(signature_topic = "1111111111111111111111111111111111111111111111111111111111111111")]
1431 /// pub struct MyCustomSignatureEvent {
1432 /// pub field: u32,
1433 /// pub topic: [u8; 32],
1434 /// }
1435 ///
1436 /// assert_eq!(Some([17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17, 17]),
1437 /// <MyCustomSignatureEvent as ink::env::Event>::SIGNATURE_TOPIC)
1438 ///```
1439 /// ## Anonymous Events
1440 ///
1441 /// If the event is annotated with `#[ink(anonymous)]` then no signature topic is generated.
1442 /// `#[ink(signature_topic = _)]` should not be used.
1443 event::event_derive
1444);
1445
1446synstructure::decl_derive!(
1447 [EventMetadata] =>
1448 /// Derives the [`ink::EventMetadata`] trait for the given `struct`, which provides metadata
1449 /// about the event definition.
1450 ///
1451 /// Requires that the `struct` also implements the [`ink::Event`] trait,
1452 /// so this derive is usually used in combination with the [`Event`] derive.
1453 ///
1454 /// Metadata is not embedded into the contract binary, it is generated from a separate
1455 /// compilation of the contract with the `std` feature, therefore this derive must be
1456 /// conditionally compiled e.g. `#[cfg_attr(feature = "std", derive(::ink::EventMetadata))]`
1457 /// (see example below).
1458 ///
1459 /// For convenience there is the [`event`] attribute macro that will expand to all the necessary
1460 /// derives for an event implementation, including this one.
1461 ///
1462 /// # Example
1463 ///
1464 /// ```
1465 /// use ink::{
1466 /// Event,
1467 /// env::DefaultEnvironment,
1468 /// };
1469 /// use scale::Encode;
1470 ///
1471 /// #[cfg_attr(feature = "std", derive(::ink::EventMetadata))]
1472 /// #[derive(Event, Encode)]
1473 /// struct MyEvent {
1474 /// a: u32,
1475 /// #[ink(topic)]
1476 /// b: [u8; 32],
1477 /// }
1478 ///
1479 /// assert_eq!(<MyEvent as ink::metadata::EventMetadata>::event_spec().args().len(), 2);
1480 /// ```
1481 ///
1482 /// The generated code will also register this implementation with the global static distributed
1483 /// slice [`ink::metadata::EVENTS`], in order that the metadata of all events used in a contract
1484 /// can be collected.
1485 event::event_metadata_derive
1486);
1487
1488synstructure::decl_derive!(
1489 [Storable] =>
1490 /// Derives `ink::storage`'s `Storable` trait for the given `struct`, `enum` or `union`.
1491 ///
1492 /// # Examples
1493 ///
1494 /// ```
1495 /// use ink::storage::traits::Storable;
1496 ///
1497 /// #[derive(Storable)]
1498 /// struct NamedFields {
1499 /// a: u32,
1500 /// b: [u32; 1],
1501 /// }
1502 ///
1503 /// let value = <NamedFields as Storable>::decode(&mut &[123, 123][..]);
1504 /// ```
1505 storage::storable_derive
1506);
1507synstructure::decl_derive!(
1508 [StorableHint] =>
1509 /// Derives `ink::storage`'s `StorableHint` trait for the given `struct` or `enum`.
1510 ///
1511 /// If the type declaration contains generic `StorageKey`,
1512 /// it will use it as salt to generate a combined storage key.
1513 ///
1514 /// # Examples
1515 ///
1516 /// ```
1517 /// use ink::storage::traits::{
1518 /// Storable,
1519 /// StorableHint,
1520 /// StorageKey,
1521 /// AutoStorableHint,
1522 /// AutoKey,
1523 /// ManualKey,
1524 /// };
1525 ///
1526 /// #[derive(Default, StorableHint, Storable)]
1527 /// struct NamedFields {
1528 /// a: u32,
1529 /// b: [u32; 32],
1530 /// }
1531 ///
1532 /// let _: NamedFields = <NamedFields as StorableHint<AutoKey>>::Type::default();
1533 /// let _: NamedFields = <NamedFields as StorableHint<ManualKey<123>>>::Type::default();
1534 /// ```
1535 storage::storable_hint_derive
1536);
1537synstructure::decl_derive!(
1538 [StorageKey] =>
1539 /// Derives `ink::storage`'s `StorageKey` trait for the given `struct` or `enum`.
1540 ///
1541 /// # Examples
1542 ///
1543 /// ```
1544 /// use ink::storage::traits::{
1545 /// AutoStorableHint,
1546 /// StorageKey,
1547 /// ManualKey,
1548 /// AutoKey,
1549 /// };
1550 ///
1551 /// #[derive(StorageKey)]
1552 /// struct NamedFields {
1553 /// a: u32,
1554 /// b: [u32; 32],
1555 /// }
1556 ///
1557 /// assert_eq!(<NamedFields as StorageKey>::KEY, 0);
1558 ///
1559 /// #[derive(StorageKey)]
1560 /// struct NamedFieldsManualKey<KEY: StorageKey> {
1561 /// a: <u32 as AutoStorableHint<ManualKey<0, KEY>>>::Type,
1562 /// b: <[u32; 32] as AutoStorableHint<ManualKey<1, KEY>>>::Type,
1563 /// }
1564 ///
1565 /// assert_eq!(<NamedFieldsManualKey<()> as StorageKey>::KEY, 0);
1566 /// assert_eq!(<NamedFieldsManualKey<AutoKey> as StorageKey>::KEY, 0);
1567 /// assert_eq!(<NamedFieldsManualKey<ManualKey<123>> as StorageKey>::KEY, 123);
1568 /// ```
1569 storage::storage_key_derive
1570);
1571synstructure::decl_derive!(
1572 [StorageLayout] =>
1573 /// Derives `ink::storage`'s `StorageLayout` trait for the given `struct` or `enum`.
1574 ///
1575 /// # Examples
1576 ///
1577 /// ```
1578 /// use ink_metadata::layout::Layout::Struct;
1579 /// use ink::storage::traits::StorageLayout;
1580 ///
1581 /// #[derive(StorageLayout)]
1582 /// struct NamedFields {
1583 /// a: u32,
1584 /// b: [u32; 32],
1585 /// }
1586 ///
1587 /// let key = 0x123;
1588 /// let mut value = NamedFields {
1589 /// a: 123,
1590 /// b: [22; 32],
1591 /// };
1592 ///
1593 /// if let Struct(layout) = <NamedFields as StorageLayout>::layout(&key) {
1594 /// assert_eq!(*layout.fields()[0].name(), "a");
1595 /// assert_eq!(*layout.fields()[1].name(), "b");
1596 /// }
1597 /// ```
1598 storage::storage_layout_derive
1599);
1600
1601/// Derive the re-exported traits `ink::scale::Encode`, `ink::scale::Decode` and
1602/// `ink::scale_info::TypeInfo`. It enables using the built in derive macros for these
1603/// traits without depending directly on the `parity-scale-codec` and `scale-info` crates.
1604///
1605/// # Options
1606/// - `Encode`: derives `ink::scale::Encode`
1607/// - `Decode`: derives `ink::scale::Decode`
1608/// - `TypeInfo`: derives `ink::scale_info::TypeInfo`
1609///
1610/// # Examples
1611///
1612/// ```
1613/// #[ink::scale_derive(Encode, Decode, TypeInfo)]
1614/// pub enum Error {}
1615/// ```
1616/// This is a convenience macro that expands to include the additional `crate` attributes
1617/// required for the path of the re-exported crates.
1618///
1619/// ```
1620/// #[derive(::ink::scale::Encode, ::ink::scale::Decode)]
1621/// #[codec(crate = ::ink::scale)]
1622/// #[cfg_attr(
1623/// feature = "std",
1624/// derive(::scale_info::TypeInfo),
1625/// scale_info(crate = ::ink::scale_info)
1626/// )]
1627/// pub enum Error {}
1628/// ```
1629#[proc_macro_attribute]
1630pub fn scale_derive(attr: TokenStream, item: TokenStream) -> TokenStream {
1631 match scale::derive(attr.into(), item.into()) {
1632 Ok(output) => output.into(),
1633 Err(err) => err.to_compile_error().into(),
1634 }
1635}
1636
1637#[cfg(test)]
1638pub use contract::generate_or_err;