ink_ir/ir/event/
mod.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
15mod config;
16mod signature_topic;
17
18use config::EventConfig;
19use proc_macro2::{
20    Span,
21    TokenStream as TokenStream2,
22};
23use quote::ToTokens;
24use syn::spanned::Spanned as _;
25
26use crate::{
27    error::ExtError,
28    ir,
29    utils::extract_cfg_attributes,
30};
31
32pub use signature_topic::SignatureTopicArg;
33
34/// A checked ink! event with its configuration.
35#[derive(Debug, PartialEq, Eq)]
36pub struct Event {
37    item: syn::ItemStruct,
38    config: EventConfig,
39}
40
41impl Event {
42    /// Returns `Ok` if the input matches all requirements for an ink! event.
43    pub fn new(config: TokenStream2, item: TokenStream2) -> Result<Self, syn::Error> {
44        let item = syn::parse2::<syn::ItemStruct>(item.clone()).map_err(|err| {
45            err.into_combine(format_err_spanned!(
46                item,
47                "event definition must be a `struct`",
48            ))
49        })?;
50        let parsed_config = syn::parse2::<crate::ast::AttributeArgs>(config)?;
51        let config = EventConfig::try_from(parsed_config)?;
52
53        for attr in &item.attrs {
54            if attr.path().to_token_stream().to_string().contains("event") {
55                return Err(format_err_spanned!(
56                    attr,
57                    "only one `ink::event` is allowed",
58                ));
59            }
60        }
61
62        Ok(Self { item, config })
63    }
64
65    /// Returns the event definition .
66    pub fn item(&self) -> &syn::ItemStruct {
67        &self.item
68    }
69
70    /// Returns `true` if the first ink! annotation on the given struct is
71    /// `#[ink(event)]`.
72    ///
73    /// # Errors
74    ///
75    /// If the first found ink! attribute is malformed.
76    ///
77    /// # Note
78    ///
79    /// This is used for legacy "inline" event definitions, i.e. event definitions that
80    /// are defined within a module annotated with `#[ink::contract]`.
81    pub(super) fn is_ink_event(
82        item_struct: &syn::ItemStruct,
83    ) -> Result<bool, syn::Error> {
84        if !ir::contains_ink_attributes(&item_struct.attrs) {
85            return Ok(false);
86        }
87        // At this point we know that there must be at least one ink!
88        // attribute. This can be either the ink! storage struct,
89        // an ink! event or an invalid ink! attribute.
90        let attr = ir::first_ink_attribute(&item_struct.attrs)?
91            .expect("missing expected ink! attribute for struct");
92        Ok(matches!(attr.first().kind(), ir::AttributeArg::Event))
93    }
94
95    /// Returns if the event is marked as anonymous, if true then no signature topic is
96    /// generated or emitted.
97    pub fn anonymous(&self) -> bool {
98        self.config.anonymous()
99    }
100
101    /// Return manually specified signature topic hash.
102    ///
103    /// # Note
104    ///
105    /// Conflicts with `anonymous`
106    pub fn signature_topic_hex(&self) -> Option<&str> {
107        self.config.signature_topic_hex()
108    }
109
110    /// Returns a list of `cfg` attributes if any.
111    pub fn get_cfg_attrs(&self, span: Span) -> Vec<TokenStream2> {
112        extract_cfg_attributes(&self.item.attrs, span)
113    }
114}
115
116impl ToTokens for Event {
117    /// We mainly implement this trait for this ink! type to have a derived
118    /// [`Spanned`](`syn::spanned::Spanned`) implementation for it.
119    fn to_tokens(&self, tokens: &mut proc_macro2::TokenStream) {
120        self.item.to_tokens(tokens)
121    }
122}
123
124impl TryFrom<syn::ItemStruct> for Event {
125    type Error = syn::Error;
126
127    fn try_from(item_struct: syn::ItemStruct) -> Result<Self, Self::Error> {
128        let struct_span = item_struct.span();
129        let (ink_attrs, other_attrs) = ir::sanitize_attributes(
130            struct_span,
131            item_struct.attrs.clone(),
132            &ir::AttributeArgKind::Event,
133            |arg| {
134                match arg.kind() {
135                    ir::AttributeArg::Event
136                    | ir::AttributeArg::SignatureTopic(_)
137                    | ir::AttributeArg::Anonymous => Ok(()),
138                    _ => Err(None),
139                }
140            },
141        )?;
142        if ink_attrs.is_anonymous() && ink_attrs.signature_topic_hex().is_some() {
143            return Err(format_err_spanned!(
144                item_struct,
145                "cannot use use `anonymous` with `signature_topic`",
146            ));
147        }
148        Ok(Self {
149            item: syn::ItemStruct {
150                attrs: other_attrs,
151                ..item_struct
152            },
153            config: EventConfig::new(
154                ink_attrs.is_anonymous(),
155                ink_attrs.signature_topic_hex(),
156            ),
157        })
158    }
159}
160
161#[cfg(test)]
162mod tests {
163    use super::*;
164
165    #[test]
166    fn simple_try_from_works() {
167        let s = "11".repeat(32);
168        let item_struct: syn::ItemStruct = syn::parse_quote! {
169            #[ink(event)]
170            #[ink(signature_topic = #s)]
171            pub struct MyEvent {
172                #[ink(topic)]
173                field_1: i32,
174                field_2: bool,
175            }
176        };
177        assert!(Event::try_from(item_struct).is_ok());
178    }
179
180    fn assert_try_from_fails(item_struct: syn::ItemStruct, expected: &str) {
181        assert_eq!(
182            Event::try_from(item_struct).map_err(|err| err.to_string()),
183            Err(expected.to_string())
184        )
185    }
186
187    #[test]
188    fn conflicting_struct_attributes_fails() {
189        assert_try_from_fails(
190            syn::parse_quote! {
191                #[ink(event)]
192                #[ink(storage)]
193                pub struct MyEvent {
194                    #[ink(topic)]
195                    field_1: i32,
196                    field_2: bool,
197                }
198            },
199            "encountered conflicting ink! attribute argument",
200        )
201    }
202
203    #[test]
204    fn duplicate_struct_attributes_fails() {
205        assert_try_from_fails(
206            syn::parse_quote! {
207                #[ink(event)]
208                #[ink(event)]
209                pub struct MyEvent {
210                    #[ink(topic)]
211                    field_1: i32,
212                    field_2: bool,
213                }
214            },
215            "encountered duplicate ink! attribute",
216        );
217        assert_try_from_fails(
218            syn::parse_quote! {
219                #[ink(event)]
220                #[ink(anonymous)]
221                #[ink(anonymous)]
222                pub struct MyEvent {
223                    #[ink(topic)]
224                    field_1: i32,
225                    field_2: bool,
226                }
227            },
228            "encountered duplicate ink! attribute",
229        );
230        let s = "11".repeat(32);
231        assert_try_from_fails(
232            syn::parse_quote! {
233                #[ink(event)]
234                #[ink(signature_topic = #s)]
235                #[ink(signature_topic = #s)]
236                pub struct MyEvent {
237                    #[ink(topic)]
238                    field_1: i32,
239                    field_2: bool,
240                }
241            },
242            "encountered duplicate ink! attribute",
243        );
244    }
245
246    #[test]
247    fn wrong_first_struct_attribute_fails() {
248        assert_try_from_fails(
249            syn::parse_quote! {
250                #[ink(storage)]
251                #[ink(event)]
252                pub struct MyEvent {
253                    #[ink(topic)]
254                    field_1: i32,
255                    field_2: bool,
256                }
257            },
258            "unexpected first ink! attribute argument",
259        )
260    }
261
262    #[test]
263    fn missing_event_attribute_fails() {
264        assert_try_from_fails(
265            syn::parse_quote! {
266                pub struct MyEvent {
267                    #[ink(topic)]
268                    field_1: i32,
269                    field_2: bool,
270                }
271            },
272            "encountered unexpected empty expanded ink! attribute arguments",
273        )
274    }
275
276    #[test]
277    fn anonymous_event_works() {
278        fn assert_anonymous_event(event: syn::ItemStruct) {
279            match Event::try_from(event) {
280                Ok(event) => {
281                    assert!(event.anonymous());
282                }
283                Err(_) => panic!("encountered unexpected invalid anonymous event"),
284            }
285        }
286        assert_anonymous_event(syn::parse_quote! {
287            #[ink(event)]
288            #[ink(anonymous)]
289            pub struct MyEvent {
290                #[ink(topic)]
291                field_1: i32,
292                field_2: bool,
293            }
294        });
295        assert_anonymous_event(syn::parse_quote! {
296            #[ink(event, anonymous)]
297            pub struct MyEvent {
298                #[ink(topic)]
299                field_1: i32,
300                field_2: bool,
301            }
302        });
303    }
304    #[test]
305    fn signature_conflict_fails() {
306        let s = "11".repeat(32);
307        assert_try_from_fails(
308            syn::parse_quote! {
309                #[ink(event)]
310                #[ink(anonymous)]
311                #[ink(signature_topic = #s)]
312                pub struct MyEvent {
313                    #[ink(topic)]
314                    field_1: i32,
315                    field_2: bool,
316                }
317            },
318            "cannot use use `anonymous` with `signature_topic`",
319        )
320    }
321}