lib.rs 6.2 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207
  1. #![deny(warnings)]
  2. extern crate proc_macro;
  3. #[macro_use]
  4. extern crate quote;
  5. extern crate core;
  6. extern crate proc_macro2;
  7. #[macro_use]
  8. extern crate syn;
  9. use proc_macro2::Span;
  10. use syn::{parse, spanned::Spanned, FnArg, ItemFn, PathArguments, ReturnType, Type, Visibility};
  11. use proc_macro::TokenStream;
  12. /// Attribute to declare the entry point of the program
  13. ///
  14. /// **IMPORTANT**: This attribute must appear exactly *once* in the dependency graph. Also, if you
  15. /// are using Rust 1.30 the attribute must be used on a reachable item (i.e. there must be no
  16. /// private modules between the item and the root of the crate); if the item is in the root of the
  17. /// crate you'll be fine. This reachability restriction doesn't apply to Rust 1.31 and newer releases.
  18. ///
  19. /// The specified function will be called by the reset handler *after* RAM has been initialized.
  20. /// If present, the FPU will also be enabled before the function is called.
  21. ///
  22. /// The type of the specified function must be `[unsafe] fn() -> !` (never ending function)
  23. ///
  24. /// # Properties
  25. ///
  26. /// The entry point will be called by the reset handler. The program can't reference to the entry
  27. /// point, much less invoke it.
  28. ///
  29. /// # Examples
  30. ///
  31. /// - Simple entry point
  32. ///
  33. /// ``` no_run
  34. /// # #![no_main]
  35. /// # use riscv_rt_macros::entry;
  36. /// #[entry]
  37. /// fn main() -> ! {
  38. /// loop {
  39. /// /* .. */
  40. /// }
  41. /// }
  42. /// ```
  43. #[proc_macro_attribute]
  44. pub fn entry(args: TokenStream, input: TokenStream) -> TokenStream {
  45. let f = parse_macro_input!(input as ItemFn);
  46. // check the function arguments
  47. if f.sig.inputs.len() > 3 {
  48. return parse::Error::new(
  49. f.sig.inputs.last().unwrap().span(),
  50. "`#[entry]` function has too many arguments",
  51. )
  52. .to_compile_error()
  53. .into();
  54. }
  55. for arg in &f.sig.inputs {
  56. match arg {
  57. FnArg::Receiver(_) => {
  58. return parse::Error::new(arg.span(), "invalid argument")
  59. .to_compile_error()
  60. .into();
  61. }
  62. FnArg::Typed(t) => {
  63. if !is_simple_type(&t.ty, "usize") {
  64. return parse::Error::new(t.ty.span(), "argument type must be usize")
  65. .to_compile_error()
  66. .into();
  67. }
  68. }
  69. }
  70. }
  71. // check the function signature
  72. let valid_signature = f.sig.constness.is_none()
  73. && f.sig.asyncness.is_none()
  74. && f.vis == Visibility::Inherited
  75. && f.sig.abi.is_none()
  76. && f.sig.generics.params.is_empty()
  77. && f.sig.generics.where_clause.is_none()
  78. && f.sig.variadic.is_none()
  79. && match f.sig.output {
  80. ReturnType::Default => false,
  81. ReturnType::Type(_, ref ty) => matches!(**ty, Type::Never(_)),
  82. };
  83. if !valid_signature {
  84. return parse::Error::new(
  85. f.span(),
  86. "`#[entry]` function must have signature `[unsafe] fn([arg0: usize, ...]) -> !`",
  87. )
  88. .to_compile_error()
  89. .into();
  90. }
  91. if !args.is_empty() {
  92. return parse::Error::new(Span::call_site(), "This attribute accepts no arguments")
  93. .to_compile_error()
  94. .into();
  95. }
  96. // XXX should we blacklist other attributes?
  97. let attrs = f.attrs;
  98. let unsafety = f.sig.unsafety;
  99. let args = f.sig.inputs;
  100. let stmts = f.block.stmts;
  101. quote!(
  102. #[allow(non_snake_case)]
  103. #[export_name = "main"]
  104. #(#attrs)*
  105. pub #unsafety fn __risc_v_rt__main(#args) -> ! {
  106. #(#stmts)*
  107. }
  108. )
  109. .into()
  110. }
  111. #[allow(unused)]
  112. fn is_simple_type(ty: &Type, name: &str) -> bool {
  113. if let Type::Path(p) = ty {
  114. if p.qself.is_none() && p.path.leading_colon.is_none() && p.path.segments.len() == 1 {
  115. let segment = p.path.segments.first().unwrap();
  116. if segment.ident == name && segment.arguments == PathArguments::None {
  117. return true;
  118. }
  119. }
  120. }
  121. false
  122. }
  123. /// Attribute to mark which function will be called at the beginning of the reset handler.
  124. ///
  125. /// **IMPORTANT**: This attribute can appear at most *once* in the dependency graph. Also, if you
  126. /// are using Rust 1.30 the attribute must be used on a reachable item (i.e. there must be no
  127. /// private modules between the item and the root of the crate); if the item is in the root of the
  128. /// crate you'll be fine. This reachability restriction doesn't apply to Rust 1.31 and newer
  129. /// releases.
  130. ///
  131. /// The function must have the signature of `unsafe fn()`.
  132. ///
  133. /// The function passed will be called before static variables are initialized. Any access of static
  134. /// variables will result in undefined behavior.
  135. ///
  136. /// # Examples
  137. ///
  138. /// ```
  139. /// # use riscv_rt_macros::pre_init;
  140. /// #[pre_init]
  141. /// unsafe fn before_main() {
  142. /// // do something here
  143. /// }
  144. ///
  145. /// # fn main() {}
  146. /// ```
  147. #[proc_macro_attribute]
  148. pub fn pre_init(args: TokenStream, input: TokenStream) -> TokenStream {
  149. let f = parse_macro_input!(input as ItemFn);
  150. // check the function signature
  151. let valid_signature = f.sig.constness.is_none()
  152. && f.sig.asyncness.is_none()
  153. && f.vis == Visibility::Inherited
  154. && f.sig.unsafety.is_some()
  155. && f.sig.abi.is_none()
  156. && f.sig.inputs.is_empty()
  157. && f.sig.generics.params.is_empty()
  158. && f.sig.generics.where_clause.is_none()
  159. && f.sig.variadic.is_none()
  160. && match f.sig.output {
  161. ReturnType::Default => true,
  162. ReturnType::Type(_, ref ty) => match **ty {
  163. Type::Tuple(ref tuple) => tuple.elems.is_empty(),
  164. _ => false,
  165. },
  166. };
  167. if !valid_signature {
  168. return parse::Error::new(
  169. f.span(),
  170. "`#[pre_init]` function must have signature `unsafe fn()`",
  171. )
  172. .to_compile_error()
  173. .into();
  174. }
  175. if !args.is_empty() {
  176. return parse::Error::new(Span::call_site(), "This attribute accepts no arguments")
  177. .to_compile_error()
  178. .into();
  179. }
  180. // XXX should we blacklist other attributes?
  181. let attrs = f.attrs;
  182. let ident = f.sig.ident;
  183. let block = f.block;
  184. quote!(
  185. #[export_name = "__pre_init"]
  186. #(#attrs)*
  187. pub unsafe fn #ident() #block
  188. )
  189. .into()
  190. }