]> git.lizzy.rs Git - rust.git/blob - src/utils.rs
Merge pull request #529 from marcusklaas/pattern-indent
[rust.git] / src / utils.rs
1 // Copyright 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
11 use std::cmp::Ordering;
12
13 use syntax::ast::{self, Visibility, Attribute, MetaItem, MetaItem_};
14 use syntax::codemap::{CodeMap, Span, BytePos};
15
16 use Indent;
17 use comment::FindUncommented;
18 use rewrite::{Rewrite, RewriteContext};
19
20 use SKIP_ANNOTATION;
21
22 // Computes the length of a string's last line, minus offset.
23 #[inline]
24 pub fn extra_offset(text: &str, offset: Indent) -> usize {
25     match text.rfind('\n') {
26         // 1 for newline character
27         Some(idx) => text.len() - idx - 1 - offset.width(),
28         None => text.len(),
29     }
30 }
31
32 #[inline]
33 pub fn span_after(original: Span, needle: &str, codemap: &CodeMap) -> BytePos {
34     let snippet = codemap.span_to_snippet(original).unwrap();
35     let offset = snippet.find_uncommented(needle).unwrap() + needle.len();
36
37     original.lo + BytePos(offset as u32)
38 }
39
40 #[inline]
41 pub fn format_visibility(vis: Visibility) -> &'static str {
42     match vis {
43         Visibility::Public => "pub ",
44         Visibility::Inherited => "",
45     }
46 }
47
48 #[inline]
49 pub fn format_mutability(mutability: ast::Mutability) -> &'static str {
50     match mutability {
51         ast::Mutability::MutMutable => "mut ",
52         ast::Mutability::MutImmutable => "",
53     }
54 }
55
56 // The width of the first line in s.
57 #[inline]
58 pub fn first_line_width(s: &str) -> usize {
59     match s.find('\n') {
60         Some(n) => n,
61         None => s.len(),
62     }
63 }
64
65 // The width of the last line in s.
66 #[inline]
67 pub fn last_line_width(s: &str) -> usize {
68     match s.rfind('\n') {
69         Some(n) => s.len() - n - 1,
70         None => s.len(),
71     }
72 }
73
74 #[inline]
75 fn is_skip(meta_item: &MetaItem) -> bool {
76     match meta_item.node {
77         MetaItem_::MetaWord(ref s) => *s == SKIP_ANNOTATION,
78         MetaItem_::MetaList(ref s, ref l) => {
79             *s == "cfg_attr" && l.len() == 2 && is_skip(&l[1])
80         }
81         _ => false,
82     }
83 }
84
85 #[inline]
86 pub fn contains_skip(attrs: &[Attribute]) -> bool {
87     attrs.iter().any(|a| is_skip(&a.node.value))
88 }
89
90 // Find the end of a TyParam
91 #[inline]
92 pub fn end_typaram(typaram: &ast::TyParam) -> BytePos {
93     typaram.bounds
94            .last()
95            .map(|bound| {
96                match *bound {
97                    ast::RegionTyParamBound(ref lt) => lt.span,
98                    ast::TraitTyParamBound(ref prt, _) => prt.span,
99                }
100            })
101            .unwrap_or(typaram.span)
102            .hi
103 }
104
105 #[inline]
106 #[cfg(target_pointer_width="64")]
107 // Based on the trick layed out at
108 // http://graphics.stanford.edu/~seander/bithacks.html#RoundUpPowerOf2
109 pub fn round_up_to_power_of_two(mut x: usize) -> usize {
110     x = x.wrapping_sub(1);
111     x |= x >> 1;
112     x |= x >> 2;
113     x |= x >> 4;
114     x |= x >> 8;
115     x |= x >> 16;
116     x |= x >> 32;
117     x.wrapping_add(1)
118 }
119
120 #[inline]
121 #[cfg(target_pointer_width="32")]
122 pub fn round_up_to_power_of_two(mut x: usize) -> usize {
123     x = x.wrapping_sub(1);
124     x |= x >> 1;
125     x |= x >> 2;
126     x |= x >> 4;
127     x |= x >> 8;
128     x |= x >> 16;
129     x.wrapping_add(1)
130 }
131
132 // Macro for deriving implementations of Decodable for enums
133 #[macro_export]
134 macro_rules! impl_enum_decodable {
135     ( $e:ident, $( $x:ident ),* ) => {
136         impl ::rustc_serialize::Decodable for $e {
137             fn decode<D: ::rustc_serialize::Decoder>(d: &mut D) -> Result<Self, D::Error> {
138                 let s = try!(d.read_str());
139                 match &*s {
140                     $(
141                         stringify!($x) => Ok($e::$x),
142                     )*
143                     _ => Err(d.error("Bad variant")),
144                 }
145             }
146         }
147
148         impl ::std::str::FromStr for $e {
149             type Err = &'static str;
150
151             fn from_str(s: &str) -> Result<Self, Self::Err> {
152                 match &*s {
153                     $(
154                         stringify!($x) => Ok($e::$x),
155                     )*
156                     _ => Err("Bad variant"),
157                 }
158             }
159         }
160
161         impl ::config::ConfigType for $e {
162             fn get_variant_names() -> String {
163                 let mut variants = Vec::new();
164                 $(
165                     variants.push(stringify!($x));
166                 )*
167                 format!("[{}]", variants.join("|"))
168             }
169         }
170     };
171 }
172
173 // Same as try!, but for Option
174 #[macro_export]
175 macro_rules! try_opt {
176     ($expr:expr) => (match $expr {
177         Some(val) => val,
178         None => { return None; }
179     })
180 }
181
182 // Wraps string-like values in an Option. Returns Some when the string adheres
183 // to the Rewrite constraints defined for the Rewrite trait and else otherwise.
184 pub fn wrap_str<S: AsRef<str>>(s: S, max_width: usize, width: usize, offset: Indent) -> Option<S> {
185     {
186         let snippet = s.as_ref();
187
188         if !snippet.contains('\n') && snippet.len() > width {
189             return None;
190         } else {
191             let mut lines = snippet.lines();
192
193             // The caller of this function has already placed `offset`
194             // characters on the first line.
195             let first_line_max_len = try_opt!(max_width.checked_sub(offset.width()));
196             if lines.next().unwrap().len() > first_line_max_len {
197                 return None;
198             }
199
200             // The other lines must fit within the maximum width.
201             if lines.find(|line| line.len() > max_width).is_some() {
202                 return None;
203             }
204
205             // `width` is the maximum length of the last line, excluding
206             // indentation.
207             // A special check for the last line, since the caller may
208             // place trailing characters on this line.
209             if snippet.lines().rev().next().unwrap().len() > offset.width() + width {
210                 return None;
211             }
212         }
213     }
214
215     Some(s)
216 }
217
218 impl Rewrite for String {
219     fn rewrite(&self, context: &RewriteContext, width: usize, offset: Indent) -> Option<String> {
220         wrap_str(self, context.config.max_width, width, offset).map(ToOwned::to_owned)
221     }
222 }
223
224 // Binary search in integer range. Returns the first Ok value returned by the
225 // callback.
226 // The callback takes an integer and returns either an Ok, or an Err indicating
227 // whether the `guess' was too high (Ordering::Less), or too low.
228 // This function is guaranteed to try to the hi value first.
229 pub fn binary_search<C, T>(mut lo: usize, mut hi: usize, callback: C) -> Option<T>
230     where C: Fn(usize) -> Result<T, Ordering>
231 {
232     let mut middle = hi;
233
234     while lo <= hi {
235         match callback(middle) {
236             Ok(val) => return Some(val),
237             Err(Ordering::Less) => {
238                 hi = middle - 1;
239             }
240             Err(..) => {
241                 lo = middle + 1;
242             }
243         }
244         middle = (hi + lo) / 2;
245     }
246
247     None
248 }
249
250 #[test]
251 fn bin_search_test() {
252     let closure = |i| {
253         match i {
254             4 => Ok(()),
255             j if j > 4 => Err(Ordering::Less),
256             j if j < 4 => Err(Ordering::Greater),
257             _ => unreachable!(),
258         }
259     };
260
261     assert_eq!(Some(()), binary_search(1, 10, &closure));
262     assert_eq!(None, binary_search(1, 3, &closure));
263     assert_eq!(Some(()), binary_search(0, 44, &closure));
264     assert_eq!(Some(()), binary_search(4, 125, &closure));
265     assert_eq!(None, binary_search(6, 100, &closure));
266 }
267
268 #[test]
269 fn power_rounding() {
270     assert_eq!(0, round_up_to_power_of_two(0));
271     assert_eq!(1, round_up_to_power_of_two(1));
272     assert_eq!(64, round_up_to_power_of_two(33));
273     assert_eq!(256, round_up_to_power_of_two(256));
274 }