lib.rs 2.0 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970
  1. // Copyright 2012-2015 The Rust Project Developers. See the COPYRIGHT
  2. // file at the top-level directory of this distribution and at
  3. // http://rust-lang.org/COPYRIGHT.
  4. //
  5. // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
  6. // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
  7. // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
  8. // option. This file may not be copied, modified, or distributed
  9. // except according to those terms.
  10. #![crate_type = "proc-macro"]
  11. extern crate syn;
  12. #[macro_use]
  13. extern crate quote;
  14. extern crate proc_macro;
  15. use proc_macro::TokenStream;
  16. use syn::Body::Enum;
  17. use syn::VariantData::Unit;
  18. #[proc_macro_derive(FromPrimitive)]
  19. pub fn from_primitive(input: TokenStream) -> TokenStream {
  20. let source = input.to_string();
  21. let ast = syn::parse_macro_input(&source).unwrap();
  22. let name = &ast.ident;
  23. let variants = match ast.body {
  24. Enum(ref variants) => variants,
  25. _ => panic!("`FromPrimitive` can be applied only to the enums, {} is not an enum", name)
  26. };
  27. let mut idx = 0;
  28. let variants: Vec<_> = variants.iter()
  29. .map(|variant| {
  30. let ident = &variant.ident;
  31. match variant.data {
  32. Unit => (),
  33. _ => {
  34. panic!("`FromPrimitive` can be applied only to unitary enums, {}::{} is either struct or tuple", name, ident)
  35. },
  36. }
  37. if let Some(val) = variant.discriminant {
  38. idx = val.value;
  39. }
  40. let tt = quote!(#idx => Some(#name::#ident));
  41. idx += 1;
  42. tt
  43. })
  44. .collect();
  45. let res = quote! {
  46. impl ::num::traits::FromPrimitive for #name {
  47. fn from_i64(n: i64) -> Option<Self> {
  48. Self::from_u64(n as u64)
  49. }
  50. fn from_u64(n: u64) -> Option<Self> {
  51. match n {
  52. #(variants,)*
  53. _ => None,
  54. }
  55. }
  56. }
  57. };
  58. res.to_string().parse().unwrap()
  59. }