mod map;
mod message;
mod oneof;
mod scalar;
use std::fmt;
use std::slice;
use failure::Error;
use quote::Tokens;
use syn::{
Attribute,
Ident,
Lit,
LitBool,
Meta,
MetaList,
MetaNameValue,
NestedMeta,
};
#[derive(Clone)]
pub enum Field {
Scalar(scalar::Field),
Message(message::Field),
Map(map::Field),
Oneof(oneof::Field),
}
impl Field {
pub fn new(attrs: Vec<Attribute>) -> Result<Option<Field>, Error> {
let attrs = prost_attrs(attrs)?;
let field = if let Some(field) = scalar::Field::new(&attrs)? {
Field::Scalar(field)
} else if let Some(field) = message::Field::new(&attrs)? {
Field::Message(field)
} else if let Some(field) = map::Field::new(&attrs)? {
Field::Map(field)
} else if let Some(field) = oneof::Field::new(&attrs)? {
Field::Oneof(field)
} else {
bail!("no type attribute");
};
Ok(Some(field))
}
pub fn new_oneof(attrs: Vec<Attribute>) -> Result<Option<Field>, Error> {
let attrs = prost_attrs(attrs)?;
let field = if let Some(field) = scalar::Field::new_oneof(&attrs)? {
Field::Scalar(field)
} else if let Some(field) = message::Field::new_oneof(&attrs)? {
Field::Message(field)
} else if let Some(field) = map::Field::new_oneof(&attrs)? {
Field::Map(field)
} else {
bail!("no type attribute for oneof field");
};
Ok(Some(field))
}
pub fn tags(&self) -> Vec<u32> {
match *self {
Field::Scalar(ref scalar) => vec![scalar.tag],
Field::Message(ref message) => vec![message.tag],
Field::Map(ref map) => vec![map.tag],
Field::Oneof(ref oneof) => oneof.tags.clone(),
}
}
pub fn encode(&self, ident: Tokens) -> Tokens {
match *self {
Field::Scalar(ref scalar) => scalar.encode(ident),
Field::Message(ref message) => message.encode(ident),
Field::Map(ref map) => map.encode(ident),
Field::Oneof(ref oneof) => oneof.encode(ident),
}
}
pub fn merge(&self, ident: Tokens) -> Tokens {
match *self {
Field::Scalar(ref scalar) => scalar.merge(ident),
Field::Message(ref message) => message.merge(ident),
Field::Map(ref map) => map.merge(ident),
Field::Oneof(ref oneof) => oneof.merge(ident),
}
}
pub fn encoded_len(&self, ident: Tokens) -> Tokens {
match *self {
Field::Scalar(ref scalar) => scalar.encoded_len(ident),
Field::Map(ref map) => map.encoded_len(ident),
Field::Message(ref msg) => msg.encoded_len(ident),
Field::Oneof(ref oneof) => oneof.encoded_len(ident),
}
}
pub fn clear(&self, ident: Tokens) -> Tokens {
match *self {
Field::Scalar(ref scalar) => scalar.clear(ident),
Field::Message(ref message) => message.clear(ident),
Field::Map(ref map) => map.clear(ident),
Field::Oneof(ref oneof) => oneof.clear(ident),
}
}
pub fn default(&self) -> Tokens {
match *self {
Field::Scalar(ref scalar) => scalar.default(),
_ => quote!(::std::default::Default::default()),
}
}
pub fn debug(&self, ident: Tokens) -> Tokens {
match *self {
Field::Scalar(ref scalar) => {
let wrapper = scalar.debug(quote!(ScalarWrapper));
quote! {
{
#wrapper
ScalarWrapper(&#ident)
}
}
},
Field::Map(ref map) => {
let wrapper = map.debug(quote!(MapWrapper));
quote! {
{
#wrapper
MapWrapper(&#ident)
}
}
},
_ => quote!(&#ident),
}
}
pub fn methods(&self, ident: &Ident) -> Option<Tokens> {
match *self {
Field::Scalar(ref scalar) => scalar.methods(ident),
Field::Map(ref map) => map.methods(ident),
_ => None,
}
}
}
#[derive(Clone, Copy, PartialEq, Eq)]
pub enum Label {
Optional,
Required,
Repeated,
}
impl Label {
fn as_str(&self) -> &'static str {
match *self {
Label::Optional => "optional",
Label::Required => "required",
Label::Repeated => "repeated",
}
}
fn variants() -> slice::Iter<'static, Label> {
const VARIANTS: &'static [Label] = &[
Label::Optional,
Label::Required,
Label::Repeated,
];
VARIANTS.iter()
}
fn from_attr(attr: &Meta) -> Option<Label> {
if let Meta::Word(ref ident) = *attr {
for &label in Label::variants() {
if ident == label.as_str() {
return Some(label);
}
}
}
None
}
}
impl fmt::Debug for Label {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
f.write_str(self.as_str())
}
}
impl fmt::Display for Label {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
f.write_str(self.as_str())
}
}
fn prost_attrs(attrs: Vec<Attribute>) -> Result<Vec<Meta>, Error> {
Ok(attrs.iter().flat_map(Attribute::interpret_meta).flat_map(|meta| match meta {
Meta::List(MetaList { ident, nested, .. }) => if ident == "prost" {
nested.into_iter().collect()
} else {
Vec::new()
},
_ => Vec::new(),
}).flat_map(|attr| -> Result<_, _> {
match attr {
NestedMeta::Meta(attr) => Ok(attr),
NestedMeta::Literal(lit) => bail!("invalid prost attribute: {:?}", lit),
}
}).collect())
}
pub fn set_option<T>(option: &mut Option<T>, value: T, message: &str) -> Result<(), Error>
where T: fmt::Debug {
if let Some(ref existing) = *option {
bail!("{}: {:?} and {:?}", message, existing, value);
}
*option = Some(value);
Ok(())
}
pub fn set_bool(b: &mut bool, message: &str) -> Result<(), Error> {
if *b {
bail!("{}", message);
} else {
*b = true;
Ok(())
}
}
fn bool_attr(key: &str, attr: &Meta) -> Result<Option<bool>, Error> {
if attr.name() != key {
return Ok(None);
}
match *attr {
Meta::Word(..) => Ok(Some(true)),
Meta::List(ref meta_list) => {
if meta_list.nested.len() == 1 {
if let NestedMeta::Literal(Lit::Bool(LitBool { value, .. })) = meta_list.nested[0] {
return Ok(Some(value))
}
}
bail!("invalid {} attribute", key);
},
Meta::NameValue(MetaNameValue { lit: Lit::Str(ref lit), .. }) => {
lit.value().parse::<bool>().map_err(Error::from).map(Option::Some)
},
Meta::NameValue(MetaNameValue { lit: Lit::Bool(LitBool{ value, .. }), .. }) => Ok(Some(value)),
_ => bail!("invalid {} attribute", key),
}
}
fn word_attr(key: &str, attr: &Meta) -> bool {
if let Meta::Word(ref ident) = *attr {
ident == key
} else {
false
}
}
fn tag_attr(attr: &Meta) -> Result<Option<u32>, Error> {
if attr.name() != "tag" {
return Ok(None);
}
match *attr {
Meta::List(ref meta_list) => {
if meta_list.nested.len() == 1 {
if let NestedMeta::Literal(Lit::Int(ref lit)) = meta_list.nested[0] {
return Ok(Some(lit.value() as u32));
}
}
bail!("invalid tag attribute: {:?}", attr);
},
Meta::NameValue(ref meta_name_value) => {
match meta_name_value.lit {
Lit::Str(ref lit) => lit.value()
.parse::<u32>()
.map_err(Error::from)
.map(Option::Some),
Lit::Int(ref lit) => Ok(Some(lit.value() as u32)),
_ => bail!("invalid tag attribute: {:?}", attr),
}
},
_ => bail!("invalid tag attribute: {:?}", attr),
}
}
fn tags_attr(attr: &Meta) -> Result<Option<Vec<u32>>, Error> {
if attr.name() != "tags" {
return Ok(None);
}
match *attr {
Meta::List(ref meta_list) => {
let mut tags = Vec::with_capacity(meta_list.nested.len());
for item in &meta_list.nested {
if let NestedMeta::Literal(Lit::Int(ref lit)) = *item {
tags.push(lit.value() as u32);
} else {
bail!("invalid tag attribute: {:?}", attr);
}
}
return Ok(Some(tags));
},
Meta::NameValue(MetaNameValue { lit: Lit::Str(ref lit), .. }) => {
lit.value()
.split(',')
.map(|s| s.trim().parse::<u32>().map_err(Error::from))
.collect::<Result<Vec<u32>, _>>()
.map(|tags| Some(tags))
},
_ => bail!("invalid tag attribute: {:?}", attr),
}
}