1use crate::ir;
19use core::fmt;
20use proc_macro2::{
21 Ident,
22 Span,
23};
24use quote::ToTokens as _;
25use syn::spanned::Spanned as _;
26
27#[derive(Debug, Copy, Clone)]
29pub enum CallableKind {
30 Message,
32 Constructor,
34}
35
36impl fmt::Display for CallableKind {
37 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
38 match self {
39 Self::Message => write!(f, "message"),
40 Self::Constructor => write!(f, "constructor"),
41 }
42 }
43}
44
45#[derive(Debug)]
47pub struct CallableWithSelector<'a, C> {
48 composed_selector: ir::Selector,
51 item_impl: &'a ir::ItemImpl,
53 callable: &'a C,
55}
56
57impl<C> Copy for CallableWithSelector<'_, C> {}
58impl<C> Clone for CallableWithSelector<'_, C> {
59 fn clone(&self) -> Self {
60 *self
61 }
62}
63
64impl<'a, C> CallableWithSelector<'a, C>
65where
66 C: Callable,
67{
68 pub(super) fn new(item_impl: &'a ir::ItemImpl, callable: &'a C) -> Self {
70 Self {
71 composed_selector: compose_selector(item_impl, callable),
72 item_impl,
73 callable,
74 }
75 }
76}
77
78impl<'a, C> CallableWithSelector<'a, C> {
79 pub fn composed_selector(&self) -> ir::Selector {
81 self.composed_selector
82 }
83
84 pub fn callable(&self) -> &'a C {
86 self.callable
87 }
88
89 pub fn item_impl(&self) -> &'a ir::ItemImpl {
91 self.item_impl
92 }
93}
94
95impl<C> Callable for CallableWithSelector<'_, C>
96where
97 C: Callable,
98{
99 fn kind(&self) -> CallableKind {
100 <C as Callable>::kind(self.callable)
101 }
102
103 fn ident(&self) -> &Ident {
104 <C as Callable>::ident(self.callable)
105 }
106
107 fn user_provided_selector(&self) -> Option<&ir::Selector> {
108 <C as Callable>::user_provided_selector(self.callable)
109 }
110
111 fn is_payable(&self) -> bool {
112 <C as Callable>::is_payable(self.callable)
113 }
114
115 fn is_default(&self) -> bool {
116 <C as Callable>::is_default(self.callable)
117 }
118
119 fn has_wildcard_selector(&self) -> bool {
120 <C as Callable>::has_wildcard_selector(self.callable)
121 }
122
123 fn has_wildcard_complement_selector(&self) -> bool {
124 <C as Callable>::has_wildcard_complement_selector(self.callable)
125 }
126
127 fn visibility(&self) -> Visibility {
128 <C as Callable>::visibility(self.callable)
129 }
130
131 fn inputs(&self) -> InputsIter {
132 <C as Callable>::inputs(self.callable)
133 }
134
135 fn inputs_span(&self) -> Span {
136 <C as Callable>::inputs_span(self.callable)
137 }
138
139 fn statements(&self) -> &[syn::Stmt] {
140 <C as Callable>::statements(self.callable)
141 }
142}
143
144impl<C> ::core::ops::Deref for CallableWithSelector<'_, C> {
145 type Target = C;
146
147 fn deref(&self) -> &Self::Target {
148 self.callable
149 }
150}
151
152pub trait Callable {
157 fn kind(&self) -> CallableKind;
159
160 fn ident(&self) -> &Ident;
162
163 fn user_provided_selector(&self) -> Option<&ir::Selector>;
165
166 fn is_payable(&self) -> bool;
172
173 fn is_default(&self) -> bool;
179
180 fn has_wildcard_selector(&self) -> bool;
182
183 fn has_wildcard_complement_selector(&self) -> bool;
185
186 fn visibility(&self) -> Visibility;
188
189 fn inputs(&self) -> InputsIter;
191
192 fn inputs_span(&self) -> Span;
194
195 fn statements(&self) -> &[syn::Stmt];
197}
198
199pub fn compose_selector<C>(item_impl: &ir::ItemImpl, callable: &C) -> ir::Selector
321where
322 C: Callable,
323{
324 if let Some(selector) = callable.user_provided_selector() {
325 return *selector
326 }
327 let preimage = compose_selector_preimage(item_impl, callable);
328 ir::Selector::compute(&preimage)
329}
330
331fn compose_selector_preimage<C>(item_impl: &ir::ItemImpl, callable: &C) -> Vec<u8>
332where
333 C: Callable,
334{
335 let callable_ident = callable.ident().to_string().into_bytes();
336 let namespace_bytes = item_impl
337 .namespace()
338 .map(|namespace| namespace.as_bytes().to_vec())
339 .unwrap_or_default();
340 let separator = &b"::"[..];
341 match item_impl.trait_path() {
342 None => {
343 if namespace_bytes.is_empty() {
345 callable_ident
346 } else {
347 [namespace_bytes, callable_ident].join(separator)
348 }
349 }
350 Some(path) => {
351 let path_bytes = if path.leading_colon.is_some() {
356 let mut str_repr = path.to_token_stream().to_string();
357 str_repr.retain(|c| !c.is_whitespace());
358 str_repr.into_bytes()
359 } else {
360 path.segments
361 .last()
362 .expect("encountered empty trait path")
363 .ident
364 .to_string()
365 .into_bytes()
366 };
367 if namespace_bytes.is_empty() {
368 [path_bytes, callable_ident].join(separator)
369 } else {
370 [namespace_bytes, path_bytes, callable_ident].join(separator)
371 }
372 }
373 }
374}
375
376pub(super) fn ensure_callable_invariants(
389 method_item: &syn::ImplItemFn,
390 kind: CallableKind,
391) -> Result<(), syn::Error> {
392 let bad_visibility = match &method_item.vis {
393 syn::Visibility::Inherited => None,
394 syn::Visibility::Restricted(vis_restricted) => Some(vis_restricted.span()),
395 syn::Visibility::Public(_) => None,
396 };
397 if let Some(bad_visibility) = bad_visibility {
398 return Err(format_err!(
399 bad_visibility,
400 "ink! {}s must have public or inherited visibility",
401 kind
402 ))
403 }
404 if !method_item.sig.generics.params.is_empty() {
405 return Err(format_err_spanned!(
406 method_item.sig.generics.params,
407 "ink! {}s must not be generic",
408 kind,
409 ))
410 }
411 if method_item.sig.constness.is_some() {
412 return Err(format_err_spanned!(
413 method_item.sig.constness,
414 "ink! {}s must not be const",
415 kind,
416 ))
417 }
418 if method_item.sig.asyncness.is_some() {
419 return Err(format_err_spanned!(
420 method_item.sig.asyncness,
421 "ink! {}s must not be async",
422 kind,
423 ))
424 }
425 if method_item.sig.unsafety.is_some() {
426 return Err(format_err_spanned!(
427 method_item.sig.unsafety,
428 "ink! {}s must not be unsafe",
429 kind,
430 ))
431 }
432 if method_item.sig.abi.is_some() {
433 return Err(format_err_spanned!(
434 method_item.sig.abi,
435 "ink! {}s must not have explicit ABI",
436 kind,
437 ))
438 }
439 if method_item.sig.variadic.is_some() {
440 return Err(format_err_spanned!(
441 method_item.sig.variadic,
442 "ink! {}s must not be variadic",
443 kind,
444 ))
445 }
446
447 if let Some(arg) = method_item.sig.inputs.iter().find(|input| {
448 match input {
449 syn::FnArg::Typed(pat) => !matches!(*pat.pat, syn::Pat::Ident(_)),
450 _ => false,
451 }
452 }) {
453 return Err(format_err_spanned!(
454 arg,
455 "ink! {} arguments must have an identifier",
456 kind
457 ))
458 }
459 Ok(())
460}
461
462#[derive(Debug, Clone)]
464pub enum Visibility {
465 Public(syn::Token![pub]),
466 Inherited,
467}
468
469impl quote::ToTokens for Visibility {
470 fn to_tokens(&self, tokens: &mut proc_macro2::TokenStream) {
471 match self {
472 Self::Public(vis_public) => vis_public.to_tokens(tokens),
473 Self::Inherited => (),
474 }
475 }
476}
477
478impl Visibility {
479 pub fn is_pub(&self) -> bool {
486 matches!(self, Self::Public(_))
487 }
488
489 pub fn is_inherited(&self) -> bool {
495 matches!(self, Self::Inherited)
496 }
497
498 pub fn span(&self) -> Option<Span> {
500 match self {
501 Self::Public(vis_public) => Some(vis_public.span()),
502 Self::Inherited => None,
503 }
504 }
505}
506
507pub struct InputsIter<'a> {
511 iter: syn::punctuated::Iter<'a, syn::FnArg>,
512}
513
514impl<'a> InputsIter<'a> {
515 pub(crate) fn new<P>(inputs: &'a syn::punctuated::Punctuated<syn::FnArg, P>) -> Self {
517 Self {
518 iter: inputs.iter(),
519 }
520 }
521}
522
523impl<'a> From<&'a ir::Message> for InputsIter<'a> {
524 fn from(message: &'a ir::Message) -> Self {
525 Self::new(&message.item.sig.inputs)
526 }
527}
528
529impl<'a> From<&'a ir::Constructor> for InputsIter<'a> {
530 fn from(constructor: &'a ir::Constructor) -> Self {
531 Self::new(&constructor.item.sig.inputs)
532 }
533}
534
535impl<'a> Iterator for InputsIter<'a> {
536 type Item = &'a syn::PatType;
537
538 fn next(&mut self) -> Option<Self::Item> {
539 'repeat: loop {
540 match self.iter.next() {
541 None => return None,
542 Some(syn::FnArg::Typed(pat_typed)) => return Some(pat_typed),
543 Some(syn::FnArg::Receiver(_)) => continue 'repeat,
544 }
545 }
546 }
547}
548
549impl ExactSizeIterator for InputsIter<'_> {
550 fn len(&self) -> usize {
551 self.iter.len()
552 }
553}
554
555#[cfg(test)]
556mod tests {
557 use super::*;
558 use core::fmt::Debug;
559
560 pub enum ExpectedSelector {
561 Raw([u8; 4]),
562 Blake2(Vec<u8>),
563 }
564
565 impl From<[u8; 4]> for ExpectedSelector {
566 fn from(raw_selector: [u8; 4]) -> Self {
567 ExpectedSelector::Raw(raw_selector)
568 }
569 }
570
571 impl From<Vec<u8>> for ExpectedSelector {
572 fn from(blake2_input: Vec<u8>) -> Self {
573 ExpectedSelector::Blake2(blake2_input)
574 }
575 }
576
577 impl ExpectedSelector {
578 pub fn expected_selector(self) -> ir::Selector {
579 match self {
580 Self::Raw(raw_selector) => ir::Selector::from(raw_selector),
581 Self::Blake2(blake2_input) => ir::Selector::compute(&blake2_input),
582 }
583 }
584 }
585
586 fn assert_compose_selector<C, S>(
589 item_impl: syn::ItemImpl,
590 item_method: syn::ImplItemFn,
591 expected_selector: S,
592 ) where
593 C: Callable + TryFrom<syn::ImplItemFn>,
594 <C as TryFrom<syn::ImplItemFn>>::Error: Debug,
595 S: Into<ExpectedSelector>,
596 {
597 assert_eq!(
598 compose_selector(
599 &<ir::ItemImpl as TryFrom<syn::ItemImpl>>::try_from(item_impl).unwrap(),
600 &<C as TryFrom<syn::ImplItemFn>>::try_from(item_method).unwrap(),
601 ),
602 expected_selector.into().expected_selector(),
603 )
604 }
605
606 #[test]
607 fn compose_selector_works() {
608 assert_compose_selector::<ir::Message, _>(
609 syn::parse_quote! {
610 #[ink(impl)]
611 impl MyStorage {}
612 },
613 syn::parse_quote! {
614 #[ink(message)]
615 fn my_message(&self) {}
616 },
617 b"my_message".to_vec(),
618 );
619 assert_compose_selector::<ir::Message, _>(
620 syn::parse_quote! {
621 #[ink(impl)]
622 impl MyTrait for MyStorage {}
623 },
624 syn::parse_quote! {
625 #[ink(message)]
626 fn my_message(&self) {}
627 },
628 b"MyTrait::my_message".to_vec(),
629 );
630 assert_compose_selector::<ir::Message, _>(
631 syn::parse_quote! {
632 #[ink(impl)]
633 impl ::my::full::path::MyTrait for MyStorage {}
634 },
635 syn::parse_quote! {
636 #[ink(message)]
637 fn my_message(&self) {}
638 },
639 b"::my::full::path::MyTrait::my_message".to_vec(),
640 );
641 assert_compose_selector::<ir::Message, _>(
642 syn::parse_quote! {
643 #[ink(impl, namespace = "my_namespace")]
644 impl MyStorage {}
645 },
646 syn::parse_quote! {
647 #[ink(message)]
648 fn my_message(&self) {}
649 },
650 b"my_namespace::my_message".to_vec(),
651 );
652 assert_compose_selector::<ir::Message, _>(
653 syn::parse_quote! {
654 #[ink(impl)]
655 impl MyTrait for MyStorage {}
656 },
657 syn::parse_quote! {
658 #[ink(message, selector = 0xDEADBEEF)]
659 fn my_message(&self) {}
660 },
661 [0xDE, 0xAD, 0xBE, 0xEF],
662 );
663 assert_compose_selector::<ir::Message, _>(
664 syn::parse_quote! {
665 #[ink(impl)]
666 impl relative::path_to::MyTrait for MyStorage {}
667 },
668 syn::parse_quote! {
669 #[ink(message)]
670 fn my_message(&self) {}
671 },
672 b"MyTrait::my_message".to_vec(),
673 );
674 }
675}