1 use crate::syntax::Atom::{self, *};
2 use proc_macro2::{Literal, Span, TokenStream};
3 use quote::ToTokens;
4 use std::cmp::Ordering;
5 use std::collections::BTreeSet;
6 use std::fmt::{self, Display};
7 use std::str::FromStr;
8 use std::u64;
9 use syn::{Error, Expr, Lit, Result, Token, UnOp};
10
11 pub struct DiscriminantSet {
12 repr: Option<Atom>,
13 values: BTreeSet<Discriminant>,
14 previous: Option<Discriminant>,
15 }
16
17 #[derive(Copy, Clone, Eq, PartialEq)]
18 pub struct Discriminant {
19 sign: Sign,
20 magnitude: u64,
21 }
22
23 #[derive(Copy, Clone, Eq, PartialEq)]
24 enum Sign {
25 Negative,
26 Positive,
27 }
28
29 impl DiscriminantSet {
new(repr: Option<Atom>) -> Self30 pub fn new(repr: Option<Atom>) -> Self {
31 DiscriminantSet {
32 repr,
33 values: BTreeSet::new(),
34 previous: None,
35 }
36 }
37
insert(&mut self, expr: &Expr) -> Result<Discriminant>38 pub fn insert(&mut self, expr: &Expr) -> Result<Discriminant> {
39 let (discriminant, repr) = expr_to_discriminant(expr)?;
40 match (self.repr, repr) {
41 (None, Some(new_repr)) => {
42 if let Some(limits) = Limits::of(new_repr) {
43 for &past in &self.values {
44 if limits.min <= past && past <= limits.max {
45 continue;
46 }
47 let msg = format!(
48 "discriminant value `{}` is outside the limits of {}",
49 past, new_repr,
50 );
51 return Err(Error::new(Span::call_site(), msg));
52 }
53 }
54 self.repr = Some(new_repr);
55 }
56 (Some(prev), Some(repr)) if prev != repr => {
57 let msg = format!("expected {}, found {}", prev, repr);
58 return Err(Error::new(Span::call_site(), msg));
59 }
60 _ => {}
61 }
62 insert(self, discriminant)
63 }
64
insert_next(&mut self) -> Result<Discriminant>65 pub fn insert_next(&mut self) -> Result<Discriminant> {
66 let discriminant = match self.previous {
67 None => Discriminant::zero(),
68 Some(mut discriminant) => match discriminant.sign {
69 Sign::Negative => {
70 discriminant.magnitude -= 1;
71 if discriminant.magnitude == 0 {
72 discriminant.sign = Sign::Positive;
73 }
74 discriminant
75 }
76 Sign::Positive => {
77 if discriminant.magnitude == u64::MAX {
78 let msg = format!("discriminant overflow on value after {}", u64::MAX);
79 return Err(Error::new(Span::call_site(), msg));
80 }
81 discriminant.magnitude += 1;
82 discriminant
83 }
84 },
85 };
86 insert(self, discriminant)
87 }
88
inferred_repr(&self) -> Result<Atom>89 pub fn inferred_repr(&self) -> Result<Atom> {
90 if let Some(repr) = self.repr {
91 return Ok(repr);
92 }
93 if self.values.is_empty() {
94 return Ok(U8);
95 }
96 let min = *self.values.iter().next().unwrap();
97 let max = *self.values.iter().next_back().unwrap();
98 for limits in &LIMITS {
99 if limits.min <= min && max <= limits.max {
100 return Ok(limits.repr);
101 }
102 }
103 let msg = "these discriminant values do not fit in any supported enum repr type";
104 Err(Error::new(Span::call_site(), msg))
105 }
106 }
107
expr_to_discriminant(expr: &Expr) -> Result<(Discriminant, Option<Atom>)>108 fn expr_to_discriminant(expr: &Expr) -> Result<(Discriminant, Option<Atom>)> {
109 match expr {
110 Expr::Lit(expr) => {
111 if let Lit::Int(lit) = &expr.lit {
112 let discriminant = lit.base10_parse::<Discriminant>()?;
113 let repr = parse_int_suffix(lit.suffix())?;
114 return Ok((discriminant, repr));
115 }
116 }
117 Expr::Unary(unary) => {
118 if let UnOp::Neg(_) = unary.op {
119 let (mut discriminant, repr) = expr_to_discriminant(&unary.expr)?;
120 discriminant.sign = match discriminant.sign {
121 Sign::Positive => Sign::Negative,
122 Sign::Negative => Sign::Positive,
123 };
124 return Ok((discriminant, repr));
125 }
126 }
127 _ => {}
128 }
129 Err(Error::new_spanned(
130 expr,
131 "enums with non-integer literal discriminants are not supported yet",
132 ))
133 }
134
insert(set: &mut DiscriminantSet, discriminant: Discriminant) -> Result<Discriminant>135 fn insert(set: &mut DiscriminantSet, discriminant: Discriminant) -> Result<Discriminant> {
136 if let Some(expected_repr) = set.repr {
137 if let Some(limits) = Limits::of(expected_repr) {
138 if discriminant < limits.min || limits.max < discriminant {
139 let msg = format!(
140 "discriminant value `{}` is outside the limits of {}",
141 discriminant, expected_repr,
142 );
143 return Err(Error::new(Span::call_site(), msg));
144 }
145 }
146 }
147 set.values.insert(discriminant);
148 set.previous = Some(discriminant);
149 Ok(discriminant)
150 }
151
152 impl Discriminant {
zero() -> Self153 const fn zero() -> Self {
154 Discriminant {
155 sign: Sign::Positive,
156 magnitude: 0,
157 }
158 }
159
pos(u: u64) -> Self160 const fn pos(u: u64) -> Self {
161 Discriminant {
162 sign: Sign::Positive,
163 magnitude: u,
164 }
165 }
166
neg(i: i64) -> Self167 const fn neg(i: i64) -> Self {
168 Discriminant {
169 sign: if i < 0 {
170 Sign::Negative
171 } else {
172 Sign::Positive
173 },
174 // This is `i.abs() as u64` but without overflow on MIN. Uses the
175 // fact that MIN.wrapping_abs() wraps back to MIN whose binary
176 // representation is 1<<63, and thus the `as u64` conversion
177 // produces 1<<63 too which happens to be the correct unsigned
178 // magnitude.
179 magnitude: i.wrapping_abs() as u64,
180 }
181 }
182 }
183
184 impl Display for Discriminant {
fmt(&self, f: &mut fmt::Formatter) -> fmt::Result185 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
186 if self.sign == Sign::Negative {
187 f.write_str("-")?;
188 }
189 Display::fmt(&self.magnitude, f)
190 }
191 }
192
193 impl ToTokens for Discriminant {
to_tokens(&self, tokens: &mut TokenStream)194 fn to_tokens(&self, tokens: &mut TokenStream) {
195 if self.sign == Sign::Negative {
196 Token).to_tokens(tokens);
197 }
198 Literal::u64_unsuffixed(self.magnitude).to_tokens(tokens);
199 }
200 }
201
202 impl FromStr for Discriminant {
203 type Err = Error;
204
from_str(mut s: &str) -> Result<Self>205 fn from_str(mut s: &str) -> Result<Self> {
206 let sign = if s.starts_with('-') {
207 s = &s[1..];
208 Sign::Negative
209 } else {
210 Sign::Positive
211 };
212 match s.parse::<u64>() {
213 Ok(magnitude) => Ok(Discriminant { sign, magnitude }),
214 Err(_) => Err(Error::new(
215 Span::call_site(),
216 "discriminant value outside of supported range",
217 )),
218 }
219 }
220 }
221
222 impl Ord for Discriminant {
cmp(&self, other: &Self) -> Ordering223 fn cmp(&self, other: &Self) -> Ordering {
224 use self::Sign::{Negative, Positive};
225 match (self.sign, other.sign) {
226 (Negative, Negative) => self.magnitude.cmp(&other.magnitude).reverse(),
227 (Negative, Positive) => Ordering::Less, // negative < positive
228 (Positive, Negative) => Ordering::Greater, // positive > negative
229 (Positive, Positive) => self.magnitude.cmp(&other.magnitude),
230 }
231 }
232 }
233
234 impl PartialOrd for Discriminant {
partial_cmp(&self, other: &Self) -> Option<Ordering>235 fn partial_cmp(&self, other: &Self) -> Option<Ordering> {
236 Some(self.cmp(other))
237 }
238 }
239
parse_int_suffix(suffix: &str) -> Result<Option<Atom>>240 fn parse_int_suffix(suffix: &str) -> Result<Option<Atom>> {
241 if suffix.is_empty() {
242 return Ok(None);
243 }
244 if let Some(atom) = Atom::from_str(suffix) {
245 match atom {
246 U8 | U16 | U32 | U64 | Usize | I8 | I16 | I32 | I64 | Isize => return Ok(Some(atom)),
247 _ => {}
248 }
249 }
250 let msg = format!("unrecognized integer suffix: `{}`", suffix);
251 Err(Error::new(Span::call_site(), msg))
252 }
253
254 #[derive(Copy, Clone)]
255 struct Limits {
256 repr: Atom,
257 min: Discriminant,
258 max: Discriminant,
259 }
260
261 impl Limits {
of(repr: Atom) -> Option<Limits>262 fn of(repr: Atom) -> Option<Limits> {
263 for limits in &LIMITS {
264 if limits.repr == repr {
265 return Some(*limits);
266 }
267 }
268 None
269 }
270 }
271
272 const LIMITS: [Limits; 8] = [
273 Limits {
274 repr: U8,
275 min: Discriminant::zero(),
276 max: Discriminant::pos(std::u8::MAX as u64),
277 },
278 Limits {
279 repr: I8,
280 min: Discriminant::neg(std::i8::MIN as i64),
281 max: Discriminant::pos(std::i8::MAX as u64),
282 },
283 Limits {
284 repr: U16,
285 min: Discriminant::zero(),
286 max: Discriminant::pos(std::u16::MAX as u64),
287 },
288 Limits {
289 repr: I16,
290 min: Discriminant::neg(std::i16::MIN as i64),
291 max: Discriminant::pos(std::i16::MAX as u64),
292 },
293 Limits {
294 repr: U32,
295 min: Discriminant::zero(),
296 max: Discriminant::pos(std::u32::MAX as u64),
297 },
298 Limits {
299 repr: I32,
300 min: Discriminant::neg(std::i32::MIN as i64),
301 max: Discriminant::pos(std::i32::MAX as u64),
302 },
303 Limits {
304 repr: U64,
305 min: Discriminant::zero(),
306 max: Discriminant::pos(std::u64::MAX),
307 },
308 Limits {
309 repr: I64,
310 min: Discriminant::neg(std::i64::MIN),
311 max: Discriminant::pos(std::i64::MAX as u64),
312 },
313 ];
314