1use super::{
16 ensure_callable_invariants,
17 Callable,
18 CallableKind,
19 InputsIter,
20 Visibility,
21};
22use crate::ir::{
23 self,
24 attrs::SelectorOrWildcard,
25 utils,
26 utils::{
27 extract_cfg_attributes,
28 extract_cfg_syn_attributes,
29 },
30};
31use proc_macro2::{
32 Ident,
33 Span,
34 TokenStream,
35};
36use syn::spanned::Spanned as _;
37
38#[derive(Debug, Copy, Clone, PartialEq, Eq)]
40pub enum Receiver {
41 Ref,
43 RefMut,
45}
46
47impl quote::ToTokens for Receiver {
48 fn to_tokens(&self, tokens: &mut proc_macro2::TokenStream) {
49 let receiver = match self {
50 Self::Ref => quote::quote! { &self },
51 Self::RefMut => quote::quote! { &mut self },
52 };
53 tokens.extend(receiver);
54 }
55}
56
57impl Receiver {
58 pub fn is_ref(self) -> bool {
60 matches!(self, Self::Ref)
61 }
62
63 pub fn is_ref_mut(self) -> bool {
65 matches!(self, Self::RefMut)
66 }
67}
68
69#[derive(Debug, PartialEq, Eq)]
101pub struct Message {
102 pub(super) item: syn::ImplItemFn,
104 is_payable: bool,
106 is_default: bool,
108 selector: Option<SelectorOrWildcard>,
115}
116
117impl quote::ToTokens for Message {
118 fn to_tokens(&self, tokens: &mut proc_macro2::TokenStream) {
121 self.item.to_tokens(tokens)
122 }
123}
124
125impl Message {
126 fn ensure_receiver_is_self_ref(
136 method_item: &syn::ImplItemFn,
137 ) -> Result<(), syn::Error> {
138 let mut fn_args = method_item.sig.inputs.iter();
139 fn bail(span: Span) -> syn::Error {
140 format_err!(
141 span,
142 "ink! messages must have `&self` or `&mut self` receiver",
143 )
144 }
145 match fn_args.next() {
146 None => return Err(bail(method_item.span())),
147 Some(syn::FnArg::Typed(pat_typed)) => return Err(bail(pat_typed.span())),
148 Some(syn::FnArg::Receiver(receiver)) => {
149 if receiver.reference.is_none() {
150 return Err(bail(receiver.span()))
151 }
152 }
153 }
154 Ok(())
155 }
156
157 fn ensure_not_return_self(method_item: &syn::ImplItemFn) -> Result<(), syn::Error> {
163 match &method_item.sig.output {
164 syn::ReturnType::Default => (),
165 syn::ReturnType::Type(_arrow, ret_type) => {
166 if let syn::Type::Path(type_path) = &**ret_type {
167 if type_path.path.is_ident("Self") {
168 return Err(format_err!(
169 ret_type,
170 "ink! messages must not return `Self`"
171 ))
172 }
173 }
174 }
175 }
176 Ok(())
177 }
178
179 fn sanitize_attributes(
183 method_item: &syn::ImplItemFn,
184 ) -> Result<(ir::InkAttribute, Vec<syn::Attribute>), syn::Error> {
185 ir::sanitize_attributes(
186 method_item.span(),
187 method_item.attrs.clone(),
188 &ir::AttributeArgKind::Message,
189 |arg| {
190 match arg.kind() {
191 ir::AttributeArg::Message
192 | ir::AttributeArg::Payable
193 | ir::AttributeArg::Default
194 | ir::AttributeArg::Selector(_) => Ok(()),
195 _ => Err(None),
196 }
197 },
198 )
199 }
200}
201
202impl TryFrom<syn::ImplItemFn> for Message {
203 type Error = syn::Error;
204
205 fn try_from(method_item: syn::ImplItemFn) -> Result<Self, Self::Error> {
206 ensure_callable_invariants(&method_item, CallableKind::Message)?;
207 Self::ensure_receiver_is_self_ref(&method_item)?;
208 Self::ensure_not_return_self(&method_item)?;
209 let (ink_attrs, other_attrs) = Self::sanitize_attributes(&method_item)?;
210 let is_payable = ink_attrs.is_payable();
211 let is_default = ink_attrs.is_default();
212 let selector = ink_attrs.selector();
213 Ok(Self {
214 is_payable,
215 is_default,
216 selector,
217 item: syn::ImplItemFn {
218 attrs: other_attrs,
219 ..method_item
220 },
221 })
222 }
223}
224
225impl Callable for Message {
226 fn kind(&self) -> CallableKind {
227 CallableKind::Message
228 }
229
230 fn ident(&self) -> &Ident {
231 &self.item.sig.ident
232 }
233
234 fn user_provided_selector(&self) -> Option<&ir::Selector> {
235 if let Some(SelectorOrWildcard::UserProvided(selector)) = self.selector.as_ref() {
236 return Some(selector)
237 }
238 None
239 }
240
241 fn has_wildcard_selector(&self) -> bool {
242 matches!(self.selector, Some(SelectorOrWildcard::Wildcard))
243 }
244
245 fn has_wildcard_complement_selector(&self) -> bool {
246 self.selector == Some(SelectorOrWildcard::wildcard_complement())
247 }
248
249 fn is_payable(&self) -> bool {
250 self.is_payable
251 }
252
253 fn is_default(&self) -> bool {
254 self.is_default
255 }
256
257 fn visibility(&self) -> Visibility {
258 match &self.item.vis {
259 syn::Visibility::Public(vis_public) => Visibility::Public(*vis_public),
260 syn::Visibility::Inherited => Visibility::Inherited,
261 _ => unreachable!("encountered invalid visibility for ink! message"),
262 }
263 }
264
265 fn inputs(&self) -> InputsIter {
266 InputsIter::from(self)
267 }
268
269 fn inputs_span(&self) -> Span {
270 self.item.sig.inputs.span()
271 }
272
273 fn statements(&self) -> &[syn::Stmt] {
274 &self.item.block.stmts
275 }
276}
277
278impl Message {
279 pub fn attrs(&self) -> &[syn::Attribute] {
281 &self.item.attrs
282 }
283
284 pub fn get_cfg_attrs(&self, span: Span) -> Vec<TokenStream> {
286 extract_cfg_attributes(self.attrs(), span)
287 }
288
289 pub fn get_cfg_syn_attrs(&self) -> Vec<syn::Attribute> {
291 extract_cfg_syn_attributes(self.attrs())
292 }
293
294 pub fn receiver(&self) -> Receiver {
296 match self.item.sig.inputs.iter().next() {
297 Some(syn::FnArg::Receiver(receiver)) => {
298 debug_assert!(receiver.reference.is_some());
299 if receiver.mutability.is_some() {
300 Receiver::RefMut
301 } else {
302 Receiver::Ref
303 }
304 }
305 _ => unreachable!("encountered invalid receiver argument for ink! message"),
306 }
307 }
308
309 pub fn output(&self) -> Option<&syn::Type> {
311 match &self.item.sig.output {
312 syn::ReturnType::Default => None,
313 syn::ReturnType::Type(_, return_type) => Some(return_type),
314 }
315 }
316
317 pub fn wrapped_output(&self) -> syn::Type {
322 let return_type = self
323 .output()
324 .map(quote::ToTokens::to_token_stream)
325 .unwrap_or_else(|| quote::quote! { () });
326
327 syn::parse_quote! {
328 ::ink::MessageResult<#return_type>
329 }
330 }
331
332 pub fn local_id(&self) -> u32 {
341 utils::local_message_id(self.ident())
342 }
343
344 pub fn try_ident(&self) -> Ident {
346 quote::format_ident!("try_{}", self.ident())
347 }
348}
349
350#[cfg(test)]
351mod tests {
352 use super::*;
353
354 #[test]
355 fn output_works() {
356 let test_inputs: Vec<(Option<syn::Type>, syn::ImplItemFn)> = vec![
357 (
358 None,
360 syn::parse_quote! {
361 #[ink(message)]
362 fn my_message(&self) {}
363 },
364 ),
365 (
366 Some(syn::parse_quote! { i32 }),
368 syn::parse_quote! {
369 #[ink(message)]
370 fn my_message(&self) -> i32 {}
371 },
372 ),
373 (
374 Some(syn::parse_quote! { (i32, u64, bool) }),
376 syn::parse_quote! {
377 #[ink(message)]
378 fn my_message(&self) -> (i32, u64, bool) {}
379 },
380 ),
381 ];
382 for (expected_output, item_method) in test_inputs {
383 let actual_output = <ir::Message as TryFrom<_>>::try_from(item_method)
384 .unwrap()
385 .output()
386 .cloned();
387 assert_eq!(actual_output, expected_output);
388 }
389 }
390
391 #[test]
392 fn inputs_works() {
393 macro_rules! expected_input {
394 ( mut $name:ident: $ty:ty ) => {{
395 syn::parse_quote! {
396 mut $name: $ty
397 }
398 }};
399 ( $name:ident: $ty:ty ) => {{
400 syn::parse_quote! {
401 $name: $ty
402 }
403 }};
404 }
405 macro_rules! expected_inputs {
406 ( $( $($ts:ident)+: $ty:ty ),* ) => {{
407 vec![
408 $(
409 expected_input!($($ts)+: $ty)
410 ),*
411 ]
412 }};
413 }
414 let test_inputs: Vec<(Vec<syn::FnArg>, syn::ImplItemFn)> = vec![
415 (
416 expected_inputs!(),
418 syn::parse_quote! {
419 #[ink(message)]
420 fn my_message(&self) {}
421 },
422 ),
423 (
424 expected_inputs!(a: i32),
426 syn::parse_quote! {
427 #[ink(message)]
428 fn my_message(&self, a: i32) {}
429 },
430 ),
431 (
432 expected_inputs!(mut a: i32),
434 syn::parse_quote! {
435 #[ink(message)]
436 fn my_message(&self, mut a: i32) {}
437 },
438 ),
439 (
440 expected_inputs!(a: i32, b: u64, mut c: [u8; 32]),
442 syn::parse_quote! {
443 #[ink(message)]
444 fn my_message(&self, a: i32, b: u64, mut c: [u8; 32]) {}
445 },
446 ),
447 ];
448 for (expected_inputs, item_method) in test_inputs {
449 let actual_inputs = <ir::Message as TryFrom<_>>::try_from(item_method)
450 .unwrap()
451 .inputs()
452 .cloned()
453 .map(syn::FnArg::Typed)
454 .collect::<Vec<_>>();
455 assert_eq!(actual_inputs, expected_inputs);
456 }
457 }
458
459 #[test]
460 fn is_payable_works() {
461 let test_inputs: Vec<(bool, syn::ImplItemFn)> = vec![
462 (
464 false,
465 syn::parse_quote! {
466 #[ink(message)]
467 fn my_message(&self) {}
468 },
469 ),
470 (
472 true,
473 syn::parse_quote! {
474 #[ink(message, payable)]
475 pub fn my_message(&self) {}
476 },
477 ),
478 (
480 true,
481 syn::parse_quote! {
482 #[ink(message)]
483 #[ink(payable)]
484 pub fn my_message(&self) {}
485 },
486 ),
487 (
489 true,
490 syn::parse_quote! {
491 #[ink(message)]
492 #[ink(selector = 0xDEADBEEF, payable)]
493 pub fn my_message(&self) {}
494 },
495 ),
496 ];
497 for (expect_payable, item_method) in test_inputs {
498 let is_payable = <ir::Message as TryFrom<_>>::try_from(item_method)
499 .unwrap()
500 .is_payable();
501 assert_eq!(is_payable, expect_payable);
502 }
503 }
504
505 #[test]
506 fn is_default_works() {
507 let test_inputs: Vec<(bool, syn::ImplItemFn)> = vec![
508 (
510 false,
511 syn::parse_quote! {
512 #[ink(message)]
513 fn my_message(&self) {}
514 },
515 ),
516 (
518 true,
519 syn::parse_quote! {
520 #[ink(message, payable, default)]
521 pub fn my_message(&self) {}
522 },
523 ),
524 ];
525 for (expect_default, item_method) in test_inputs {
526 let is_default = <ir::Message as TryFrom<_>>::try_from(item_method)
527 .unwrap()
528 .is_default();
529 assert_eq!(is_default, expect_default);
530 }
531 }
532
533 #[test]
534 fn receiver_works() {
535 let test_inputs: Vec<(Receiver, syn::ImplItemFn)> = vec![
536 (
537 Receiver::Ref,
538 syn::parse_quote! {
539 #[ink(message)]
540 fn my_message(&self) {}
541 },
542 ),
543 (
544 Receiver::RefMut,
545 syn::parse_quote! {
546 #[ink(message, payable)]
547 fn my_message(&mut self) {}
548 },
549 ),
550 ];
551 for (expected_receiver, item_method) in test_inputs {
552 let actual_receiver = <ir::Message as TryFrom<_>>::try_from(item_method)
553 .unwrap()
554 .receiver();
555 assert_eq!(actual_receiver, expected_receiver);
556 }
557 }
558
559 #[test]
560 fn visibility_works() {
561 let test_inputs: Vec<(bool, syn::ImplItemFn)> = vec![
562 (
564 false,
565 syn::parse_quote! {
566 #[ink(message)]
567 fn my_message(&self) {}
568 },
569 ),
570 (
572 true,
573 syn::parse_quote! {
574 #[ink(message)]
575 pub fn my_message(&self) {}
576 },
577 ),
578 (
580 false,
581 syn::parse_quote! {
582 #[ink(message)]
583 fn my_message(&mut self) {}
584 },
585 ),
586 (
588 true,
589 syn::parse_quote! {
590 #[ink(message)]
591 pub fn my_message(&mut self) {}
592 },
593 ),
594 ];
595 for (is_pub, item_method) in test_inputs {
596 let visibility = <ir::Message as TryFrom<_>>::try_from(item_method)
597 .unwrap()
598 .visibility();
599 assert_eq!(visibility.is_pub(), is_pub);
600 assert_eq!(visibility.is_inherited(), !is_pub);
601 }
602 }
603
604 #[test]
605 fn try_from_works() {
606 let item_methods: Vec<syn::ImplItemFn> = vec![
607 syn::parse_quote! {
609 #[ink(message)]
610 fn my_message(&self) {}
611 },
612 syn::parse_quote! {
614 #[ink(message)]
615 pub fn my_message(&self) {}
616 },
617 syn::parse_quote! {
619 #[ink(message)]
620 fn my_message(&mut self) {}
621 },
622 syn::parse_quote! {
624 #[ink(message)]
625 pub fn my_message(&mut self) {}
626 },
627 syn::parse_quote! {
629 #[ink(message, payable)]
630 fn my_message(&self) {}
631 },
632 syn::parse_quote! {
634 #[ink(message, payable)]
635 fn my_message(&mut self) {}
636 },
637 syn::parse_quote! {
639 #[ink(message)]
640 fn my_message(&self, input1: i32, input2: i64, input3: u32, input4: u64) -> bool {}
641 },
642 syn::parse_quote! {
644 #[ink(message)]
645 fn my_message(&mut self, input1: i32, input2: i64, input3: u32, input4: u64) -> bool {}
646 },
647 ];
648 for item_method in item_methods {
649 assert!(<ir::Message as TryFrom<_>>::try_from(item_method).is_ok());
650 }
651 }
652
653 fn assert_try_from_fails(item_method: syn::ImplItemFn, expected_err: &str) {
654 assert_eq!(
655 <ir::Message as TryFrom<_>>::try_from(item_method)
656 .map_err(|err| err.to_string()),
657 Err(expected_err.to_string()),
658 );
659 }
660
661 #[test]
662 fn try_from_generics_fails() {
663 let item_methods: Vec<syn::ImplItemFn> = vec![
664 syn::parse_quote! {
665 #[ink(message)]
666 fn my_message<T>(&self) {}
667 },
668 syn::parse_quote! {
669 #[ink(message)]
670 pub fn my_message<T>(&self) {}
671 },
672 syn::parse_quote! {
673 #[ink(message)]
674 fn my_message<T>(&mut self) {}
675 },
676 syn::parse_quote! {
677 #[ink(message)]
678 pub fn my_message<T>(&mut self) {}
679 },
680 ];
681 for item_method in item_methods {
682 assert_try_from_fails(item_method, "ink! messages must not be generic")
683 }
684 }
685
686 #[test]
687 fn try_from_receiver_fails() {
688 let item_methods: Vec<syn::ImplItemFn> = vec![
689 syn::parse_quote! {
690 #[ink(message)]
691 fn my_message() {}
692 },
693 syn::parse_quote! {
694 #[ink(message)]
695 fn my_message(self) {}
696 },
697 syn::parse_quote! {
698 #[ink(message)]
699 pub fn my_message(mut self) {}
700 },
701 syn::parse_quote! {
702 #[ink(message)]
703 fn my_message(this: &Self) {}
704 },
705 syn::parse_quote! {
706 #[ink(message)]
707 pub fn my_message(this: &mut Self) {}
708 },
709 ];
710 for item_method in item_methods {
711 assert_try_from_fails(
712 item_method,
713 "ink! messages must have `&self` or `&mut self` receiver",
714 )
715 }
716 }
717
718 #[test]
719 fn try_from_const_fails() {
720 let item_methods: Vec<syn::ImplItemFn> = vec![
721 syn::parse_quote! {
723 #[ink(message)]
724 const fn my_message(&self) {}
725 },
726 syn::parse_quote! {
728 #[ink(message)]
729 const fn my_message(&mut self) {}
730 },
731 ];
732 for item_method in item_methods {
733 assert_try_from_fails(item_method, "ink! messages must not be const")
734 }
735 }
736
737 #[test]
738 fn try_from_async_fails() {
739 let item_methods: Vec<syn::ImplItemFn> = vec![
740 syn::parse_quote! {
742 #[ink(message)]
743 async fn my_message(&self) {}
744 },
745 syn::parse_quote! {
747 #[ink(message)]
748 async fn my_message(&mut self) {}
749 },
750 ];
751 for item_method in item_methods {
752 assert_try_from_fails(item_method, "ink! messages must not be async")
753 }
754 }
755
756 #[test]
757 fn try_from_unsafe_fails() {
758 let item_methods: Vec<syn::ImplItemFn> = vec![
759 syn::parse_quote! {
761 #[ink(message)]
762 unsafe fn my_message(&self) {}
763 },
764 syn::parse_quote! {
766 #[ink(message)]
767 unsafe fn my_message(&mut self) {}
768 },
769 ];
770 for item_method in item_methods {
771 assert_try_from_fails(item_method, "ink! messages must not be unsafe")
772 }
773 }
774
775 #[test]
776 fn try_from_explicit_abi_fails() {
777 let item_methods: Vec<syn::ImplItemFn> = vec![
778 syn::parse_quote! {
780 #[ink(message)]
781 extern "C" fn my_message(&self) {}
782 },
783 syn::parse_quote! {
785 #[ink(message)]
786 extern "C" fn my_message(&mut self) {}
787 },
788 ];
789 for item_method in item_methods {
790 assert_try_from_fails(item_method, "ink! messages must not have explicit ABI")
791 }
792 }
793
794 #[test]
795 fn try_from_variadic_fails() {
796 let item_methods: Vec<syn::ImplItemFn> = vec![
797 syn::parse_quote! {
799 #[ink(message)]
800 fn my_message(&self, ...) {}
801 },
802 syn::parse_quote! {
804 #[ink(message)]
805 fn my_message(&mut self, ...) {}
806 },
807 ];
808 for item_method in item_methods {
809 assert_try_from_fails(item_method, "ink! messages must not be variadic")
810 }
811 }
812
813 #[test]
814 fn try_from_visibility_fails() {
815 let item_methods: Vec<syn::ImplItemFn> = vec![
816 syn::parse_quote! {
818 #[ink(message)]
819 pub(crate) fn my_message(&self) {}
820 },
821 syn::parse_quote! {
823 #[ink(message)]
824 pub(crate) fn my_message(&mut self) {}
825 },
826 syn::parse_quote! {
828 #[ink(message)]
829 pub(in my::path) fn my_message(&self) {}
830 },
831 syn::parse_quote! {
833 #[ink(message)]
834 pub(in my::path) fn my_message(&mut self) {}
835 },
836 ];
837 for item_method in item_methods {
838 assert_try_from_fails(
839 item_method,
840 "ink! messages must have public or inherited visibility",
841 )
842 }
843 }
844
845 #[test]
846 fn conflicting_attributes_fails() {
847 let item_methods: Vec<syn::ImplItemFn> = vec![
848 syn::parse_quote! {
850 #[ink(message, storage)]
851 fn my_message(&self) {}
852 },
853 syn::parse_quote! {
855 #[ink(message, namespace = "my_namespace")]
856 fn my_message(&self) {}
857 },
858 syn::parse_quote! {
860 #[ink(message)]
861 #[ink(event)]
862 fn my_message(&self) {}
863 },
864 ];
865 for item_method in item_methods {
866 assert_try_from_fails(
867 item_method,
868 "encountered conflicting ink! attribute argument",
869 )
870 }
871 }
872}