]> git.lizzy.rs Git - rust.git/blob - src/librustc/diagnostics.rs
Auto merge of #29498 - wthrowe:replace-pattern, r=alexcrichton
[rust.git] / src / librustc / diagnostics.rs
1 // Copyright 2014 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 #![allow(non_snake_case)]
12
13 // Error messages for EXXXX errors.
14 // Each message should start and end with a new line, and be wrapped to 80 characters.
15 // In vim you can `:set tw=80` and use `gq` to wrap paragraphs. Use `:set tw=0` to disable.
16 register_long_diagnostics! {
17
18 E0001: r##"
19 This error suggests that the expression arm corresponding to the noted pattern
20 will never be reached as for all possible values of the expression being
21 matched, one of the preceding patterns will match.
22
23 This means that perhaps some of the preceding patterns are too general, this one
24 is too specific or the ordering is incorrect.
25
26 For example, the following `match` block has too many arms:
27
28 ```
29 match foo {
30     Some(bar) => {/* ... */}
31     None => {/* ... */}
32     _ => {/* ... */} // All possible cases have already been handled
33 }
34 ```
35
36 `match` blocks have their patterns matched in order, so, for example, putting
37 a wildcard arm above a more specific arm will make the latter arm irrelevant.
38
39 Ensure the ordering of the match arm is correct and remove any superfluous
40 arms.
41 "##,
42
43 E0002: r##"
44 This error indicates that an empty match expression is invalid because the type
45 it is matching on is non-empty (there exist values of this type). In safe code
46 it is impossible to create an instance of an empty type, so empty match
47 expressions are almost never desired. This error is typically fixed by adding
48 one or more cases to the match expression.
49
50 An example of an empty type is `enum Empty { }`. So, the following will work:
51
52 ```
53 fn foo(x: Empty) {
54     match x {
55         // empty
56     }
57 }
58 ```
59
60 However, this won't:
61
62 ```
63 fn foo(x: Option<String>) {
64     match x {
65         // empty
66     }
67 }
68 ```
69 "##,
70
71 E0003: r##"
72 Not-a-Number (NaN) values cannot be compared for equality and hence can never
73 match the input to a match expression. So, the following will not compile:
74
75 ```
76 const NAN: f32 = 0.0 / 0.0;
77
78 match number {
79     NAN => { /* ... */ },
80     // ...
81 }
82 ```
83
84 To match against NaN values, you should instead use the `is_nan()` method in a
85 guard, like so:
86
87 ```
88 match number {
89     // ...
90     x if x.is_nan() => { /* ... */ }
91     // ...
92 }
93 ```
94 "##,
95
96 E0004: r##"
97 This error indicates that the compiler cannot guarantee a matching pattern for
98 one or more possible inputs to a match expression. Guaranteed matches are
99 required in order to assign values to match expressions, or alternatively,
100 determine the flow of execution.
101
102 If you encounter this error you must alter your patterns so that every possible
103 value of the input type is matched. For types with a small number of variants
104 (like enums) you should probably cover all cases explicitly. Alternatively, the
105 underscore `_` wildcard pattern can be added after all other patterns to match
106 "anything else".
107 "##,
108
109 E0005: r##"
110 Patterns used to bind names must be irrefutable, that is, they must guarantee
111 that a name will be extracted in all cases. If you encounter this error you
112 probably need to use a `match` or `if let` to deal with the possibility of
113 failure.
114 "##,
115
116 E0007: r##"
117 This error indicates that the bindings in a match arm would require a value to
118 be moved into more than one location, thus violating unique ownership. Code like
119 the following is invalid as it requires the entire `Option<String>` to be moved
120 into a variable called `op_string` while simultaneously requiring the inner
121 String to be moved into a variable called `s`.
122
123 ```
124 let x = Some("s".to_string());
125 match x {
126     op_string @ Some(s) => ...
127     None => ...
128 }
129 ```
130
131 See also Error 303.
132 "##,
133
134 E0008: r##"
135 Names bound in match arms retain their type in pattern guards. As such, if a
136 name is bound by move in a pattern, it should also be moved to wherever it is
137 referenced in the pattern guard code. Doing so however would prevent the name
138 from being available in the body of the match arm. Consider the following:
139
140 ```
141 match Some("hi".to_string()) {
142     Some(s) if s.len() == 0 => // use s.
143     ...
144 }
145 ```
146
147 The variable `s` has type `String`, and its use in the guard is as a variable of
148 type `String`. The guard code effectively executes in a separate scope to the
149 body of the arm, so the value would be moved into this anonymous scope and
150 therefore become unavailable in the body of the arm. Although this example seems
151 innocuous, the problem is most clear when considering functions that take their
152 argument by value.
153
154 ```
155 match Some("hi".to_string()) {
156     Some(s) if { drop(s); false } => (),
157     Some(s) => // use s.
158     ...
159 }
160 ```
161
162 The value would be dropped in the guard then become unavailable not only in the
163 body of that arm but also in all subsequent arms! The solution is to bind by
164 reference when using guards or refactor the entire expression, perhaps by
165 putting the condition inside the body of the arm.
166 "##,
167
168 E0009: r##"
169 In a pattern, all values that don't implement the `Copy` trait have to be bound
170 the same way. The goal here is to avoid binding simultaneously by-move and
171 by-ref.
172
173 This limitation may be removed in a future version of Rust.
174
175 Wrong example:
176
177 ```
178 struct X { x: (), }
179
180 let x = Some((X { x: () }, X { x: () }));
181 match x {
182     Some((y, ref z)) => {},
183     None => panic!()
184 }
185 ```
186
187 You have two solutions:
188
189 Solution #1: Bind the pattern's values the same way.
190
191 ```
192 struct X { x: (), }
193
194 let x = Some((X { x: () }, X { x: () }));
195 match x {
196     Some((ref y, ref z)) => {},
197     // or Some((y, z)) => {}
198     None => panic!()
199 }
200 ```
201
202 Solution #2: Implement the `Copy` trait for the `X` structure.
203
204 However, please keep in mind that the first solution should be preferred.
205
206 ```
207 #[derive(Clone, Copy)]
208 struct X { x: (), }
209
210 let x = Some((X { x: () }, X { x: () }));
211 match x {
212     Some((y, ref z)) => {},
213     None => panic!()
214 }
215 ```
216 "##,
217
218 E0010: r##"
219 The value of statics and constants must be known at compile time, and they live
220 for the entire lifetime of a program. Creating a boxed value allocates memory on
221 the heap at runtime, and therefore cannot be done at compile time. Erroneous
222 code example:
223
224 ```
225 #![feature(box_syntax)]
226
227 const CON : Box<i32> = box 0;
228 ```
229 "##,
230
231 E0011: r##"
232 Initializers for constants and statics are evaluated at compile time.
233 User-defined operators rely on user-defined functions, which cannot be evaluated
234 at compile time.
235
236 Bad example:
237
238 ```
239 use std::ops::Index;
240
241 struct Foo { a: u8 }
242
243 impl Index<u8> for Foo {
244     type Output = u8;
245
246     fn index<'a>(&'a self, idx: u8) -> &'a u8 { &self.a }
247 }
248
249 const a: Foo = Foo { a: 0u8 };
250 const b: u8 = a[0]; // Index trait is defined by the user, bad!
251 ```
252
253 Only operators on builtin types are allowed.
254
255 Example:
256
257 ```
258 const a: &'static [i32] = &[1, 2, 3];
259 const b: i32 = a[0]; // Good!
260 ```
261 "##,
262
263 E0013: r##"
264 Static and const variables can refer to other const variables. But a const
265 variable cannot refer to a static variable. For example, `Y` cannot refer to `X`
266 here:
267
268 ```
269 static X: i32 = 42;
270 const Y: i32 = X;
271 ```
272
273 To fix this, the value can be extracted as a const and then used:
274
275 ```
276 const A: i32 = 42;
277 static X: i32 = A;
278 const Y: i32 = A;
279 ```
280 "##,
281
282 E0014: r##"
283 Constants can only be initialized by a constant value or, in a future
284 version of Rust, a call to a const function. This error indicates the use
285 of a path (like a::b, or x) denoting something other than one of these
286 allowed items. Example:
287
288 ```
289 const FOO: i32 = { let x = 0; x }; // 'x' isn't a constant nor a function!
290 ```
291
292 To avoid it, you have to replace the non-constant value:
293
294 ```
295 const FOO: i32 = { const X : i32 = 0; X };
296 // or even:
297 const FOO: i32 = { 0 }; // but brackets are useless here
298 ```
299 "##,
300
301 // FIXME(#24111) Change the language here when const fn stabilizes
302 E0015: r##"
303 The only functions that can be called in static or constant expressions are
304 `const` functions, and struct/enum constructors. `const` functions are only
305 available on a nightly compiler. Rust currently does not support more general
306 compile-time function execution.
307
308 ```
309 const FOO: Option<u8> = Some(1); // enum constructor
310 struct Bar {x: u8}
311 const BAR: Bar = Bar {x: 1}; // struct constructor
312 ```
313
314 See [RFC 911] for more details on the design of `const fn`s.
315
316 [RFC 911]: https://github.com/rust-lang/rfcs/blob/master/text/0911-const-fn.md
317 "##,
318
319 E0016: r##"
320 Blocks in constants may only contain items (such as constant, function
321 definition, etc...) and a tail expression. Example:
322
323 ```
324 const FOO: i32 = { let x = 0; x }; // 'x' isn't an item!
325 ```
326
327 To avoid it, you have to replace the non-item object:
328
329 ```
330 const FOO: i32 = { const X : i32 = 0; X };
331 ```
332 "##,
333
334 E0017: r##"
335 References in statics and constants may only refer to immutable values. Example:
336
337 ```
338 static X: i32 = 1;
339 const C: i32 = 2;
340
341 // these three are not allowed:
342 const CR: &'static mut i32 = &mut C;
343 static STATIC_REF: &'static mut i32 = &mut X;
344 static CONST_REF: &'static mut i32 = &mut C;
345 ```
346
347 Statics are shared everywhere, and if they refer to mutable data one might
348 violate memory safety since holding multiple mutable references to shared data
349 is not allowed.
350
351 If you really want global mutable state, try using `static mut` or a global
352 `UnsafeCell`.
353 "##,
354
355 E0018: r##"
356 The value of static and const variables must be known at compile time. You
357 can't cast a pointer as an integer because we can't know what value the
358 address will take.
359
360 However, pointers to other constants' addresses are allowed in constants,
361 example:
362
363 ```
364 const X: u32 = 50;
365 const Y: *const u32 = &X;
366 ```
367
368 Therefore, casting one of these non-constant pointers to an integer results
369 in a non-constant integer which lead to this error. Example:
370
371 ```
372 const X: u32 = 1;
373 const Y: usize = &X as *const u32 as usize;
374 println!("{}", Y);
375 ```
376 "##,
377
378 E0019: r##"
379 A function call isn't allowed in the const's initialization expression
380 because the expression's value must be known at compile-time. Example of
381 erroneous code:
382
383 ```
384 enum Test {
385     V1
386 }
387
388 impl Test {
389     fn test(&self) -> i32 {
390         12
391     }
392 }
393
394 fn main() {
395     const FOO: Test = Test::V1;
396
397     const A: i32 = FOO.test(); // You can't call Test::func() here !
398 }
399 ```
400
401 Remember: you can't use a function call inside a const's initialization
402 expression! However, you can totally use it anywhere else:
403
404 ```
405 fn main() {
406     const FOO: Test = Test::V1;
407
408     FOO.func(); // here is good
409     let x = FOO.func(); // or even here!
410 }
411 ```
412 "##,
413
414 E0020: r##"
415 This error indicates that an attempt was made to divide by zero (or take the
416 remainder of a zero divisor) in a static or constant expression. Erroneous
417 code example:
418
419 ```
420 const X: i32 = 42 / 0;
421 // error: attempted to divide by zero in a constant expression
422 ```
423 "##,
424
425 E0022: r##"
426 Constant functions are not allowed to mutate anything. Thus, binding to an
427 argument with a mutable pattern is not allowed. For example,
428
429 ```
430 const fn foo(mut x: u8) {
431     // do stuff
432 }
433 ```
434
435 is bad because the function body may not mutate `x`.
436
437 Remove any mutable bindings from the argument list to fix this error. In case
438 you need to mutate the argument, try lazily initializing a global variable
439 instead of using a `const fn`, or refactoring the code to a functional style to
440 avoid mutation if possible.
441 "##,
442
443 E0030: r##"
444 When matching against a range, the compiler verifies that the range is
445 non-empty.  Range patterns include both end-points, so this is equivalent to
446 requiring the start of the range to be less than or equal to the end of the
447 range.
448
449 For example:
450
451 ```
452 match 5u32 {
453     // This range is ok, albeit pointless.
454     1 ... 1 => ...
455     // This range is empty, and the compiler can tell.
456     1000 ... 5 => ...
457 }
458 ```
459 "##,
460
461 E0038: r####"
462 Trait objects like `Box<Trait>` can only be constructed when certain
463 requirements are satisfied by the trait in question.
464
465 Trait objects are a form of dynamic dispatch and use a dynamically sized type
466 for the inner type. So, for a given trait `Trait`, when `Trait` is treated as a
467 type, as in `Box<Trait>`, the inner type is 'unsized'. In such cases the boxed
468 pointer is a 'fat pointer' that contains an extra pointer to a table of methods
469 (among other things) for dynamic dispatch. This design mandates some
470 restrictions on the types of traits that are allowed to be used in trait
471 objects, which are collectively termed as 'object safety' rules.
472
473 Attempting to create a trait object for a non object-safe trait will trigger
474 this error.
475
476 There are various rules:
477
478 ### The trait cannot require `Self: Sized`
479
480 When `Trait` is treated as a type, the type does not implement the special
481 `Sized` trait, because the type does not have a known size at compile time and
482 can only be accessed behind a pointer. Thus, if we have a trait like the
483 following:
484
485 ```
486 trait Foo where Self: Sized {
487
488 }
489 ```
490
491 we cannot create an object of type `Box<Foo>` or `&Foo` since in this case
492 `Self` would not be `Sized`.
493
494 Generally, `Self : Sized` is used to indicate that the trait should not be used
495 as a trait object. If the trait comes from your own crate, consider removing
496 this restriction.
497
498 ### Method references the `Self` type in its arguments or return type
499
500 This happens when a trait has a method like the following:
501
502 ```
503 trait Trait {
504     fn foo(&self) -> Self;
505 }
506
507 impl Trait for String {
508     fn foo(&self) -> Self {
509         "hi".to_owned()
510     }
511 }
512
513 impl Trait for u8 {
514     fn foo(&self) -> Self {
515         1
516     }
517 }
518 ```
519
520 (Note that `&self` and `&mut self` are okay, it's additional `Self` types which
521 cause this problem)
522
523 In such a case, the compiler cannot predict the return type of `foo()` in a
524 situation like the following:
525
526 ```
527 fn call_foo(x: Box<Trait>) {
528     let y = x.foo(); // What type is y?
529     // ...
530 }
531 ```
532
533 If only some methods aren't object-safe, you can add a `where Self: Sized` bound
534 on them to mark them as explicitly unavailable to trait objects. The
535 functionality will still be available to all other implementers, including
536 `Box<Trait>` which is itself sized (assuming you `impl Trait for Box<Trait>`).
537
538 ```
539 trait Trait {
540     fn foo(&self) -> Self where Self: Sized;
541     // more functions
542 }
543 ```
544
545 Now, `foo()` can no longer be called on a trait object, but you will now be
546 allowed to make a trait object, and that will be able to call any object-safe
547 methods". With such a bound, one can still call `foo()` on types implementing
548 that trait that aren't behind trait objects.
549
550 ### Method has generic type parameters
551
552 As mentioned before, trait objects contain pointers to method tables. So, if we
553 have:
554
555 ```
556 trait Trait {
557     fn foo(&self);
558 }
559 impl Trait for String {
560     fn foo(&self) {
561         // implementation 1
562     }
563 }
564 impl Trait for u8 {
565     fn foo(&self) {
566         // implementation 2
567     }
568 }
569 // ...
570 ```
571
572 At compile time each implementation of `Trait` will produce a table containing
573 the various methods (and other items) related to the implementation.
574
575 This works fine, but when the method gains generic parameters, we can have a
576 problem.
577
578 Usually, generic parameters get _monomorphized_. For example, if I have
579
580 ```
581 fn foo<T>(x: T) {
582     // ...
583 }
584 ```
585
586 the machine code for `foo::<u8>()`, `foo::<bool>()`, `foo::<String>()`, or any
587 other type substitution is different. Hence the compiler generates the
588 implementation on-demand. If you call `foo()` with a `bool` parameter, the
589 compiler will only generate code for `foo::<bool>()`. When we have additional
590 type parameters, the number of monomorphized implementations the compiler
591 generates does not grow drastically, since the compiler will only generate an
592 implementation if the function is called with unparametrized substitutions
593 (i.e., substitutions where none of the substituted types are themselves
594 parametrized).
595
596 However, with trait objects we have to make a table containing _every_ object
597 that implements the trait. Now, if it has type parameters, we need to add
598 implementations for every type that implements the trait, and there could
599 theoretically be an infinite number of types.
600
601 For example, with:
602
603 ```
604 trait Trait {
605     fn foo<T>(&self, on: T);
606     // more methods
607 }
608 impl Trait for String {
609     fn foo<T>(&self, on: T) {
610         // implementation 1
611     }
612 }
613 impl Trait for u8 {
614     fn foo<T>(&self, on: T) {
615         // implementation 2
616     }
617 }
618 // 8 more implementations
619 ```
620
621 Now, if we have the following code:
622
623 ```
624 fn call_foo(thing: Box<Trait>) {
625     thing.foo(true); // this could be any one of the 8 types above
626     thing.foo(1);
627     thing.foo("hello");
628 }
629 ```
630
631 we don't just need to create a table of all implementations of all methods of
632 `Trait`, we need to create such a table, for each different type fed to
633 `foo()`. In this case this turns out to be (10 types implementing `Trait`)*(3
634 types being fed to `foo()`) = 30 implementations!
635
636 With real world traits these numbers can grow drastically.
637
638 To fix this, it is suggested to use a `where Self: Sized` bound similar to the
639 fix for the sub-error above if you do not intend to call the method with type
640 parameters:
641
642 ```
643 trait Trait {
644     fn foo<T>(&self, on: T) where Self: Sized;
645     // more methods
646 }
647 ```
648
649 If this is not an option, consider replacing the type parameter with another
650 trait object (e.g. if `T: OtherTrait`, use `on: Box<OtherTrait>`). If the number
651 of types you intend to feed to this method is limited, consider manually listing
652 out the methods of different types.
653
654 ### Method has no receiver
655
656 Methods that do not take a `self` parameter can't be called since there won't be
657 a way to get a pointer to the method table for them
658
659 ```
660 trait Foo {
661     fn foo() -> u8;
662 }
663 ```
664
665 This could be called as `<Foo as Foo>::foo()`, which would not be able to pick
666 an implementation.
667
668 Adding a `Self: Sized` bound to these methods will generally make this compile.
669
670 ```
671 trait Foo {
672     fn foo() -> u8 where Self: Sized;
673 }
674 ```
675
676 ### The trait cannot use `Self` as a type parameter in the supertrait listing
677
678 This is similar to the second sub-error, but subtler. It happens in situations
679 like the following:
680
681 ```
682 trait Super<A> {}
683
684 trait Trait: Super<Self> {
685 }
686
687 struct Foo;
688
689 impl Super<Foo> for Foo{}
690
691 impl Trait for Foo {}
692 ```
693
694 Here, the supertrait might have methods as follows:
695
696 ```
697 trait Super<A> {
698     fn get_a(&self) -> A; // note that this is object safe!
699 }
700 ```
701
702 If the trait `Foo` was deriving from something like `Super<String>` or
703 `Super<T>` (where `Foo` itself is `Foo<T>`), this is okay, because given a type
704 `get_a()` will definitely return an object of that type.
705
706 However, if it derives from `Super<Self>`, even though `Super` is object safe,
707 the method `get_a()` would return an object of unknown type when called on the
708 function. `Self` type parameters let us make object safe traits no longer safe,
709 so they are forbidden when specifying supertraits.
710
711 There's no easy fix for this, generally code will need to be refactored so that
712 you no longer need to derive from `Super<Self>`.
713 "####,
714
715 E0109: r##"
716 You tried to give a type parameter to a type which doesn't need it. Erroneous
717 code example:
718
719 ```
720 type X = u32<i32>; // error: type parameters are not allowed on this type
721 ```
722
723 Please check that you used the correct type and recheck its definition. Perhaps
724 it doesn't need the type parameter.
725
726 Example:
727
728 ```
729 type X = u32; // this compiles
730 ```
731
732 Note that type parameters for enum-variant constructors go after the variant,
733 not after the enum (Option::None::<u32>, not Option::<u32>::None).
734 "##,
735
736 E0110: r##"
737 You tried to give a lifetime parameter to a type which doesn't need it.
738 Erroneous code example:
739
740 ```
741 type X = u32<'static>; // error: lifetime parameters are not allowed on
742                        //        this type
743 ```
744
745 Please check that the correct type was used and recheck its definition; perhaps
746 it doesn't need the lifetime parameter. Example:
747
748 ```
749 type X = u32; // ok!
750 ```
751 "##,
752
753 E0133: r##"
754 Using unsafe functionality, is potentially dangerous and disallowed
755 by safety checks. Examples:
756
757 - Dereferencing raw pointers
758 - Calling functions via FFI
759 - Calling functions marked unsafe
760
761 These safety checks can be relaxed for a section of the code
762 by wrapping the unsafe instructions with an `unsafe` block. For instance:
763
764 ```
765 unsafe fn f() { return; }
766
767 fn main() {
768     unsafe { f(); }
769 }
770 ```
771
772 See also https://doc.rust-lang.org/book/unsafe.html
773 "##,
774
775 // This shouldn't really ever trigger since the repeated value error comes first
776 E0136: r##"
777 A binary can only have one entry point, and by default that entry point is the
778 function `main()`. If there are multiple such functions, please rename one.
779 "##,
780
781 E0137: r##"
782 This error indicates that the compiler found multiple functions with the
783 `#[main]` attribute. This is an error because there must be a unique entry
784 point into a Rust program.
785 "##,
786
787 E0138: r##"
788 This error indicates that the compiler found multiple functions with the
789 `#[start]` attribute. This is an error because there must be a unique entry
790 point into a Rust program.
791 "##,
792
793 // FIXME link this to the relevant turpl chapters for instilling fear of the
794 //       transmute gods in the user
795 E0139: r##"
796 There are various restrictions on transmuting between types in Rust; for example
797 types being transmuted must have the same size. To apply all these restrictions,
798 the compiler must know the exact types that may be transmuted. When type
799 parameters are involved, this cannot always be done.
800
801 So, for example, the following is not allowed:
802
803 ```
804 struct Foo<T>(Vec<T>)
805
806 fn foo<T>(x: Vec<T>) {
807     // we are transmuting between Vec<T> and Foo<T> here
808     let y: Foo<T> = unsafe { transmute(x) };
809     // do something with y
810 }
811 ```
812
813 In this specific case there's a good chance that the transmute is harmless (but
814 this is not guaranteed by Rust). However, when alignment and enum optimizations
815 come into the picture, it's quite likely that the sizes may or may not match
816 with different type parameter substitutions. It's not possible to check this for
817 _all_ possible types, so `transmute()` simply only accepts types without any
818 unsubstituted type parameters.
819
820 If you need this, there's a good chance you're doing something wrong. Keep in
821 mind that Rust doesn't guarantee much about the layout of different structs
822 (even two structs with identical declarations may have different layouts). If
823 there is a solution that avoids the transmute entirely, try it instead.
824
825 If it's possible, hand-monomorphize the code by writing the function for each
826 possible type substitution. It's possible to use traits to do this cleanly,
827 for example:
828
829 ```
830 trait MyTransmutableType {
831     fn transmute(Vec<Self>) -> Foo<Self>
832 }
833
834 impl MyTransmutableType for u8 {
835     fn transmute(x: Foo<u8>) -> Vec<u8> {
836         transmute(x)
837     }
838 }
839 impl MyTransmutableType for String {
840     fn transmute(x: Foo<String>) -> Vec<String> {
841         transmute(x)
842     }
843 }
844 // ... more impls for the types you intend to transmute
845
846 fn foo<T: MyTransmutableType>(x: Vec<T>) {
847     let y: Foo<T> = <T as MyTransmutableType>::transmute(x);
848     // do something with y
849 }
850 ```
851
852 Each impl will be checked for a size match in the transmute as usual, and since
853 there are no unbound type parameters involved, this should compile unless there
854 is a size mismatch in one of the impls.
855
856 It is also possible to manually transmute:
857
858 ```
859 ptr::read(&v as *const _ as *const SomeType) // `v` transmuted to `SomeType`
860 ```
861
862 Note that this does not move `v` (unlike `transmute`), and may need a
863 call to `mem::forget(v)` in case you want to avoid destructors being called.
864 "##,
865
866 E0152: r##"
867 Lang items are already implemented in the standard library. Unless you are
868 writing a free-standing application (e.g. a kernel), you do not need to provide
869 them yourself.
870
871 You can build a free-standing crate by adding `#![no_std]` to the crate
872 attributes:
873
874 ```
875 #![no_std]
876 ```
877
878 See also https://doc.rust-lang.org/book/no-stdlib.html
879 "##,
880
881 E0158: r##"
882 `const` and `static` mean different things. A `const` is a compile-time
883 constant, an alias for a literal value. This property means you can match it
884 directly within a pattern.
885
886 The `static` keyword, on the other hand, guarantees a fixed location in memory.
887 This does not always mean that the value is constant. For example, a global
888 mutex can be declared `static` as well.
889
890 If you want to match against a `static`, consider using a guard instead:
891
892 ```
893 static FORTY_TWO: i32 = 42;
894 match Some(42) {
895     Some(x) if x == FORTY_TWO => ...
896     ...
897 }
898 ```
899 "##,
900
901 E0161: r##"
902 In Rust, you can only move a value when its size is known at compile time.
903
904 To work around this restriction, consider "hiding" the value behind a reference:
905 either `&x` or `&mut x`. Since a reference has a fixed size, this lets you move
906 it around as usual.
907 "##,
908
909 E0162: r##"
910 An if-let pattern attempts to match the pattern, and enters the body if the
911 match was successful. If the match is irrefutable (when it cannot fail to
912 match), use a regular `let`-binding instead. For instance:
913
914 ```
915 struct Irrefutable(i32);
916 let irr = Irrefutable(0);
917
918 // This fails to compile because the match is irrefutable.
919 if let Irrefutable(x) = irr {
920     // This body will always be executed.
921     foo(x);
922 }
923
924 // Try this instead:
925 let Irrefutable(x) = irr;
926 foo(x);
927 ```
928 "##,
929
930 E0165: r##"
931 A while-let pattern attempts to match the pattern, and enters the body if the
932 match was successful. If the match is irrefutable (when it cannot fail to
933 match), use a regular `let`-binding inside a `loop` instead. For instance:
934
935 ```
936 struct Irrefutable(i32);
937 let irr = Irrefutable(0);
938
939 // This fails to compile because the match is irrefutable.
940 while let Irrefutable(x) = irr {
941     ...
942 }
943
944 // Try this instead:
945 loop {
946     let Irrefutable(x) = irr;
947     ...
948 }
949 ```
950 "##,
951
952 E0170: r##"
953 Enum variants are qualified by default. For example, given this type:
954
955 ```
956 enum Method {
957     GET,
958     POST
959 }
960 ```
961
962 you would match it using:
963
964 ```
965 match m {
966     Method::GET => ...
967     Method::POST => ...
968 }
969 ```
970
971 If you don't qualify the names, the code will bind new variables named "GET" and
972 "POST" instead. This behavior is likely not what you want, so `rustc` warns when
973 that happens.
974
975 Qualified names are good practice, and most code works well with them. But if
976 you prefer them unqualified, you can import the variants into scope:
977
978 ```
979 use Method::*;
980 enum Method { GET, POST }
981 ```
982
983 If you want others to be able to import variants from your module directly, use
984 `pub use`:
985
986 ```
987 pub use Method::*;
988 enum Method { GET, POST }
989 ```
990 "##,
991
992 E0229: r##"
993 An associated type binding was done outside of the type parameter declaration
994 and `where` clause. Erroneous code example:
995
996 ```
997 pub trait Foo {
998     type A;
999     fn boo(&self) -> <Self as Foo>::A;
1000 }
1001
1002 struct Bar;
1003
1004 impl Foo for isize {
1005     type A = usize;
1006     fn boo(&self) -> usize { 42 }
1007 }
1008
1009 fn baz<I>(x: &<I as Foo<A=Bar>>::A) {}
1010 // error: associated type bindings are not allowed here
1011 ```
1012
1013 To solve this error, please move the type bindings in the type parameter
1014 declaration:
1015
1016 ```
1017 fn baz<I: Foo<A=Bar>>(x: &<I as Foo>::A) {} // ok!
1018 ```
1019
1020 or in the `where` clause:
1021
1022 ```
1023 fn baz<I>(x: &<I as Foo>::A) where I: Foo<A=Bar> {}
1024 ```
1025 "##,
1026
1027 E0261: r##"
1028 When using a lifetime like `'a` in a type, it must be declared before being
1029 used.
1030
1031 These two examples illustrate the problem:
1032
1033 ```
1034 // error, use of undeclared lifetime name `'a`
1035 fn foo(x: &'a str) { }
1036
1037 struct Foo {
1038     // error, use of undeclared lifetime name `'a`
1039     x: &'a str,
1040 }
1041 ```
1042
1043 These can be fixed by declaring lifetime parameters:
1044
1045 ```
1046 fn foo<'a>(x: &'a str) { }
1047
1048 struct Foo<'a> {
1049     x: &'a str,
1050 }
1051 ```
1052 "##,
1053
1054 E0262: r##"
1055 Declaring certain lifetime names in parameters is disallowed. For example,
1056 because the `'static` lifetime is a special built-in lifetime name denoting
1057 the lifetime of the entire program, this is an error:
1058
1059 ```
1060 // error, invalid lifetime parameter name `'static`
1061 fn foo<'static>(x: &'static str) { }
1062 ```
1063 "##,
1064
1065 E0263: r##"
1066 A lifetime name cannot be declared more than once in the same scope. For
1067 example:
1068
1069 ```
1070 // error, lifetime name `'a` declared twice in the same scope
1071 fn foo<'a, 'b, 'a>(x: &'a str, y: &'b str) { }
1072 ```
1073 "##,
1074
1075 E0264: r##"
1076 An unknown external lang item was used. Erroneous code example:
1077
1078 ```
1079 #![feature(lang_items)]
1080
1081 extern "C" {
1082     #[lang = "cake"] // error: unknown external lang item: `cake`
1083     fn cake();
1084 }
1085 ```
1086
1087 A list of available external lang items is available in
1088 `src/librustc/middle/weak_lang_items.rs`. Example:
1089
1090 ```
1091 #![feature(lang_items)]
1092
1093 extern "C" {
1094     #[lang = "panic_fmt"] // ok!
1095     fn cake();
1096 }
1097 ```
1098 "##,
1099
1100 E0265: r##"
1101 This error indicates that a static or constant references itself.
1102 All statics and constants need to resolve to a value in an acyclic manner.
1103
1104 For example, neither of the following can be sensibly compiled:
1105
1106 ```
1107 const X: u32 = X;
1108 ```
1109
1110 ```
1111 const X: u32 = Y;
1112 const Y: u32 = X;
1113 ```
1114 "##,
1115
1116 E0267: r##"
1117 This error indicates the use of a loop keyword (`break` or `continue`) inside a
1118 closure but outside of any loop. Erroneous code example:
1119
1120 ```
1121 let w = || { break; }; // error: `break` inside of a closure
1122 ```
1123
1124 `break` and `continue` keywords can be used as normal inside closures as long as
1125 they are also contained within a loop. To halt the execution of a closure you
1126 should instead use a return statement. Example:
1127
1128 ```
1129 let w = || {
1130     for _ in 0..10 {
1131         break;
1132     }
1133 };
1134
1135 w();
1136 ```
1137 "##,
1138
1139 E0268: r##"
1140 This error indicates the use of a loop keyword (`break` or `continue`) outside
1141 of a loop. Without a loop to break out of or continue in, no sensible action can
1142 be taken. Erroneous code example:
1143
1144 ```
1145 fn some_func() {
1146     break; // error: `break` outside of loop
1147 }
1148 ```
1149
1150 Please verify that you are using `break` and `continue` only in loops. Example:
1151
1152 ```
1153 fn some_func() {
1154     for _ in 0..10 {
1155         break; // ok!
1156     }
1157 }
1158 ```
1159 "##,
1160
1161 E0269: r##"
1162 Functions must eventually return a value of their return type. For example, in
1163 the following function
1164
1165 ```
1166 fn foo(x: u8) -> u8 {
1167     if x > 0 {
1168         x // alternatively, `return x`
1169     }
1170     // nothing here
1171 }
1172 ```
1173
1174 if the condition is true, the value `x` is returned, but if the condition is
1175 false, control exits the `if` block and reaches a place where nothing is being
1176 returned. All possible control paths must eventually return a `u8`, which is not
1177 happening here.
1178
1179 An easy fix for this in a complicated function is to specify a default return
1180 value, if possible:
1181
1182 ```
1183 fn foo(x: u8) -> u8 {
1184     if x > 0 {
1185         x // alternatively, `return x`
1186     }
1187     // lots of other if branches
1188     0 // return 0 if all else fails
1189 }
1190 ```
1191
1192 It is advisable to find out what the unhandled cases are and check for them,
1193 returning an appropriate value or panicking if necessary.
1194 "##,
1195
1196 E0270: r##"
1197 Rust lets you define functions which are known to never return, i.e. are
1198 'diverging', by marking its return type as `!`.
1199
1200 For example, the following functions never return:
1201
1202 ```
1203 fn foo() -> ! {
1204     loop {}
1205 }
1206
1207 fn bar() -> ! {
1208     foo() // foo() is diverging, so this will diverge too
1209 }
1210
1211 fn baz() -> ! {
1212     panic!(); // this macro internally expands to a call to a diverging function
1213 }
1214
1215 ```
1216
1217 Such functions can be used in a place where a value is expected without
1218 returning a value of that type,  for instance:
1219
1220 ```
1221 let y = match x {
1222     1 => 1,
1223     2 => 4,
1224     _ => foo() // diverging function called here
1225 };
1226 println!("{}", y)
1227 ```
1228
1229 If the third arm of the match block is reached, since `foo()` doesn't ever
1230 return control to the match block, it is fine to use it in a place where an
1231 integer was expected. The `match` block will never finish executing, and any
1232 point where `y` (like the print statement) is needed will not be reached.
1233
1234 However, if we had a diverging function that actually does finish execution
1235
1236 ```
1237 fn foo() -> {
1238     loop {break;}
1239 }
1240 ```
1241
1242 then we would have an unknown value for `y` in the following code:
1243
1244 ```
1245 let y = match x {
1246     1 => 1,
1247     2 => 4,
1248     _ => foo()
1249 };
1250 println!("{}", y);
1251 ```
1252
1253 In the previous example, the print statement was never reached when the wildcard
1254 match arm was hit, so we were okay with `foo()` not returning an integer that we
1255 could set to `y`. But in this example, `foo()` actually does return control, so
1256 the print statement will be executed with an uninitialized value.
1257
1258 Obviously we cannot have functions which are allowed to be used in such
1259 positions and yet can return control. So, if you are defining a function that
1260 returns `!`, make sure that there is no way for it to actually finish executing.
1261 "##,
1262
1263 E0271: r##"
1264 This is because of a type mismatch between the associated type of some
1265 trait (e.g. `T::Bar`, where `T` implements `trait Quux { type Bar; }`)
1266 and another type `U` that is required to be equal to `T::Bar`, but is not.
1267 Examples follow.
1268
1269 Here is a basic example:
1270
1271 ```
1272 trait Trait { type AssociatedType; }
1273 fn foo<T>(t: T) where T: Trait<AssociatedType=u32> {
1274     println!("in foo");
1275 }
1276 impl Trait for i8 { type AssociatedType = &'static str; }
1277 foo(3_i8);
1278 ```
1279
1280 Here is that same example again, with some explanatory comments:
1281
1282 ```
1283 trait Trait { type AssociatedType; }
1284
1285 fn foo<T>(t: T) where T: Trait<AssociatedType=u32> {
1286 //                    ~~~~~~~~ ~~~~~~~~~~~~~~~~~~
1287 //                        |            |
1288 //         This says `foo` can         |
1289 //           only be used with         |
1290 //              some type that         |
1291 //         implements `Trait`.         |
1292 //                                     |
1293 //                             This says not only must
1294 //                             `T` be an impl of `Trait`
1295 //                             but also that the impl
1296 //                             must assign the type `u32`
1297 //                             to the associated type.
1298     println!("in foo");
1299 }
1300
1301 impl Trait for i8 { type AssociatedType = &'static str; }
1302 ~~~~~~~~~~~~~~~~~   ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
1303 //      |                             |
1304 // `i8` does have                     |
1305 // implementation                     |
1306 // of `Trait`...                      |
1307 //                     ... but it is an implementation
1308 //                     that assigns `&'static str` to
1309 //                     the associated type.
1310
1311 foo(3_i8);
1312 // Here, we invoke `foo` with an `i8`, which does not satisfy
1313 // the constraint `<i8 as Trait>::AssociatedType=u32`, and
1314 // therefore the type-checker complains with this error code.
1315 ```
1316
1317 Here is a more subtle instance of the same problem, that can
1318 arise with for-loops in Rust:
1319
1320 ```
1321 let vs: Vec<i32> = vec![1, 2, 3, 4];
1322 for v in &vs {
1323     match v {
1324         1 => {}
1325         _ => {}
1326     }
1327 }
1328 ```
1329
1330 The above fails because of an analogous type mismatch,
1331 though may be harder to see. Again, here are some
1332 explanatory comments for the same example:
1333
1334 ```
1335 {
1336     let vs = vec![1, 2, 3, 4];
1337
1338     // `for`-loops use a protocol based on the `Iterator`
1339     // trait. Each item yielded in a `for` loop has the
1340     // type `Iterator::Item` -- that is, `Item` is the
1341     // associated type of the concrete iterator impl.
1342     for v in &vs {
1343 //      ~    ~~~
1344 //      |     |
1345 //      |    We borrow `vs`, iterating over a sequence of
1346 //      |    *references* of type `&Elem` (where `Elem` is
1347 //      |    vector's element type). Thus, the associated
1348 //      |    type `Item` must be a reference `&`-type ...
1349 //      |
1350 //  ... and `v` has the type `Iterator::Item`, as dictated by
1351 //  the `for`-loop protocol ...
1352
1353         match v {
1354             1 => {}
1355 //          ~
1356 //          |
1357 // ... but *here*, `v` is forced to have some integral type;
1358 // only types like `u8`,`i8`,`u16`,`i16`, et cetera can
1359 // match the pattern `1` ...
1360
1361             _ => {}
1362         }
1363
1364 // ... therefore, the compiler complains, because it sees
1365 // an attempt to solve the equations
1366 // `some integral-type` = type-of-`v`
1367 //                      = `Iterator::Item`
1368 //                      = `&Elem` (i.e. `some reference type`)
1369 //
1370 // which cannot possibly all be true.
1371
1372     }
1373 }
1374 ```
1375
1376 To avoid those issues, you have to make the types match correctly.
1377 So we can fix the previous examples like this:
1378
1379 ```
1380 // Basic Example:
1381 trait Trait { type AssociatedType; }
1382 fn foo<T>(t: T) where T: Trait<AssociatedType = &'static str> {
1383     println!("in foo");
1384 }
1385 impl Trait for i8 { type AssociatedType = &'static str; }
1386 foo(3_i8);
1387
1388 // For-Loop Example:
1389 let vs = vec![1, 2, 3, 4];
1390 for v in &vs {
1391     match v {
1392         &1 => {}
1393         _ => {}
1394     }
1395 }
1396 ```
1397 "##,
1398
1399 E0272: r##"
1400 The `#[rustc_on_unimplemented]` attribute lets you specify a custom error
1401 message for when a particular trait isn't implemented on a type placed in a
1402 position that needs that trait. For example, when the following code is
1403 compiled:
1404
1405 ```
1406 fn foo<T: Index<u8>>(x: T){}
1407
1408 #[rustc_on_unimplemented = "the type `{Self}` cannot be indexed by `{Idx}`"]
1409 trait Index<Idx> { ... }
1410
1411 foo(true); // `bool` does not implement `Index<u8>`
1412 ```
1413
1414 there will be an error about `bool` not implementing `Index<u8>`, followed by a
1415 note saying "the type `bool` cannot be indexed by `u8`".
1416
1417 As you can see, you can specify type parameters in curly braces for substitution
1418 with the actual types (using the regular format string syntax) in a given
1419 situation. Furthermore, `{Self}` will substitute to the type (in this case,
1420 `bool`) that we tried to use.
1421
1422 This error appears when the curly braces contain an identifier which doesn't
1423 match with any of the type parameters or the string `Self`. This might happen if
1424 you misspelled a type parameter, or if you intended to use literal curly braces.
1425 If it is the latter, escape the curly braces with a second curly brace of the
1426 same type; e.g. a literal `{` is `{{`
1427 "##,
1428
1429 E0273: r##"
1430 The `#[rustc_on_unimplemented]` attribute lets you specify a custom error
1431 message for when a particular trait isn't implemented on a type placed in a
1432 position that needs that trait. For example, when the following code is
1433 compiled:
1434
1435 ```
1436 fn foo<T: Index<u8>>(x: T){}
1437
1438 #[rustc_on_unimplemented = "the type `{Self}` cannot be indexed by `{Idx}`"]
1439 trait Index<Idx> { ... }
1440
1441 foo(true); // `bool` does not implement `Index<u8>`
1442 ```
1443
1444 there will be an error about `bool` not implementing `Index<u8>`, followed by a
1445 note saying "the type `bool` cannot be indexed by `u8`".
1446
1447 As you can see, you can specify type parameters in curly braces for substitution
1448 with the actual types (using the regular format string syntax) in a given
1449 situation. Furthermore, `{Self}` will substitute to the type (in this case,
1450 `bool`) that we tried to use.
1451
1452 This error appears when the curly braces do not contain an identifier. Please
1453 add one of the same name as a type parameter. If you intended to use literal
1454 braces, use `{{` and `}}` to escape them.
1455 "##,
1456
1457 E0274: r##"
1458 The `#[rustc_on_unimplemented]` attribute lets you specify a custom error
1459 message for when a particular trait isn't implemented on a type placed in a
1460 position that needs that trait. For example, when the following code is
1461 compiled:
1462
1463 ```
1464 fn foo<T: Index<u8>>(x: T){}
1465
1466 #[rustc_on_unimplemented = "the type `{Self}` cannot be indexed by `{Idx}`"]
1467 trait Index<Idx> { ... }
1468
1469 foo(true); // `bool` does not implement `Index<u8>`
1470 ```
1471
1472 there will be an error about `bool` not implementing `Index<u8>`, followed by a
1473 note saying "the type `bool` cannot be indexed by `u8`".
1474
1475 For this to work, some note must be specified. An empty attribute will not do
1476 anything, please remove the attribute or add some helpful note for users of the
1477 trait.
1478 "##,
1479
1480 E0275: r##"
1481 This error occurs when there was a recursive trait requirement that overflowed
1482 before it could be evaluated. Often this means that there is unbounded recursion
1483 in resolving some type bounds.
1484
1485 For example, in the following code
1486
1487 ```
1488 trait Foo {}
1489
1490 struct Bar<T>(T);
1491
1492 impl<T> Foo for T where Bar<T>: Foo {}
1493 ```
1494
1495 to determine if a `T` is `Foo`, we need to check if `Bar<T>` is `Foo`. However,
1496 to do this check, we need to determine that `Bar<Bar<T>>` is `Foo`. To determine
1497 this, we check if `Bar<Bar<Bar<T>>>` is `Foo`, and so on. This is clearly a
1498 recursive requirement that can't be resolved directly.
1499
1500 Consider changing your trait bounds so that they're less self-referential.
1501 "##,
1502
1503 E0276: r##"
1504 This error occurs when a bound in an implementation of a trait does not match
1505 the bounds specified in the original trait. For example:
1506
1507 ```
1508 trait Foo {
1509  fn foo<T>(x: T);
1510 }
1511
1512 impl Foo for bool {
1513  fn foo<T>(x: T) where T: Copy {}
1514 }
1515 ```
1516
1517 Here, all types implementing `Foo` must have a method `foo<T>(x: T)` which can
1518 take any type `T`. However, in the `impl` for `bool`, we have added an extra
1519 bound that `T` is `Copy`, which isn't compatible with the original trait.
1520
1521 Consider removing the bound from the method or adding the bound to the original
1522 method definition in the trait.
1523 "##,
1524
1525 E0277: r##"
1526 You tried to use a type which doesn't implement some trait in a place which
1527 expected that trait. Erroneous code example:
1528
1529 ```
1530 // here we declare the Foo trait with a bar method
1531 trait Foo {
1532     fn bar(&self);
1533 }
1534
1535 // we now declare a function which takes an object implementing the Foo trait
1536 fn some_func<T: Foo>(foo: T) {
1537     foo.bar();
1538 }
1539
1540 fn main() {
1541     // we now call the method with the i32 type, which doesn't implement
1542     // the Foo trait
1543     some_func(5i32); // error: the trait `Foo` is not implemented for the
1544                      //     type `i32`
1545 }
1546 ```
1547
1548 In order to fix this error, verify that the type you're using does implement
1549 the trait. Example:
1550
1551 ```
1552 trait Foo {
1553     fn bar(&self);
1554 }
1555
1556 fn some_func<T: Foo>(foo: T) {
1557     foo.bar(); // we can now use this method since i32 implements the
1558                // Foo trait
1559 }
1560
1561 // we implement the trait on the i32 type
1562 impl Foo for i32 {
1563     fn bar(&self) {}
1564 }
1565
1566 fn main() {
1567     some_func(5i32); // ok!
1568 }
1569 ```
1570 "##,
1571
1572 E0281: r##"
1573 You tried to supply a type which doesn't implement some trait in a location
1574 which expected that trait. This error typically occurs when working with
1575 `Fn`-based types. Erroneous code example:
1576
1577 ```
1578 fn foo<F: Fn()>(x: F) { }
1579
1580 fn main() {
1581     // type mismatch: the type ... implements the trait `core::ops::Fn<(_,)>`,
1582     // but the trait `core::ops::Fn<()>` is required (expected (), found tuple
1583     // [E0281]
1584     foo(|y| { });
1585 }
1586 ```
1587
1588 The issue in this case is that `foo` is defined as accepting a `Fn` with no
1589 arguments, but the closure we attempted to pass to it requires one argument.
1590 "##,
1591
1592 E0282: r##"
1593 This error indicates that type inference did not result in one unique possible
1594 type, and extra information is required. In most cases this can be provided
1595 by adding a type annotation. Sometimes you need to specify a generic type
1596 parameter manually.
1597
1598 A common example is the `collect` method on `Iterator`. It has a generic type
1599 parameter with a `FromIterator` bound, which for a `char` iterator is
1600 implemented by `Vec` and `String` among others. Consider the following snippet
1601 that reverses the characters of a string:
1602
1603 ```
1604 let x = "hello".chars().rev().collect();
1605 ```
1606
1607 In this case, the compiler cannot infer what the type of `x` should be:
1608 `Vec<char>` and `String` are both suitable candidates. To specify which type to
1609 use, you can use a type annotation on `x`:
1610
1611 ```
1612 let x: Vec<char> = "hello".chars().rev().collect();
1613 ```
1614
1615 It is not necessary to annotate the full type. Once the ambiguity is resolved,
1616 the compiler can infer the rest:
1617
1618 ```
1619 let x: Vec<_> = "hello".chars().rev().collect();
1620 ```
1621
1622 Another way to provide the compiler with enough information, is to specify the
1623 generic type parameter:
1624
1625 ```
1626 let x = "hello".chars().rev().collect::<Vec<char>>();
1627 ```
1628
1629 Again, you need not specify the full type if the compiler can infer it:
1630
1631 ```
1632 let x = "hello".chars().rev().collect::<Vec<_>>();
1633 ```
1634
1635 Apart from a method or function with a generic type parameter, this error can
1636 occur when a type parameter of a struct or trait cannot be inferred. In that
1637 case it is not always possible to use a type annotation, because all candidates
1638 have the same return type. For instance:
1639
1640 ```
1641 struct Foo<T> {
1642     // Some fields omitted.
1643 }
1644
1645 impl<T> Foo<T> {
1646     fn bar() -> i32 {
1647         0
1648     }
1649
1650     fn baz() {
1651         let number = Foo::bar();
1652     }
1653 }
1654 ```
1655
1656 This will fail because the compiler does not know which instance of `Foo` to
1657 call `bar` on. Change `Foo::bar()` to `Foo::<T>::bar()` to resolve the error.
1658 "##,
1659
1660 E0283: r##"
1661 This error occurs when the compiler doesn't have enough information
1662 to unambiguously choose an implementation.
1663
1664 For example:
1665
1666 ```
1667 trait Generator {
1668     fn create() -> u32;
1669 }
1670
1671 struct Impl;
1672 impl Generator for Impl {
1673     fn create() -> u32 { 1 }
1674 }
1675
1676 struct AnotherImpl;
1677 impl Generator for AnotherImpl {
1678     fn create() -> u32 { 2 }
1679 }
1680
1681 fn main() {
1682     let cont: u32 = Generator::create();
1683     // error, impossible to choose one of Generator trait implementation
1684     // Impl or AnotherImpl? Maybe anything else?
1685 }
1686 ```
1687
1688 To resolve this error use the concrete type:
1689
1690 ```
1691 fn main() {
1692     let gen1 = AnotherImpl::create();
1693
1694     // if there are multiple methods with same name (different traits)
1695     let gen2 = <AnotherImpl as Generator>::create();
1696 }
1697 ```
1698 "##,
1699
1700 E0296: r##"
1701 This error indicates that the given recursion limit could not be parsed. Ensure
1702 that the value provided is a positive integer between quotes, like so:
1703
1704 ```
1705 #![recursion_limit="1000"]
1706 ```
1707 "##,
1708
1709 E0297: r##"
1710 Patterns used to bind names must be irrefutable. That is, they must guarantee
1711 that a name will be extracted in all cases. Instead of pattern matching the
1712 loop variable, consider using a `match` or `if let` inside the loop body. For
1713 instance:
1714
1715 ```
1716 // This fails because `None` is not covered.
1717 for Some(x) in xs {
1718     ...
1719 }
1720
1721 // Match inside the loop instead:
1722 for item in xs {
1723     match item {
1724         Some(x) => ...
1725         None => ...
1726     }
1727 }
1728
1729 // Or use `if let`:
1730 for item in xs {
1731     if let Some(x) = item {
1732         ...
1733     }
1734 }
1735 ```
1736 "##,
1737
1738 E0301: r##"
1739 Mutable borrows are not allowed in pattern guards, because matching cannot have
1740 side effects. Side effects could alter the matched object or the environment
1741 on which the match depends in such a way, that the match would not be
1742 exhaustive. For instance, the following would not match any arm if mutable
1743 borrows were allowed:
1744
1745 ```
1746 match Some(()) {
1747     None => { },
1748     option if option.take().is_none() => { /* impossible, option is `Some` */ },
1749     Some(_) => { } // When the previous match failed, the option became `None`.
1750 }
1751 ```
1752 "##,
1753
1754 E0302: r##"
1755 Assignments are not allowed in pattern guards, because matching cannot have
1756 side effects. Side effects could alter the matched object or the environment
1757 on which the match depends in such a way, that the match would not be
1758 exhaustive. For instance, the following would not match any arm if assignments
1759 were allowed:
1760
1761 ```
1762 match Some(()) {
1763     None => { },
1764     option if { option = None; false } { },
1765     Some(_) => { } // When the previous match failed, the option became `None`.
1766 }
1767 ```
1768 "##,
1769
1770 E0303: r##"
1771 In certain cases it is possible for sub-bindings to violate memory safety.
1772 Updates to the borrow checker in a future version of Rust may remove this
1773 restriction, but for now patterns must be rewritten without sub-bindings.
1774
1775 ```
1776 // Before.
1777 match Some("hi".to_string()) {
1778     ref op_string_ref @ Some(ref s) => ...
1779     None => ...
1780 }
1781
1782 // After.
1783 match Some("hi".to_string()) {
1784     Some(ref s) => {
1785         let op_string_ref = &Some(s);
1786         ...
1787     }
1788     None => ...
1789 }
1790 ```
1791
1792 The `op_string_ref` binding has type `&Option<&String>` in both cases.
1793
1794 See also https://github.com/rust-lang/rust/issues/14587
1795 "##,
1796
1797 E0306: r##"
1798 In an array literal `[x; N]`, `N` is the number of elements in the array. This
1799 number cannot be negative.
1800 "##,
1801
1802 E0307: r##"
1803 The length of an array is part of its type. For this reason, this length must be
1804 a compile-time constant.
1805 "##,
1806
1807 E0308: r##"
1808 This error occurs when the compiler was unable to infer the concrete type of a
1809 variable. It can occur for several cases, the most common of which is a
1810 mismatch in the expected type that the compiler inferred for a variable's
1811 initializing expression, and the actual type explicitly assigned to the
1812 variable.
1813
1814 For example:
1815
1816 ```
1817 let x: i32 = "I am not a number!";
1818 //     ~~~   ~~~~~~~~~~~~~~~~~~~~
1819 //      |             |
1820 //      |    initializing expression;
1821 //      |    compiler infers type `&str`
1822 //      |
1823 //    type `i32` assigned to variable `x`
1824 ```
1825
1826 Another situation in which this occurs is when you attempt to use the `try!`
1827 macro inside a function that does not return a `Result<T, E>`:
1828
1829 ```
1830 use std::fs::File;
1831
1832 fn main() {
1833     let mut f = try!(File::create("foo.txt"));
1834 }
1835 ```
1836
1837 This code gives an error like this:
1838
1839 ```text
1840 <std macros>:5:8: 6:42 error: mismatched types:
1841  expected `()`,
1842      found `core::result::Result<_, _>`
1843  (expected (),
1844      found enum `core::result::Result`) [E0308]
1845 ```
1846
1847 `try!` returns a `Result<T, E>`, and so the function must. But `main()` has
1848 `()` as its return type, hence the error.
1849 "##,
1850
1851 E0309: r##"
1852 Types in type definitions have lifetimes associated with them that represent
1853 how long the data stored within them is guaranteed to be live. This lifetime
1854 must be as long as the data needs to be alive, and missing the constraint that
1855 denotes this will cause this error.
1856
1857 ```
1858 // This won't compile because T is not constrained, meaning the data
1859 // stored in it is not guaranteed to last as long as the reference
1860 struct Foo<'a, T> {
1861     foo: &'a T
1862 }
1863
1864 // This will compile, because it has the constraint on the type parameter
1865 struct Foo<'a, T: 'a> {
1866     foo: &'a T
1867 }
1868 ```
1869 "##,
1870
1871 E0310: r##"
1872 Types in type definitions have lifetimes associated with them that represent
1873 how long the data stored within them is guaranteed to be live. This lifetime
1874 must be as long as the data needs to be alive, and missing the constraint that
1875 denotes this will cause this error.
1876
1877 ```
1878 // This won't compile because T is not constrained to the static lifetime
1879 // the reference needs
1880 struct Foo<T> {
1881     foo: &'static T
1882 }
1883
1884 // This will compile, because it has the constraint on the type parameter
1885 struct Foo<T: 'static> {
1886     foo: &'static T
1887 }
1888 ```
1889 "##,
1890
1891 E0378: r##"
1892 Method calls that aren't calls to inherent `const` methods are disallowed
1893 in statics, constants, and constant functions.
1894
1895 For example:
1896
1897 ```
1898 const BAZ: i32 = Foo(25).bar(); // error, `bar` isn't `const`
1899
1900 struct Foo(i32);
1901
1902 impl Foo {
1903     const fn foo(&self) -> i32 {
1904         self.bar() // error, `bar` isn't `const`
1905     }
1906
1907     fn bar(&self) -> i32 { self.0 }
1908 }
1909 ```
1910
1911 For more information about `const fn`'s, see [RFC 911].
1912
1913 [RFC 911]: https://github.com/rust-lang/rfcs/blob/master/text/0911-const-fn.md
1914 "##,
1915
1916 E0394: r##"
1917 From [RFC 246]:
1918
1919  > It is invalid for a static to reference another static by value. It is
1920  > required that all references be borrowed.
1921
1922 [RFC 246]: https://github.com/rust-lang/rfcs/pull/246
1923 "##,
1924
1925 E0395: r##"
1926 The value assigned to a constant expression must be known at compile time,
1927 which is not the case when comparing raw pointers. Erroneous code example:
1928
1929 ```
1930 static foo: i32 = 42;
1931 static bar: i32 = 43;
1932
1933 static baz: bool = { (&foo as *const i32) == (&bar as *const i32) };
1934 // error: raw pointers cannot be compared in statics!
1935 ```
1936
1937 Please check that the result of the comparison can be determined at compile time
1938 or isn't assigned to a constant expression. Example:
1939
1940 ```
1941 static foo: i32 = 42;
1942 static bar: i32 = 43;
1943
1944 let baz: bool = { (&foo as *const i32) == (&bar as *const i32) };
1945 // baz isn't a constant expression so it's ok
1946 ```
1947 "##,
1948
1949 E0396: r##"
1950 The value assigned to a constant expression must be known at compile time,
1951 which is not the case when dereferencing raw pointers. Erroneous code
1952 example:
1953
1954 ```
1955 const foo: i32 = 42;
1956 const baz: *const i32 = (&foo as *const i32);
1957
1958 const deref: i32 = *baz;
1959 // error: raw pointers cannot be dereferenced in constants
1960 ```
1961
1962 To fix this error, please do not assign this value to a constant expression.
1963 Example:
1964
1965 ```
1966 const foo: i32 = 42;
1967 const baz: *const i32 = (&foo as *const i32);
1968
1969 unsafe { let deref: i32 = *baz; }
1970 // baz isn't a constant expression so it's ok
1971 ```
1972
1973 You'll also note that this assignment must be done in an unsafe block!
1974 "##,
1975
1976 E0397: r##"
1977 It is not allowed for a mutable static to allocate or have destructors. For
1978 example:
1979
1980 ```
1981 // error: mutable statics are not allowed to have boxes
1982 static mut FOO: Option<Box<usize>> = None;
1983
1984 // error: mutable statics are not allowed to have destructors
1985 static mut BAR: Option<Vec<i32>> = None;
1986 ```
1987 "##,
1988
1989 E0398: r##"
1990 In Rust 1.3, the default object lifetime bounds are expected to
1991 change, as described in RFC #1156 [1]. You are getting a warning
1992 because the compiler thinks it is possible that this change will cause
1993 a compilation error in your code. It is possible, though unlikely,
1994 that this is a false alarm.
1995
1996 The heart of the change is that where `&'a Box<SomeTrait>` used to
1997 default to `&'a Box<SomeTrait+'a>`, it now defaults to `&'a
1998 Box<SomeTrait+'static>` (here, `SomeTrait` is the name of some trait
1999 type). Note that the only types which are affected are references to
2000 boxes, like `&Box<SomeTrait>` or `&[Box<SomeTrait>]`.  More common
2001 types like `&SomeTrait` or `Box<SomeTrait>` are unaffected.
2002
2003 To silence this warning, edit your code to use an explicit bound.
2004 Most of the time, this means that you will want to change the
2005 signature of a function that you are calling. For example, if
2006 the error is reported on a call like `foo(x)`, and `foo` is
2007 defined as follows:
2008
2009 ```
2010 fn foo(arg: &Box<SomeTrait>) { ... }
2011 ```
2012
2013 you might change it to:
2014
2015 ```
2016 fn foo<'a>(arg: &Box<SomeTrait+'a>) { ... }
2017 ```
2018
2019 This explicitly states that you expect the trait object `SomeTrait` to
2020 contain references (with a maximum lifetime of `'a`).
2021
2022 [1]: https://github.com/rust-lang/rfcs/pull/1156
2023 "##,
2024
2025 E0400: r##"
2026 A user-defined dereference was attempted in an invalid context. Erroneous
2027 code example:
2028
2029 ```
2030 use std::ops::Deref;
2031
2032 struct A;
2033
2034 impl Deref for A {
2035     type Target = str;
2036
2037     fn deref(&self)-> &str { "foo" }
2038 }
2039
2040 const S: &'static str = &A;
2041 // error: user-defined dereference operators are not allowed in constants
2042
2043 fn main() {
2044     let foo = S;
2045 }
2046 ```
2047
2048 You cannot directly use a dereference operation whilst initializing a constant
2049 or a static. To fix this error, restructure your code to avoid this dereference,
2050 perhaps moving it inline:
2051
2052 ```
2053 use std::ops::Deref;
2054
2055 struct A;
2056
2057 impl Deref for A {
2058     type Target = str;
2059
2060     fn deref(&self)-> &str { "foo" }
2061 }
2062
2063 fn main() {
2064     let foo : &str = &A;
2065 }
2066 ```
2067 "##,
2068
2069 E0452: r##"
2070 An invalid lint attribute has been given. Erroneous code example:
2071
2072 ```
2073 #![allow(foo = "")] // error: malformed lint attribute
2074 ```
2075
2076 Lint attributes only accept a list of identifiers (where each identifier is a
2077 lint name). Ensure the attribute is of this form:
2078
2079 ```
2080 #![allow(foo)] // ok!
2081 // or:
2082 #![allow(foo, foo2)] // ok!
2083 ```
2084 "##,
2085
2086 E0492: r##"
2087 A borrow of a constant containing interior mutability was attempted. Erroneous
2088 code example:
2089
2090 ```
2091 use std::sync::atomic::{AtomicUsize, ATOMIC_USIZE_INIT};
2092
2093 const A: AtomicUsize = ATOMIC_USIZE_INIT;
2094 static B: &'static AtomicUsize = &A;
2095 // error: cannot borrow a constant which contains interior mutability, create a
2096 //        static instead
2097 ```
2098
2099 A `const` represents a constant value that should never change. If one takes
2100 a `&` reference to the constant, then one is taking a pointer to some memory
2101 location containing the value. Normally this is perfectly fine: most values
2102 can't be changed via a shared `&` pointer, but interior mutability would allow
2103 it. That is, a constant value could be mutated. On the other hand, a `static` is
2104 explicitly a single memory location, which can be mutated at will.
2105
2106 So, in order to solve this error, either use statics which are `Sync`:
2107
2108 ```
2109 use std::sync::atomic::{AtomicUsize, ATOMIC_USIZE_INIT};
2110
2111 static A: AtomicUsize = ATOMIC_USIZE_INIT;
2112 static B: &'static AtomicUsize = &A; // ok!
2113 ```
2114
2115 You can also have this error while using a cell type:
2116
2117 ```
2118 #![feature(const_fn)]
2119
2120 use std::cell::Cell;
2121
2122 const A: Cell<usize> = Cell::new(1);
2123 const B: &'static Cell<usize> = &A;
2124 // error: cannot borrow a constant which contains interior mutability, create
2125 //        a static instead
2126
2127 // or:
2128 struct C { a: Cell<usize> }
2129
2130 const D: C = C { a: Cell::new(1) };
2131 const E: &'static Cell<usize> = &D.a; // error
2132
2133 // or:
2134 const F: &'static C = &D; // error
2135 ```
2136
2137 This is because cell types do operations that are not thread-safe. Due to this,
2138 they don't implement Sync and thus can't be placed in statics. In this
2139 case, `StaticMutex` would work just fine, but it isn't stable yet:
2140 https://doc.rust-lang.org/nightly/std/sync/struct.StaticMutex.html
2141
2142 However, if you still wish to use these types, you can achieve this by an unsafe
2143 wrapper:
2144
2145 ```
2146 #![feature(const_fn)]
2147
2148 use std::cell::Cell;
2149 use std::marker::Sync;
2150
2151 struct NotThreadSafe<T> {
2152     value: Cell<T>,
2153 }
2154
2155 unsafe impl<T> Sync for NotThreadSafe<T> {}
2156
2157 static A: NotThreadSafe<usize> = NotThreadSafe { value : Cell::new(1) };
2158 static B: &'static NotThreadSafe<usize> = &A; // ok!
2159 ```
2160
2161 Remember this solution is unsafe! You will have to ensure that accesses to the
2162 cell are synchronized.
2163 "##,
2164
2165 E0493: r##"
2166 A type with a destructor was assigned to an invalid type of variable. Erroneous
2167 code example:
2168
2169 ```
2170 struct Foo {
2171     a: u32
2172 }
2173
2174 impl Drop for Foo {
2175     fn drop(&mut self) {}
2176 }
2177
2178 const F : Foo = Foo { a : 0 };
2179 // error: constants are not allowed to have destructors
2180 static S : Foo = Foo { a : 0 };
2181 // error: statics are not allowed to have destructors
2182 ```
2183
2184 To solve this issue, please use a type which does allow the usage of type with
2185 destructors.
2186 "##,
2187
2188 E0494: r##"
2189 A reference of an interior static was assigned to another const/static.
2190 Erroneous code example:
2191
2192 ```
2193 struct Foo {
2194     a: u32
2195 }
2196
2197 static S : Foo = Foo { a : 0 };
2198 static A : &'static u32 = &S.a;
2199 // error: cannot refer to the interior of another static, use a
2200 //        constant instead
2201 ```
2202
2203 The "base" variable has to be a const if you want another static/const variable
2204 to refer to one of its fields. Example:
2205
2206 ```
2207 struct Foo {
2208     a: u32
2209 }
2210
2211 const S : Foo = Foo { a : 0 };
2212 static A : &'static u32 = &S.a; // ok!
2213 ```
2214 "##,
2215
2216 E0496: r##"
2217 A lifetime name is shadowing another lifetime name. Erroneous code example:
2218
2219 ```
2220 struct Foo<'a> {
2221     a: &'a i32,
2222 }
2223
2224 impl<'a> Foo<'a> {
2225     fn f<'a>(x: &'a i32) { // error: lifetime name `'a` shadows a lifetime
2226                            //        name that is already in scope
2227     }
2228 }
2229 ```
2230
2231 Please change the name of one of the lifetimes to remove this error. Example:
2232
2233 ```
2234 struct Foo<'a> {
2235     a: &'a i32,
2236 }
2237
2238 impl<'a> Foo<'a> {
2239     fn f<'b>(x: &'b i32) { // ok!
2240     }
2241 }
2242
2243 fn main() {
2244 }
2245 ```
2246 "##,
2247
2248 E0497: r##"
2249 A stability attribute was used outside of the standard library. Erroneous code
2250 example:
2251
2252 ```
2253 #[stable] // error: stability attributes may not be used outside of the
2254           //        standard library
2255 fn foo() {}
2256 ```
2257
2258 It is not possible to use stability attributes outside of the standard library.
2259 Also, for now, it is not possible to write deprecation messages either.
2260 "##,
2261
2262 E0517: r##"
2263 This error indicates that a `#[repr(..)]` attribute was placed on an unsupported
2264 item.
2265
2266 Examples of erroneous code:
2267
2268 ```
2269 #[repr(C)]
2270 type Foo = u8;
2271
2272 #[repr(packed)]
2273 enum Foo {Bar, Baz}
2274
2275 #[repr(u8)]
2276 struct Foo {bar: bool, baz: bool}
2277
2278 #[repr(C)]
2279 impl Foo {
2280     ...
2281 }
2282 ```
2283
2284  - The `#[repr(C)]` attribute can only be placed on structs and enums
2285  - The `#[repr(packed)]` and `#[repr(simd)]` attributes only work on structs
2286  - The `#[repr(u8)]`, `#[repr(i16)]`, etc attributes only work on enums
2287
2288 These attributes do not work on typedefs, since typedefs are just aliases.
2289
2290 Representations like `#[repr(u8)]`, `#[repr(i64)]` are for selecting the
2291 discriminant size for C-like enums (when there is no associated data, e.g. `enum
2292 Color {Red, Blue, Green}`), effectively setting the size of the enum to the size
2293 of the provided type. Such an enum can be cast to a value of the same type as
2294 well. In short, `#[repr(u8)]` makes the enum behave like an integer with a
2295 constrained set of allowed values.
2296
2297 Only C-like enums can be cast to numerical primitives, so this attribute will
2298 not apply to structs.
2299
2300 `#[repr(packed)]` reduces padding to make the struct size smaller. The
2301 representation of enums isn't strictly defined in Rust, and this attribute won't
2302 work on enums.
2303
2304 `#[repr(simd)]` will give a struct consisting of a homogenous series of machine
2305 types (i.e. `u8`, `i32`, etc) a representation that permits vectorization via
2306 SIMD. This doesn't make much sense for enums since they don't consist of a
2307 single list of data.
2308 "##,
2309
2310 E0518: r##"
2311 This error indicates that an `#[inline(..)]` attribute was incorrectly placed on
2312 something other than a function or method.
2313
2314 Examples of erroneous code:
2315
2316 ```
2317 #[inline(always)]
2318 struct Foo;
2319
2320 #[inline(never)]
2321 impl Foo {
2322     ...
2323 }
2324 ```
2325
2326 `#[inline]` hints the compiler whether or not to attempt to inline a method or
2327 function. By default, the compiler does a pretty good job of figuring this out
2328 itself, but if you feel the need for annotations, `#[inline(always)]` and
2329 `#[inline(never)]` can override or force the compiler's decision.
2330
2331 If you wish to apply this attribute to all methods in an impl, manually annotate
2332 each method; it is not possible to annotate the entire impl with an `#[inline]`
2333 attribute.
2334 "##,
2335
2336 }
2337
2338
2339 register_diagnostics! {
2340     // E0006 // merged with E0005
2341 //  E0134,
2342 //  E0135,
2343     E0278, // requirement is not satisfied
2344     E0279, // requirement is not satisfied
2345     E0280, // requirement is not satisfied
2346     E0284, // cannot resolve type
2347     E0285, // overflow evaluation builtin bounds
2348     E0298, // mismatched types between arms
2349     E0299, // mismatched types between arms
2350     // E0300, // unexpanded macro
2351     // E0304, // expected signed integer constant
2352     // E0305, // expected constant
2353     E0311, // thing may not live long enough
2354     E0312, // lifetime of reference outlives lifetime of borrowed content
2355     E0313, // lifetime of borrowed pointer outlives lifetime of captured variable
2356     E0314, // closure outlives stack frame
2357     E0315, // cannot invoke closure outside of its lifetime
2358     E0316, // nested quantification of lifetimes
2359     E0453, // overruled by outer forbid
2360     E0471, // constant evaluation error: ..
2361     E0472, // asm! is unsupported on this target
2362     E0473, // dereference of reference outside its lifetime
2363     E0474, // captured variable `..` does not outlive the enclosing closure
2364     E0475, // index of slice outside its lifetime
2365     E0476, // lifetime of the source pointer does not outlive lifetime bound...
2366     E0477, // the type `..` does not fulfill the required lifetime...
2367     E0478, // lifetime bound not satisfied
2368     E0479, // the type `..` (provided as the value of a type parameter) is...
2369     E0480, // lifetime of method receiver does not outlive the method call
2370     E0481, // lifetime of function argument does not outlive the function call
2371     E0482, // lifetime of return value does not outlive the function call
2372     E0483, // lifetime of operand does not outlive the operation
2373     E0484, // reference is not valid at the time of borrow
2374     E0485, // automatically reference is not valid at the time of borrow
2375     E0486, // type of expression contains references that are not valid during...
2376     E0487, // unsafe use of destructor: destructor might be called while...
2377     E0488, // lifetime of variable does not enclose its declaration
2378     E0489, // type/lifetime parameter not in scope here
2379     E0490, // a value of type `..` is borrowed for too long
2380     E0491, // in type `..`, reference has a longer lifetime than the data it...
2381     E0495, // cannot infer an appropriate lifetime due to conflicting requirements
2382 }