]> git.lizzy.rs Git - rust.git/blob - src/librustc_typeck/diagnostics.rs
Update E0253.rs
[rust.git] / src / librustc_typeck / 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 register_long_diagnostics! {
14
15 E0023: r##"
16 A pattern used to match against an enum variant must provide a sub-pattern for
17 each field of the enum variant. This error indicates that a pattern attempted to
18 extract an incorrect number of fields from a variant.
19
20 ```
21 enum Fruit {
22     Apple(String, String),
23     Pear(u32),
24 }
25 ```
26
27 Here the `Apple` variant has two fields, and should be matched against like so:
28
29 ```
30 enum Fruit {
31     Apple(String, String),
32     Pear(u32),
33 }
34
35 let x = Fruit::Apple(String::new(), String::new());
36
37 // Correct.
38 match x {
39     Fruit::Apple(a, b) => {},
40     _ => {}
41 }
42 ```
43
44 Matching with the wrong number of fields has no sensible interpretation:
45
46 ```compile_fail
47 enum Fruit {
48     Apple(String, String),
49     Pear(u32),
50 }
51
52 let x = Fruit::Apple(String::new(), String::new());
53
54 // Incorrect.
55 match x {
56     Fruit::Apple(a) => {},
57     Fruit::Apple(a, b, c) => {},
58 }
59 ```
60
61 Check how many fields the enum was declared with and ensure that your pattern
62 uses the same number.
63 "##,
64
65 E0025: r##"
66 Each field of a struct can only be bound once in a pattern. Erroneous code
67 example:
68
69 ```compile_fail
70 struct Foo {
71     a: u8,
72     b: u8,
73 }
74
75 fn main(){
76     let x = Foo { a:1, b:2 };
77
78     let Foo { a: x, a: y } = x;
79     // error: field `a` bound multiple times in the pattern
80 }
81 ```
82
83 Each occurrence of a field name binds the value of that field, so to fix this
84 error you will have to remove or alter the duplicate uses of the field name.
85 Perhaps you misspelled another field name? Example:
86
87 ```
88 struct Foo {
89     a: u8,
90     b: u8,
91 }
92
93 fn main(){
94     let x = Foo { a:1, b:2 };
95
96     let Foo { a: x, b: y } = x; // ok!
97 }
98 ```
99 "##,
100
101 E0026: r##"
102 This error indicates that a struct pattern attempted to extract a non-existent
103 field from a struct. Struct fields are identified by the name used before the
104 colon `:` so struct patterns should resemble the declaration of the struct type
105 being matched.
106
107 ```
108 // Correct matching.
109 struct Thing {
110     x: u32,
111     y: u32
112 }
113
114 let thing = Thing { x: 1, y: 2 };
115
116 match thing {
117     Thing { x: xfield, y: yfield } => {}
118 }
119 ```
120
121 If you are using shorthand field patterns but want to refer to the struct field
122 by a different name, you should rename it explicitly.
123
124 Change this:
125
126 ```compile_fail
127 struct Thing {
128     x: u32,
129     y: u32
130 }
131
132 let thing = Thing { x: 0, y: 0 };
133
134 match thing {
135     Thing { x, z } => {}
136 }
137 ```
138
139 To this:
140
141 ```
142 struct Thing {
143     x: u32,
144     y: u32
145 }
146
147 let thing = Thing { x: 0, y: 0 };
148
149 match thing {
150     Thing { x, y: z } => {}
151 }
152 ```
153 "##,
154
155 E0027: r##"
156 This error indicates that a pattern for a struct fails to specify a sub-pattern
157 for every one of the struct's fields. Ensure that each field from the struct's
158 definition is mentioned in the pattern, or use `..` to ignore unwanted fields.
159
160 For example:
161
162 ```compile_fail
163 struct Dog {
164     name: String,
165     age: u32,
166 }
167
168 let d = Dog { name: "Rusty".to_string(), age: 8 };
169
170 // This is incorrect.
171 match d {
172     Dog { age: x } => {}
173 }
174 ```
175
176 This is correct (explicit):
177
178 ```
179 struct Dog {
180     name: String,
181     age: u32,
182 }
183
184 let d = Dog { name: "Rusty".to_string(), age: 8 };
185
186 match d {
187     Dog { name: ref n, age: x } => {}
188 }
189
190 // This is also correct (ignore unused fields).
191 match d {
192     Dog { age: x, .. } => {}
193 }
194 ```
195 "##,
196
197 E0029: r##"
198 In a match expression, only numbers and characters can be matched against a
199 range. This is because the compiler checks that the range is non-empty at
200 compile-time, and is unable to evaluate arbitrary comparison functions. If you
201 want to capture values of an orderable type between two end-points, you can use
202 a guard.
203
204 ```compile_fail
205 // The ordering relation for strings can't be evaluated at compile time,
206 // so this doesn't work:
207 match string {
208     "hello" ... "world" => {}
209     _ => {}
210 }
211
212 // This is a more general version, using a guard:
213 match string {
214     s if s >= "hello" && s <= "world" => {}
215     _ => {}
216 }
217 ```
218 "##,
219
220 E0033: r##"
221 This error indicates that a pointer to a trait type cannot be implicitly
222 dereferenced by a pattern. Every trait defines a type, but because the
223 size of trait implementors isn't fixed, this type has no compile-time size.
224 Therefore, all accesses to trait types must be through pointers. If you
225 encounter this error you should try to avoid dereferencing the pointer.
226
227 ```ignore
228 let trait_obj: &SomeTrait = ...;
229
230 // This tries to implicitly dereference to create an unsized local variable.
231 let &invalid = trait_obj;
232
233 // You can call methods without binding to the value being pointed at.
234 trait_obj.method_one();
235 trait_obj.method_two();
236 ```
237
238 You can read more about trait objects in the Trait Object section of the
239 Reference:
240
241 https://doc.rust-lang.org/reference.html#trait-objects
242 "##,
243
244 E0034: r##"
245 The compiler doesn't know what method to call because more than one method
246 has the same prototype. Erroneous code example:
247
248 ```compile_fail
249 struct Test;
250
251 trait Trait1 {
252     fn foo();
253 }
254
255 trait Trait2 {
256     fn foo();
257 }
258
259 impl Trait1 for Test { fn foo() {} }
260 impl Trait2 for Test { fn foo() {} }
261
262 fn main() {
263     Test::foo() // error, which foo() to call?
264 }
265 ```
266
267 To avoid this error, you have to keep only one of them and remove the others.
268 So let's take our example and fix it:
269
270 ```
271 struct Test;
272
273 trait Trait1 {
274     fn foo();
275 }
276
277 impl Trait1 for Test { fn foo() {} }
278
279 fn main() {
280     Test::foo() // and now that's good!
281 }
282 ```
283
284 However, a better solution would be using fully explicit naming of type and
285 trait:
286
287 ```
288 struct Test;
289
290 trait Trait1 {
291     fn foo();
292 }
293
294 trait Trait2 {
295     fn foo();
296 }
297
298 impl Trait1 for Test { fn foo() {} }
299 impl Trait2 for Test { fn foo() {} }
300
301 fn main() {
302     <Test as Trait1>::foo()
303 }
304 ```
305
306 One last example:
307
308 ```
309 trait F {
310     fn m(&self);
311 }
312
313 trait G {
314     fn m(&self);
315 }
316
317 struct X;
318
319 impl F for X { fn m(&self) { println!("I am F"); } }
320 impl G for X { fn m(&self) { println!("I am G"); } }
321
322 fn main() {
323     let f = X;
324
325     F::m(&f); // it displays "I am F"
326     G::m(&f); // it displays "I am G"
327 }
328 ```
329 "##,
330
331 E0035: r##"
332 You tried to give a type parameter where it wasn't needed. Erroneous code
333 example:
334
335 ```compile_fail
336 struct Test;
337
338 impl Test {
339     fn method(&self) {}
340 }
341
342 fn main() {
343     let x = Test;
344
345     x.method::<i32>(); // Error: Test::method doesn't need type parameter!
346 }
347 ```
348
349 To fix this error, just remove the type parameter:
350
351 ```
352 struct Test;
353
354 impl Test {
355     fn method(&self) {}
356 }
357
358 fn main() {
359     let x = Test;
360
361     x.method(); // OK, we're good!
362 }
363 ```
364 "##,
365
366 E0036: r##"
367 This error occurrs when you pass too many or not enough type parameters to
368 a method. Erroneous code example:
369
370 ```compile_fail
371 struct Test;
372
373 impl Test {
374     fn method<T>(&self, v: &[T]) -> usize {
375         v.len()
376     }
377 }
378
379 fn main() {
380     let x = Test;
381     let v = &[0];
382
383     x.method::<i32, i32>(v); // error: only one type parameter is expected!
384 }
385 ```
386
387 To fix it, just specify a correct number of type parameters:
388
389 ```
390 struct Test;
391
392 impl Test {
393     fn method<T>(&self, v: &[T]) -> usize {
394         v.len()
395     }
396 }
397
398 fn main() {
399     let x = Test;
400     let v = &[0];
401
402     x.method::<i32>(v); // OK, we're good!
403 }
404 ```
405
406 Please note on the last example that we could have called `method` like this:
407
408 ```ignore
409 x.method(v);
410 ```
411 "##,
412
413 E0040: r##"
414 It is not allowed to manually call destructors in Rust. It is also not
415 necessary to do this since `drop` is called automatically whenever a value goes
416 out of scope.
417
418 Here's an example of this error:
419
420 ```compile_fail
421 struct Foo {
422     x: i32,
423 }
424
425 impl Drop for Foo {
426     fn drop(&mut self) {
427         println!("kaboom");
428     }
429 }
430
431 fn main() {
432     let mut x = Foo { x: -7 };
433     x.drop(); // error: explicit use of destructor method
434 }
435 ```
436 "##,
437
438 E0044: r##"
439 You can't use type parameters on foreign items. Example of erroneous code:
440
441 ```compile_fail
442 extern { fn some_func<T>(x: T); }
443 ```
444
445 To fix this, replace the type parameter with the specializations that you
446 need:
447
448 ```
449 extern { fn some_func_i32(x: i32); }
450 extern { fn some_func_i64(x: i64); }
451 ```
452 "##,
453
454 E0045: r##"
455 Rust only supports variadic parameters for interoperability with C code in its
456 FFI. As such, variadic parameters can only be used with functions which are
457 using the C ABI. Examples of erroneous code:
458
459 ```compile_fail
460 extern "rust-call" { fn foo(x: u8, ...); }
461
462 // or
463
464 fn foo(x: u8, ...) {}
465 ```
466
467 To fix such code, put them in an extern "C" block:
468
469 ```ignore
470 extern "C" fn foo(x: u8, ...);
471 ```
472
473 Or:
474
475 ```
476 extern "C" {
477     fn foo (x: u8, ...);
478 }
479 ```
480 "##,
481
482 E0046: r##"
483 Items are missing in a trait implementation. Erroneous code example:
484
485 ```compile_fail
486 trait Foo {
487     fn foo();
488 }
489
490 struct Bar;
491
492 impl Foo for Bar {}
493 // error: not all trait items implemented, missing: `foo`
494 ```
495
496 When trying to make some type implement a trait `Foo`, you must, at minimum,
497 provide implementations for all of `Foo`'s required methods (meaning the
498 methods that do not have default implementations), as well as any required
499 trait items like associated types or constants. Example:
500
501 ```
502 trait Foo {
503     fn foo();
504 }
505
506 struct Bar;
507
508 impl Foo for Bar {
509     fn foo() {} // ok!
510 }
511 ```
512 "##,
513
514 E0049: r##"
515 This error indicates that an attempted implementation of a trait method
516 has the wrong number of type parameters.
517
518 For example, the trait below has a method `foo` with a type parameter `T`,
519 but the implementation of `foo` for the type `Bar` is missing this parameter:
520
521 ```compile_fail
522 trait Foo {
523     fn foo<T: Default>(x: T) -> Self;
524 }
525
526 struct Bar;
527
528 // error: method `foo` has 0 type parameters but its trait declaration has 1
529 // type parameter
530 impl Foo for Bar {
531     fn foo(x: bool) -> Self { Bar }
532 }
533 ```
534 "##,
535
536 E0050: r##"
537 This error indicates that an attempted implementation of a trait method
538 has the wrong number of function parameters.
539
540 For example, the trait below has a method `foo` with two function parameters
541 (`&self` and `u8`), but the implementation of `foo` for the type `Bar` omits
542 the `u8` parameter:
543
544 ```compile_fail
545 trait Foo {
546     fn foo(&self, x: u8) -> bool;
547 }
548
549 struct Bar;
550
551 // error: method `foo` has 1 parameter but the declaration in trait `Foo::foo`
552 // has 2
553 impl Foo for Bar {
554     fn foo(&self) -> bool { true }
555 }
556 ```
557 "##,
558
559 E0053: r##"
560 The parameters of any trait method must match between a trait implementation
561 and the trait definition.
562
563 Here are a couple examples of this error:
564
565 ```compile_fail
566 trait Foo {
567     fn foo(x: u16);
568     fn bar(&self);
569 }
570
571 struct Bar;
572
573 impl Foo for Bar {
574     // error, expected u16, found i16
575     fn foo(x: i16) { }
576
577     // error, values differ in mutability
578     fn bar(&mut self) { }
579 }
580 ```
581 "##,
582
583 E0054: r##"
584 It is not allowed to cast to a bool. If you are trying to cast a numeric type
585 to a bool, you can compare it with zero instead:
586
587 ```compile_fail
588 let x = 5;
589
590 // Not allowed, won't compile
591 let x_is_nonzero = x as bool;
592 ```
593
594 ```
595 let x = 5;
596
597 // Ok
598 let x_is_nonzero = x != 0;
599 ```
600 "##,
601
602 E0055: r##"
603 During a method call, a value is automatically dereferenced as many times as
604 needed to make the value's type match the method's receiver. The catch is that
605 the compiler will only attempt to dereference a number of times up to the
606 recursion limit (which can be set via the `recursion_limit` attribute).
607
608 For a somewhat artificial example:
609
610 ```compile_fail,ignore
611 #![recursion_limit="2"]
612
613 struct Foo;
614
615 impl Foo {
616     fn foo(&self) {}
617 }
618
619 fn main() {
620     let foo = Foo;
621     let ref_foo = &&Foo;
622
623     // error, reached the recursion limit while auto-dereferencing &&Foo
624     ref_foo.foo();
625 }
626 ```
627
628 One fix may be to increase the recursion limit. Note that it is possible to
629 create an infinite recursion of dereferencing, in which case the only fix is to
630 somehow break the recursion.
631 "##,
632
633 E0057: r##"
634 When invoking closures or other implementations of the function traits `Fn`,
635 `FnMut` or `FnOnce` using call notation, the number of parameters passed to the
636 function must match its definition.
637
638 An example using a closure:
639
640 ```compile_fail
641 let f = |x| x * 3;
642 let a = f();        // invalid, too few parameters
643 let b = f(4);       // this works!
644 let c = f(2, 3);    // invalid, too many parameters
645 ```
646
647 A generic function must be treated similarly:
648
649 ```
650 fn foo<F: Fn()>(f: F) {
651     f(); // this is valid, but f(3) would not work
652 }
653 ```
654 "##,
655
656 E0059: r##"
657 The built-in function traits are generic over a tuple of the function arguments.
658 If one uses angle-bracket notation (`Fn<(T,), Output=U>`) instead of parentheses
659 (`Fn(T) -> U`) to denote the function trait, the type parameter should be a
660 tuple. Otherwise function call notation cannot be used and the trait will not be
661 implemented by closures.
662
663 The most likely source of this error is using angle-bracket notation without
664 wrapping the function argument type into a tuple, for example:
665
666 ```compile_fail
667 fn foo<F: Fn<i32>>(f: F) -> F::Output { f(3) }
668 ```
669
670 It can be fixed by adjusting the trait bound like this:
671
672 ```ignore
673 fn foo<F: Fn<(i32,)>>(f: F) -> F::Output { f(3) }
674 ```
675
676 Note that `(T,)` always denotes the type of a 1-tuple containing an element of
677 type `T`. The comma is necessary for syntactic disambiguation.
678 "##,
679
680 E0060: r##"
681 External C functions are allowed to be variadic. However, a variadic function
682 takes a minimum number of arguments. For example, consider C's variadic `printf`
683 function:
684
685 ```ignore
686 extern crate libc;
687 use libc::{ c_char, c_int };
688
689 extern "C" {
690     fn printf(_: *const c_char, ...) -> c_int;
691 }
692 ```
693
694 Using this declaration, it must be called with at least one argument, so
695 simply calling `printf()` is invalid. But the following uses are allowed:
696
697 ```ignore
698 unsafe {
699     use std::ffi::CString;
700
701     printf(CString::new("test\n").unwrap().as_ptr());
702     printf(CString::new("number = %d\n").unwrap().as_ptr(), 3);
703     printf(CString::new("%d, %d\n").unwrap().as_ptr(), 10, 5);
704 }
705 ```
706 "##,
707
708 E0061: r##"
709 The number of arguments passed to a function must match the number of arguments
710 specified in the function signature.
711
712 For example, a function like:
713
714 ```
715 fn f(a: u16, b: &str) {}
716 ```
717
718 Must always be called with exactly two arguments, e.g. `f(2, "test")`.
719
720 Note that Rust does not have a notion of optional function arguments or
721 variadic functions (except for its C-FFI).
722 "##,
723
724 E0062: r##"
725 This error indicates that during an attempt to build a struct or struct-like
726 enum variant, one of the fields was specified more than once. Erroneous code
727 example:
728
729 ```compile_fail
730 struct Foo {
731     x: i32
732 }
733
734 fn main() {
735     let x = Foo {
736                 x: 0,
737                 x: 0, // error: field `x` specified more than once
738             };
739 }
740 ```
741
742 Each field should be specified exactly one time. Example:
743
744 ```
745 struct Foo {
746     x: i32
747 }
748
749 fn main() {
750     let x = Foo { x: 0 }; // ok!
751 }
752 ```
753 "##,
754
755 E0063: r##"
756 This error indicates that during an attempt to build a struct or struct-like
757 enum variant, one of the fields was not provided. Erroneous code example:
758
759 ```compile_fail
760 struct Foo {
761     x: i32,
762     y: i32
763 }
764
765 fn main() {
766     let x = Foo { x: 0 }; // error: missing field: `y`
767 }
768 ```
769
770 Each field should be specified exactly once. Example:
771
772 ```
773 struct Foo {
774     x: i32,
775     y: i32
776 }
777
778 fn main() {
779     let x = Foo { x: 0, y: 0 }; // ok!
780 }
781 ```
782 "##,
783
784 E0066: r##"
785 Box placement expressions (like C++'s "placement new") do not yet support any
786 place expression except the exchange heap (i.e. `std::boxed::HEAP`).
787 Furthermore, the syntax is changing to use `in` instead of `box`. See [RFC 470]
788 and [RFC 809] for more details.
789
790 [RFC 470]: https://github.com/rust-lang/rfcs/pull/470
791 [RFC 809]: https://github.com/rust-lang/rfcs/pull/809
792 "##,
793
794 E0067: r##"
795 The left-hand side of a compound assignment expression must be an lvalue
796 expression. An lvalue expression represents a memory location and includes
797 item paths (ie, namespaced variables), dereferences, indexing expressions,
798 and field references.
799
800 Let's start with some erroneous code examples:
801
802 ```compile_fail
803 use std::collections::LinkedList;
804
805 // Bad: assignment to non-lvalue expression
806 LinkedList::new() += 1;
807
808 // ...
809
810 fn some_func(i: &mut i32) {
811     i += 12; // Error : '+=' operation cannot be applied on a reference !
812 }
813 ```
814
815 And now some working examples:
816
817 ```
818 let mut i : i32 = 0;
819
820 i += 12; // Good !
821
822 // ...
823
824 fn some_func(i: &mut i32) {
825     *i += 12; // Good !
826 }
827 ```
828 "##,
829
830 E0069: r##"
831 The compiler found a function whose body contains a `return;` statement but
832 whose return type is not `()`. An example of this is:
833
834 ```compile_fail
835 // error
836 fn foo() -> u8 {
837     return;
838 }
839 ```
840
841 Since `return;` is just like `return ();`, there is a mismatch between the
842 function's return type and the value being returned.
843 "##,
844
845 E0070: r##"
846 The left-hand side of an assignment operator must be an lvalue expression. An
847 lvalue expression represents a memory location and can be a variable (with
848 optional namespacing), a dereference, an indexing expression or a field
849 reference.
850
851 More details can be found here:
852 https://doc.rust-lang.org/reference.html#lvalues-rvalues-and-temporaries
853
854 Now, we can go further. Here are some erroneous code examples:
855
856 ```compile_fail
857 struct SomeStruct {
858     x: i32,
859     y: i32
860 }
861
862 const SOME_CONST : i32 = 12;
863
864 fn some_other_func() {}
865
866 fn some_function() {
867     SOME_CONST = 14; // error : a constant value cannot be changed!
868     1 = 3; // error : 1 isn't a valid lvalue!
869     some_other_func() = 4; // error : we can't assign value to a function!
870     SomeStruct.x = 12; // error : SomeStruct a structure name but it is used
871                        // like a variable!
872 }
873 ```
874
875 And now let's give working examples:
876
877 ```
878 struct SomeStruct {
879     x: i32,
880     y: i32
881 }
882 let mut s = SomeStruct {x: 0, y: 0};
883
884 s.x = 3; // that's good !
885
886 // ...
887
888 fn some_func(x: &mut i32) {
889     *x = 12; // that's good !
890 }
891 ```
892 "##,
893
894 E0071: r##"
895 You tried to use structure-literal syntax to create an item that is
896 not a struct-style structure or enum variant.
897
898 Example of erroneous code:
899
900 ```compile_fail
901 enum Foo { FirstValue(i32) };
902
903 let u = Foo::FirstValue { value: 0 }; // error: Foo::FirstValue
904                                          // isn't a structure!
905 // or even simpler, if the name doesn't refer to a structure at all.
906 let t = u32 { value: 4 }; // error: `u32` does not name a structure.
907 ```
908
909 To fix this, ensure that the name was correctly spelled, and that
910 the correct form of initializer was used.
911
912 For example, the code above can be fixed to:
913
914 ```
915 enum Foo {
916     FirstValue(i32)
917 }
918
919 fn main() {
920     let u = Foo::FirstValue(0i32);
921
922     let t = 4;
923 }
924 ```
925 "##,
926
927 E0073: r##"
928 You cannot define a struct (or enum) `Foo` that requires an instance of `Foo`
929 in order to make a new `Foo` value. This is because there would be no way a
930 first instance of `Foo` could be made to initialize another instance!
931
932 Here's an example of a struct that has this problem:
933
934 ```ignore
935 struct Foo { x: Box<Foo> } // error
936 ```
937
938 One fix is to use `Option`, like so:
939
940 ```
941 struct Foo { x: Option<Box<Foo>> }
942 ```
943
944 Now it's possible to create at least one instance of `Foo`: `Foo { x: None }`.
945 "##,
946
947 E0074: r##"
948 When using the `#[simd]` attribute on a tuple struct, the components of the
949 tuple struct must all be of a concrete, nongeneric type so the compiler can
950 reason about how to use SIMD with them. This error will occur if the types
951 are generic.
952
953 This will cause an error:
954
955 ```ignore
956 #![feature(repr_simd)]
957
958 #[repr(simd)]
959 struct Bad<T>(T, T, T);
960 ```
961
962 This will not:
963
964 ```
965 #![feature(repr_simd)]
966
967 #[repr(simd)]
968 struct Good(u32, u32, u32);
969 ```
970 "##,
971
972 E0075: r##"
973 The `#[simd]` attribute can only be applied to non empty tuple structs, because
974 it doesn't make sense to try to use SIMD operations when there are no values to
975 operate on.
976
977 This will cause an error:
978
979 ```compile_fail
980 #![feature(repr_simd)]
981
982 #[repr(simd)]
983 struct Bad;
984 ```
985
986 This will not:
987
988 ```
989 #![feature(repr_simd)]
990
991 #[repr(simd)]
992 struct Good(u32);
993 ```
994 "##,
995
996 E0076: r##"
997 When using the `#[simd]` attribute to automatically use SIMD operations in tuple
998 struct, the types in the struct must all be of the same type, or the compiler
999 will trigger this error.
1000
1001 This will cause an error:
1002
1003 ```compile_fail
1004 #![feature(repr_simd)]
1005
1006 #[repr(simd)]
1007 struct Bad(u16, u32, u32);
1008 ```
1009
1010 This will not:
1011
1012 ```
1013 #![feature(repr_simd)]
1014
1015 #[repr(simd)]
1016 struct Good(u32, u32, u32);
1017 ```
1018 "##,
1019
1020 E0077: r##"
1021 When using the `#[simd]` attribute on a tuple struct, the elements in the tuple
1022 must be machine types so SIMD operations can be applied to them.
1023
1024 This will cause an error:
1025
1026 ```compile_fail
1027 #![feature(repr_simd)]
1028
1029 #[repr(simd)]
1030 struct Bad(String);
1031 ```
1032
1033 This will not:
1034
1035 ```
1036 #![feature(repr_simd)]
1037
1038 #[repr(simd)]
1039 struct Good(u32, u32, u32);
1040 ```
1041 "##,
1042
1043 E0079: r##"
1044 Enum variants which contain no data can be given a custom integer
1045 representation. This error indicates that the value provided is not an integer
1046 literal and is therefore invalid.
1047
1048 For example, in the following code:
1049
1050 ```compile_fail
1051 enum Foo {
1052     Q = "32"
1053 }
1054 ```
1055
1056 We try to set the representation to a string.
1057
1058 There's no general fix for this; if you can work with an integer then just set
1059 it to one:
1060
1061 ```
1062 enum Foo {
1063     Q = 32
1064 }
1065 ```
1066
1067 However if you actually wanted a mapping between variants and non-integer
1068 objects, it may be preferable to use a method with a match instead:
1069
1070 ```
1071 enum Foo { Q }
1072 impl Foo {
1073     fn get_str(&self) -> &'static str {
1074         match *self {
1075             Foo::Q => "32",
1076         }
1077     }
1078 }
1079 ```
1080 "##,
1081
1082 E0081: r##"
1083 Enum discriminants are used to differentiate enum variants stored in memory.
1084 This error indicates that the same value was used for two or more variants,
1085 making them impossible to tell apart.
1086
1087 ```compile_fail
1088 // Bad.
1089 enum Enum {
1090     P = 3,
1091     X = 3,
1092     Y = 5
1093 }
1094 ```
1095
1096 ```
1097 // Good.
1098 enum Enum {
1099     P,
1100     X = 3,
1101     Y = 5
1102 }
1103 ```
1104
1105 Note that variants without a manually specified discriminant are numbered from
1106 top to bottom starting from 0, so clashes can occur with seemingly unrelated
1107 variants.
1108
1109 ```compile_fail
1110 enum Bad {
1111     X,
1112     Y = 0
1113 }
1114 ```
1115
1116 Here `X` will have already been specified the discriminant 0 by the time `Y` is
1117 encountered, so a conflict occurs.
1118 "##,
1119
1120 E0082: r##"
1121 When you specify enum discriminants with `=`, the compiler expects `isize`
1122 values by default. Or you can add the `repr` attibute to the enum declaration
1123 for an explicit choice of the discriminant type. In either cases, the
1124 discriminant values must fall within a valid range for the expected type;
1125 otherwise this error is raised. For example:
1126
1127 ```ignore
1128 #[repr(u8)]
1129 enum Thing {
1130     A = 1024,
1131     B = 5
1132 }
1133 ```
1134
1135 Here, 1024 lies outside the valid range for `u8`, so the discriminant for `A` is
1136 invalid. Here is another, more subtle example which depends on target word size:
1137
1138 ```ignore
1139 enum DependsOnPointerSize {
1140     A = 1 << 32
1141 }
1142 ```
1143
1144 Here, `1 << 32` is interpreted as an `isize` value. So it is invalid for 32 bit
1145 target (`target_pointer_width = "32"`) but valid for 64 bit target.
1146
1147 You may want to change representation types to fix this, or else change invalid
1148 discriminant values so that they fit within the existing type.
1149 "##,
1150
1151 E0084: r##"
1152 An unsupported representation was attempted on a zero-variant enum.
1153
1154 Erroneous code example:
1155
1156 ```compile_fail
1157 #[repr(i32)]
1158 enum NightsWatch {} // error: unsupported representation for zero-variant enum
1159 ```
1160
1161 It is impossible to define an integer type to be used to represent zero-variant
1162 enum values because there are no zero-variant enum values. There is no way to
1163 construct an instance of the following type using only safe code. So you have
1164 two solutions. Either you add variants in your enum:
1165
1166 ```
1167 #[repr(i32)]
1168 enum NightsWatch {
1169     JonSnow,
1170     Commander,
1171 }
1172 ```
1173
1174 or you remove the integer represention of your enum:
1175
1176 ```
1177 enum NightsWatch {}
1178 ```
1179 "##,
1180
1181 E0087: r##"
1182 Too many type parameters were supplied for a function. For example:
1183
1184 ```compile_fail
1185 fn foo<T>() {}
1186
1187 fn main() {
1188     foo::<f64, bool>(); // error, expected 1 parameter, found 2 parameters
1189 }
1190 ```
1191
1192 The number of supplied parameters must exactly match the number of defined type
1193 parameters.
1194 "##,
1195
1196 E0088: r##"
1197 You gave too many lifetime parameters. Erroneous code example:
1198
1199 ```compile_fail
1200 fn f() {}
1201
1202 fn main() {
1203     f::<'static>() // error: too many lifetime parameters provided
1204 }
1205 ```
1206
1207 Please check you give the right number of lifetime parameters. Example:
1208
1209 ```
1210 fn f() {}
1211
1212 fn main() {
1213     f() // ok!
1214 }
1215 ```
1216
1217 It's also important to note that the Rust compiler can generally
1218 determine the lifetime by itself. Example:
1219
1220 ```
1221 struct Foo {
1222     value: String
1223 }
1224
1225 impl Foo {
1226     // it can be written like this
1227     fn get_value<'a>(&'a self) -> &'a str { &self.value }
1228     // but the compiler works fine with this too:
1229     fn without_lifetime(&self) -> &str { &self.value }
1230 }
1231
1232 fn main() {
1233     let f = Foo { value: "hello".to_owned() };
1234
1235     println!("{}", f.get_value());
1236     println!("{}", f.without_lifetime());
1237 }
1238 ```
1239 "##,
1240
1241 E0089: r##"
1242 Not enough type parameters were supplied for a function. For example:
1243
1244 ```compile_fail
1245 fn foo<T, U>() {}
1246
1247 fn main() {
1248     foo::<f64>(); // error, expected 2 parameters, found 1 parameter
1249 }
1250 ```
1251
1252 Note that if a function takes multiple type parameters but you want the compiler
1253 to infer some of them, you can use type placeholders:
1254
1255 ```compile_fail
1256 fn foo<T, U>(x: T) {}
1257
1258 fn main() {
1259     let x: bool = true;
1260     foo::<f64>(x);    // error, expected 2 parameters, found 1 parameter
1261     foo::<_, f64>(x); // same as `foo::<bool, f64>(x)`
1262 }
1263 ```
1264 "##,
1265
1266 E0091: r##"
1267 You gave an unnecessary type parameter in a type alias. Erroneous code
1268 example:
1269
1270 ```compile_fail
1271 type Foo<T> = u32; // error: type parameter `T` is unused
1272 // or:
1273 type Foo<A,B> = Box<A>; // error: type parameter `B` is unused
1274 ```
1275
1276 Please check you didn't write too many type parameters. Example:
1277
1278 ```
1279 type Foo = u32; // ok!
1280 type Foo2<A> = Box<A>; // ok!
1281 ```
1282 "##,
1283
1284 E0092: r##"
1285 You tried to declare an undefined atomic operation function.
1286 Erroneous code example:
1287
1288 ```compile_fail
1289 #![feature(intrinsics)]
1290
1291 extern "rust-intrinsic" {
1292     fn atomic_foo(); // error: unrecognized atomic operation
1293                      //        function
1294 }
1295 ```
1296
1297 Please check you didn't make a mistake in the function's name. All intrinsic
1298 functions are defined in librustc_trans/trans/intrinsic.rs and in
1299 libcore/intrinsics.rs in the Rust source code. Example:
1300
1301 ```
1302 #![feature(intrinsics)]
1303
1304 extern "rust-intrinsic" {
1305     fn atomic_fence(); // ok!
1306 }
1307 ```
1308 "##,
1309
1310 E0093: r##"
1311 You declared an unknown intrinsic function. Erroneous code example:
1312
1313 ```compile_fail
1314 #![feature(intrinsics)]
1315
1316 extern "rust-intrinsic" {
1317     fn foo(); // error: unrecognized intrinsic function: `foo`
1318 }
1319
1320 fn main() {
1321     unsafe {
1322         foo();
1323     }
1324 }
1325 ```
1326
1327 Please check you didn't make a mistake in the function's name. All intrinsic
1328 functions are defined in librustc_trans/trans/intrinsic.rs and in
1329 libcore/intrinsics.rs in the Rust source code. Example:
1330
1331 ```
1332 #![feature(intrinsics)]
1333
1334 extern "rust-intrinsic" {
1335     fn atomic_fence(); // ok!
1336 }
1337
1338 fn main() {
1339     unsafe {
1340         atomic_fence();
1341     }
1342 }
1343 ```
1344 "##,
1345
1346 E0094: r##"
1347 You gave an invalid number of type parameters to an intrinsic function.
1348 Erroneous code example:
1349
1350 ```compile_fail
1351 #![feature(intrinsics)]
1352
1353 extern "rust-intrinsic" {
1354     fn size_of<T, U>() -> usize; // error: intrinsic has wrong number
1355                                  //        of type parameters
1356 }
1357 ```
1358
1359 Please check that you provided the right number of lifetime parameters
1360 and verify with the function declaration in the Rust source code.
1361 Example:
1362
1363 ```
1364 #![feature(intrinsics)]
1365
1366 extern "rust-intrinsic" {
1367     fn size_of<T>() -> usize; // ok!
1368 }
1369 ```
1370 "##,
1371
1372 E0101: r##"
1373 You hit this error because the compiler lacks the information to
1374 determine a type for this expression. Erroneous code example:
1375
1376 ```compile_fail
1377 fn main() {
1378     let x = |_| {}; // error: cannot determine a type for this expression
1379 }
1380 ```
1381
1382 You have two possibilities to solve this situation:
1383  * Give an explicit definition of the expression
1384  * Infer the expression
1385
1386 Examples:
1387
1388 ```
1389 fn main() {
1390     let x = |_ : u32| {}; // ok!
1391     // or:
1392     let x = |_| {};
1393     x(0u32);
1394 }
1395 ```
1396 "##,
1397
1398 E0102: r##"
1399 You hit this error because the compiler lacks the information to
1400 determine the type of this variable. Erroneous code example:
1401
1402 ```compile_fail
1403 fn main() {
1404     // could be an array of anything
1405     let x = []; // error: cannot determine a type for this local variable
1406 }
1407 ```
1408
1409 To solve this situation, constrain the type of the variable.
1410 Examples:
1411
1412 ```
1413 #![allow(unused_variables)]
1414
1415 fn main() {
1416     let x: [u8; 0] = [];
1417 }
1418 ```
1419 "##,
1420
1421 E0106: r##"
1422 This error indicates that a lifetime is missing from a type. If it is an error
1423 inside a function signature, the problem may be with failing to adhere to the
1424 lifetime elision rules (see below).
1425
1426 Here are some simple examples of where you'll run into this error:
1427
1428 ```compile_fail
1429 struct Foo { x: &bool }        // error
1430 struct Foo<'a> { x: &'a bool } // correct
1431
1432 enum Bar { A(u8), B(&bool), }        // error
1433 enum Bar<'a> { A(u8), B(&'a bool), } // correct
1434
1435 type MyStr = &str;        // error
1436 type MyStr<'a> = &'a str; // correct
1437 ```
1438
1439 Lifetime elision is a special, limited kind of inference for lifetimes in
1440 function signatures which allows you to leave out lifetimes in certain cases.
1441 For more background on lifetime elision see [the book][book-le].
1442
1443 The lifetime elision rules require that any function signature with an elided
1444 output lifetime must either have
1445
1446  - exactly one input lifetime
1447  - or, multiple input lifetimes, but the function must also be a method with a
1448    `&self` or `&mut self` receiver
1449
1450 In the first case, the output lifetime is inferred to be the same as the unique
1451 input lifetime. In the second case, the lifetime is instead inferred to be the
1452 same as the lifetime on `&self` or `&mut self`.
1453
1454 Here are some examples of elision errors:
1455
1456 ```compile_fail
1457 // error, no input lifetimes
1458 fn foo() -> &str { }
1459
1460 // error, `x` and `y` have distinct lifetimes inferred
1461 fn bar(x: &str, y: &str) -> &str { }
1462
1463 // error, `y`'s lifetime is inferred to be distinct from `x`'s
1464 fn baz<'a>(x: &'a str, y: &str) -> &str { }
1465 ```
1466
1467 [book-le]: https://doc.rust-lang.org/nightly/book/lifetimes.html#lifetime-elision
1468 "##,
1469
1470 E0107: r##"
1471 This error means that an incorrect number of lifetime parameters were provided
1472 for a type (like a struct or enum) or trait.
1473
1474 Some basic examples include:
1475
1476 ```compile_fail
1477 struct Foo<'a>(&'a str);
1478 enum Bar { A, B, C }
1479
1480 struct Baz<'a> {
1481     foo: Foo,     // error: expected 1, found 0
1482     bar: Bar<'a>, // error: expected 0, found 1
1483 }
1484 ```
1485
1486 Here's an example that is currently an error, but may work in a future version
1487 of Rust:
1488
1489 ```compile_fail
1490 struct Foo<'a>(&'a str);
1491
1492 trait Quux { }
1493 impl Quux for Foo { } // error: expected 1, found 0
1494 ```
1495
1496 Lifetime elision in implementation headers was part of the lifetime elision
1497 RFC. It is, however, [currently unimplemented][iss15872].
1498
1499 [iss15872]: https://github.com/rust-lang/rust/issues/15872
1500 "##,
1501
1502 E0116: r##"
1503 You can only define an inherent implementation for a type in the same crate
1504 where the type was defined. For example, an `impl` block as below is not allowed
1505 since `Vec` is defined in the standard library:
1506
1507 ```compile_fail
1508 impl Vec<u8> { } // error
1509 ```
1510
1511 To fix this problem, you can do either of these things:
1512
1513  - define a trait that has the desired associated functions/types/constants and
1514    implement the trait for the type in question
1515  - define a new type wrapping the type and define an implementation on the new
1516    type
1517
1518 Note that using the `type` keyword does not work here because `type` only
1519 introduces a type alias:
1520
1521 ```compile_fail
1522 type Bytes = Vec<u8>;
1523
1524 impl Bytes { } // error, same as above
1525 ```
1526 "##,
1527
1528 E0117: r##"
1529 This error indicates a violation of one of Rust's orphan rules for trait
1530 implementations. The rule prohibits any implementation of a foreign trait (a
1531 trait defined in another crate) where
1532
1533  - the type that is implementing the trait is foreign
1534  - all of the parameters being passed to the trait (if there are any) are also
1535    foreign.
1536
1537 Here's one example of this error:
1538
1539 ```compile_fail
1540 impl Drop for u32 {}
1541 ```
1542
1543 To avoid this kind of error, ensure that at least one local type is referenced
1544 by the `impl`:
1545
1546 ```ignore
1547 pub struct Foo; // you define your type in your crate
1548
1549 impl Drop for Foo { // and you can implement the trait on it!
1550     // code of trait implementation here
1551 }
1552
1553 impl From<Foo> for i32 { // or you use a type from your crate as
1554                          // a type parameter
1555     fn from(i: Foo) -> i32 {
1556         0
1557     }
1558 }
1559 ```
1560
1561 Alternatively, define a trait locally and implement that instead:
1562
1563 ```
1564 trait Bar {
1565     fn get(&self) -> usize;
1566 }
1567
1568 impl Bar for u32 {
1569     fn get(&self) -> usize { 0 }
1570 }
1571 ```
1572
1573 For information on the design of the orphan rules, see [RFC 1023].
1574
1575 [RFC 1023]: https://github.com/rust-lang/rfcs/pull/1023
1576 "##,
1577
1578 E0118: r##"
1579 You're trying to write an inherent implementation for something which isn't a
1580 struct nor an enum. Erroneous code example:
1581
1582 ```compile_fail
1583 impl (u8, u8) { // error: no base type found for inherent implementation
1584     fn get_state(&self) -> String {
1585         // ...
1586     }
1587 }
1588 ```
1589
1590 To fix this error, please implement a trait on the type or wrap it in a struct.
1591 Example:
1592
1593 ```
1594 // we create a trait here
1595 trait LiveLongAndProsper {
1596     fn get_state(&self) -> String;
1597 }
1598
1599 // and now you can implement it on (u8, u8)
1600 impl LiveLongAndProsper for (u8, u8) {
1601     fn get_state(&self) -> String {
1602         "He's dead, Jim!".to_owned()
1603     }
1604 }
1605 ```
1606
1607 Alternatively, you can create a newtype. A newtype is a wrapping tuple-struct.
1608 For example, `NewType` is a newtype over `Foo` in `struct NewType(Foo)`.
1609 Example:
1610
1611 ```
1612 struct TypeWrapper((u8, u8));
1613
1614 impl TypeWrapper {
1615     fn get_state(&self) -> String {
1616         "Fascinating!".to_owned()
1617     }
1618 }
1619 ```
1620 "##,
1621
1622 E0119: r##"
1623 There are conflicting trait implementations for the same type.
1624 Example of erroneous code:
1625
1626 ```compile_fail
1627 trait MyTrait {
1628     fn get(&self) -> usize;
1629 }
1630
1631 impl<T> MyTrait for T {
1632     fn get(&self) -> usize { 0 }
1633 }
1634
1635 struct Foo {
1636     value: usize
1637 }
1638
1639 impl MyTrait for Foo { // error: conflicting implementations of trait
1640                        //        `MyTrait` for type `Foo`
1641     fn get(&self) -> usize { self.value }
1642 }
1643 ```
1644
1645 When looking for the implementation for the trait, the compiler finds
1646 both the `impl<T> MyTrait for T` where T is all types and the `impl
1647 MyTrait for Foo`. Since a trait cannot be implemented multiple times,
1648 this is an error. So, when you write:
1649
1650 ```
1651 trait MyTrait {
1652     fn get(&self) -> usize;
1653 }
1654
1655 impl<T> MyTrait for T {
1656     fn get(&self) -> usize { 0 }
1657 }
1658 ```
1659
1660 This makes the trait implemented on all types in the scope. So if you
1661 try to implement it on another one after that, the implementations will
1662 conflict. Example:
1663
1664 ```
1665 trait MyTrait {
1666     fn get(&self) -> usize;
1667 }
1668
1669 impl<T> MyTrait for T {
1670     fn get(&self) -> usize { 0 }
1671 }
1672
1673 struct Foo;
1674
1675 fn main() {
1676     let f = Foo;
1677
1678     f.get(); // the trait is implemented so we can use it
1679 }
1680 ```
1681 "##,
1682
1683 E0120: r##"
1684 An attempt was made to implement Drop on a trait, which is not allowed: only
1685 structs and enums can implement Drop. An example causing this error:
1686
1687 ```compile_fail
1688 trait MyTrait {}
1689
1690 impl Drop for MyTrait {
1691     fn drop(&mut self) {}
1692 }
1693 ```
1694
1695 A workaround for this problem is to wrap the trait up in a struct, and implement
1696 Drop on that. An example is shown below:
1697
1698 ```
1699 trait MyTrait {}
1700 struct MyWrapper<T: MyTrait> { foo: T }
1701
1702 impl <T: MyTrait> Drop for MyWrapper<T> {
1703     fn drop(&mut self) {}
1704 }
1705
1706 ```
1707
1708 Alternatively, wrapping trait objects requires something like the following:
1709
1710 ```
1711 trait MyTrait {}
1712
1713 //or Box<MyTrait>, if you wanted an owned trait object
1714 struct MyWrapper<'a> { foo: &'a MyTrait }
1715
1716 impl <'a> Drop for MyWrapper<'a> {
1717     fn drop(&mut self) {}
1718 }
1719 ```
1720 "##,
1721
1722 E0121: r##"
1723 In order to be consistent with Rust's lack of global type inference, type
1724 placeholders are disallowed by design in item signatures.
1725
1726 Examples of this error include:
1727
1728 ```compile_fail
1729 fn foo() -> _ { 5 } // error, explicitly write out the return type instead
1730
1731 static BAR: _ = "test"; // error, explicitly write out the type instead
1732 ```
1733 "##,
1734
1735 E0122: r##"
1736 An attempt was made to add a generic constraint to a type alias. While Rust will
1737 allow this with a warning, it will not currently enforce the constraint.
1738 Consider the example below:
1739
1740 ```
1741 trait Foo{}
1742
1743 type MyType<R: Foo> = (R, ());
1744
1745 fn main() {
1746     let t: MyType<u32>;
1747 }
1748 ```
1749
1750 We're able to declare a variable of type `MyType<u32>`, despite the fact that
1751 `u32` does not implement `Foo`. As a result, one should avoid using generic
1752 constraints in concert with type aliases.
1753 "##,
1754
1755 E0124: r##"
1756 You declared two fields of a struct with the same name. Erroneous code
1757 example:
1758
1759 ```compile_fail
1760 struct Foo {
1761     field1: i32,
1762     field1: i32, // error: field is already declared
1763 }
1764 ```
1765
1766 Please verify that the field names have been correctly spelled. Example:
1767
1768 ```
1769 struct Foo {
1770     field1: i32,
1771     field2: i32, // ok!
1772 }
1773 ```
1774 "##,
1775
1776 E0128: r##"
1777 Type parameter defaults can only use parameters that occur before them.
1778 Erroneous code example:
1779
1780 ```compile_fail
1781 struct Foo<T=U, U=()> {
1782     field1: T,
1783     filed2: U,
1784 }
1785 // error: type parameters with a default cannot use forward declared
1786 // identifiers
1787 ```
1788
1789 Since type parameters are evaluated in-order, you may be able to fix this issue
1790 by doing:
1791
1792 ```
1793 struct Foo<U=(), T=U> {
1794     field1: T,
1795     filed2: U,
1796 }
1797 ```
1798
1799 Please also verify that this wasn't because of a name-clash and rename the type
1800 parameter if so.
1801 "##,
1802
1803 E0131: r##"
1804 It is not possible to define `main` with type parameters, or even with function
1805 parameters. When `main` is present, it must take no arguments and return `()`.
1806 Erroneous code example:
1807
1808 ```compile_fail
1809 fn main<T>() { // error: main function is not allowed to have type parameters
1810 }
1811 ```
1812 "##,
1813
1814 E0132: r##"
1815 A function with the `start` attribute was declared with type parameters.
1816
1817 Erroneous code example:
1818
1819 ```compile_fail
1820 #![feature(start)]
1821
1822 #[start]
1823 fn f<T>() {}
1824 ```
1825
1826 It is not possible to declare type parameters on a function that has the `start`
1827 attribute. Such a function must have the following type signature (for more
1828 information: http://doc.rust-lang.org/stable/book/no-stdlib.html):
1829
1830 ```ignore
1831 fn(isize, *const *const u8) -> isize;
1832 ```
1833
1834 Example:
1835
1836 ```
1837 #![feature(start)]
1838
1839 #[start]
1840 fn my_start(argc: isize, argv: *const *const u8) -> isize {
1841     0
1842 }
1843 ```
1844 "##,
1845
1846 E0164: r##"
1847 This error means that an attempt was made to match a struct type enum
1848 variant as a non-struct type:
1849
1850 ```compile_fail
1851 enum Foo { B { i: u32 } }
1852
1853 fn bar(foo: Foo) -> u32 {
1854     match foo {
1855         Foo::B(i) => i, // error E0164
1856     }
1857 }
1858 ```
1859
1860 Try using `{}` instead:
1861
1862 ```
1863 enum Foo { B { i: u32 } }
1864
1865 fn bar(foo: Foo) -> u32 {
1866     match foo {
1867         Foo::B{i} => i,
1868     }
1869 }
1870 ```
1871 "##,
1872
1873 E0166: r##"
1874 This error means that the compiler found a return expression in a function
1875 marked as diverging. A function diverges if it has `!` in the place of the
1876 return type in its signature. For example:
1877
1878 ```compile_fail
1879 fn foo() -> ! { return; } // error
1880 ```
1881
1882 For a function that diverges, every control path in the function must never
1883 return, for example with a `loop` that never breaks or a call to another
1884 diverging function (such as `panic!()`).
1885 "##,
1886
1887 E0172: r##"
1888 This error means that an attempt was made to specify the type of a variable with
1889 a combination of a concrete type and a trait. Consider the following example:
1890
1891 ```compile_fail
1892 fn foo(bar: i32+std::fmt::Display) {}
1893 ```
1894
1895 The code is trying to specify that we want to receive a signed 32-bit integer
1896 which also implements `Display`. This doesn't make sense: when we pass `i32`, a
1897 concrete type, it implicitly includes all of the traits that it implements.
1898 This includes `Display`, `Debug`, `Clone`, and a host of others.
1899
1900 If `i32` implements the trait we desire, there's no need to specify the trait
1901 separately. If it does not, then we need to `impl` the trait for `i32` before
1902 passing it into `foo`. Either way, a fixed definition for `foo` will look like
1903 the following:
1904
1905 ```
1906 fn foo(bar: i32) {}
1907 ```
1908
1909 To learn more about traits, take a look at the Book:
1910
1911 https://doc.rust-lang.org/book/traits.html
1912 "##,
1913
1914 E0178: r##"
1915 In types, the `+` type operator has low precedence, so it is often necessary
1916 to use parentheses.
1917
1918 For example:
1919
1920 ```compile_fail
1921 trait Foo {}
1922
1923 struct Bar<'a> {
1924     w: &'a Foo + Copy,   // error, use &'a (Foo + Copy)
1925     x: &'a Foo + 'a,     // error, use &'a (Foo + 'a)
1926     y: &'a mut Foo + 'a, // error, use &'a mut (Foo + 'a)
1927     z: fn() -> Foo + 'a, // error, use fn() -> (Foo + 'a)
1928 }
1929 ```
1930
1931 More details can be found in [RFC 438].
1932
1933 [RFC 438]: https://github.com/rust-lang/rfcs/pull/438
1934 "##,
1935
1936 E0184: r##"
1937 Explicitly implementing both Drop and Copy for a type is currently disallowed.
1938 This feature can make some sense in theory, but the current implementation is
1939 incorrect and can lead to memory unsafety (see [issue #20126][iss20126]), so
1940 it has been disabled for now.
1941
1942 [iss20126]: https://github.com/rust-lang/rust/issues/20126
1943 "##,
1944
1945 E0185: r##"
1946 An associated function for a trait was defined to be static, but an
1947 implementation of the trait declared the same function to be a method (i.e. to
1948 take a `self` parameter).
1949
1950 Here's an example of this error:
1951
1952 ```compile_fail
1953 trait Foo {
1954     fn foo();
1955 }
1956
1957 struct Bar;
1958
1959 impl Foo for Bar {
1960     // error, method `foo` has a `&self` declaration in the impl, but not in
1961     // the trait
1962     fn foo(&self) {}
1963 }
1964 ```
1965 "##,
1966
1967 E0186: r##"
1968 An associated function for a trait was defined to be a method (i.e. to take a
1969 `self` parameter), but an implementation of the trait declared the same function
1970 to be static.
1971
1972 Here's an example of this error:
1973
1974 ```compile_fail
1975 trait Foo {
1976     fn foo(&self);
1977 }
1978
1979 struct Bar;
1980
1981 impl Foo for Bar {
1982     // error, method `foo` has a `&self` declaration in the trait, but not in
1983     // the impl
1984     fn foo() {}
1985 }
1986 ```
1987 "##,
1988
1989 E0191: r##"
1990 Trait objects need to have all associated types specified. Erroneous code
1991 example:
1992
1993 ```compile_fail
1994 trait Trait {
1995     type Bar;
1996 }
1997
1998 type Foo = Trait; // error: the value of the associated type `Bar` (from
1999                   //        the trait `Trait`) must be specified
2000 ```
2001
2002 Please verify you specified all associated types of the trait and that you
2003 used the right trait. Example:
2004
2005 ```
2006 trait Trait {
2007     type Bar;
2008 }
2009
2010 type Foo = Trait<Bar=i32>; // ok!
2011 ```
2012 "##,
2013
2014 E0192: r##"
2015 Negative impls are only allowed for traits with default impls. For more
2016 information see the [opt-in builtin traits RFC](https://github.com/rust-lang/
2017 rfcs/blob/master/text/0019-opt-in-builtin-traits.md).
2018 "##,
2019
2020 E0193: r##"
2021 `where` clauses must use generic type parameters: it does not make sense to use
2022 them otherwise. An example causing this error:
2023
2024 ```ignore
2025 trait Foo {
2026     fn bar(&self);
2027 }
2028
2029 #[derive(Copy,Clone)]
2030 struct Wrapper<T> {
2031     Wrapped: T
2032 }
2033
2034 impl Foo for Wrapper<u32> where Wrapper<u32>: Clone {
2035     fn bar(&self) { }
2036 }
2037 ```
2038
2039 This use of a `where` clause is strange - a more common usage would look
2040 something like the following:
2041
2042 ```
2043 trait Foo {
2044     fn bar(&self);
2045 }
2046
2047 #[derive(Copy,Clone)]
2048 struct Wrapper<T> {
2049     Wrapped: T
2050 }
2051 impl <T> Foo for Wrapper<T> where Wrapper<T>: Clone {
2052     fn bar(&self) { }
2053 }
2054 ```
2055
2056 Here, we're saying that the implementation exists on Wrapper only when the
2057 wrapped type `T` implements `Clone`. The `where` clause is important because
2058 some types will not implement `Clone`, and thus will not get this method.
2059
2060 In our erroneous example, however, we're referencing a single concrete type.
2061 Since we know for certain that `Wrapper<u32>` implements `Clone`, there's no
2062 reason to also specify it in a `where` clause.
2063 "##,
2064
2065 E0194: r##"
2066 A type parameter was declared which shadows an existing one. An example of this
2067 error:
2068
2069 ```compile_fail
2070 trait Foo<T> {
2071     fn do_something(&self) -> T;
2072     fn do_something_else<T: Clone>(&self, bar: T);
2073 }
2074 ```
2075
2076 In this example, the trait `Foo` and the trait method `do_something_else` both
2077 define a type parameter `T`. This is not allowed: if the method wishes to
2078 define a type parameter, it must use a different name for it.
2079 "##,
2080
2081 E0195: r##"
2082 Your method's lifetime parameters do not match the trait declaration.
2083 Erroneous code example:
2084
2085 ```compile_fail
2086 trait Trait {
2087     fn bar<'a,'b:'a>(x: &'a str, y: &'b str);
2088 }
2089
2090 struct Foo;
2091
2092 impl Trait for Foo {
2093     fn bar<'a,'b>(x: &'a str, y: &'b str) {
2094     // error: lifetime parameters or bounds on method `bar`
2095     // do not match the trait declaration
2096     }
2097 }
2098 ```
2099
2100 The lifetime constraint `'b` for bar() implementation does not match the
2101 trait declaration. Ensure lifetime declarations match exactly in both trait
2102 declaration and implementation. Example:
2103
2104 ```
2105 trait Trait {
2106     fn t<'a,'b:'a>(x: &'a str, y: &'b str);
2107 }
2108
2109 struct Foo;
2110
2111 impl Trait for Foo {
2112     fn t<'a,'b:'a>(x: &'a str, y: &'b str) { // ok!
2113     }
2114 }
2115 ```
2116 "##,
2117
2118 E0197: r##"
2119 Inherent implementations (one that do not implement a trait but provide
2120 methods associated with a type) are always safe because they are not
2121 implementing an unsafe trait. Removing the `unsafe` keyword from the inherent
2122 implementation will resolve this error.
2123
2124 ```compile_fail
2125 struct Foo;
2126
2127 // this will cause this error
2128 unsafe impl Foo { }
2129 // converting it to this will fix it
2130 impl Foo { }
2131 ```
2132 "##,
2133
2134 E0198: r##"
2135 A negative implementation is one that excludes a type from implementing a
2136 particular trait. Not being able to use a trait is always a safe operation,
2137 so negative implementations are always safe and never need to be marked as
2138 unsafe.
2139
2140 ```compile_fail
2141 #![feature(optin_builtin_traits)]
2142
2143 struct Foo;
2144
2145 // unsafe is unnecessary
2146 unsafe impl !Clone for Foo { }
2147 ```
2148
2149 This will compile:
2150
2151 ```
2152 #![feature(optin_builtin_traits)]
2153
2154 struct Foo;
2155
2156 trait Enterprise {}
2157
2158 impl Enterprise for .. { }
2159
2160 impl !Enterprise for Foo { }
2161 ```
2162
2163 Please note that negative impls are only allowed for traits with default impls.
2164 "##,
2165
2166 E0199: r##"
2167 Safe traits should not have unsafe implementations, therefore marking an
2168 implementation for a safe trait unsafe will cause a compiler error. Removing
2169 the unsafe marker on the trait noted in the error will resolve this problem.
2170
2171 ```compile_fail
2172 struct Foo;
2173
2174 trait Bar { }
2175
2176 // this won't compile because Bar is safe
2177 unsafe impl Bar for Foo { }
2178 // this will compile
2179 impl Bar for Foo { }
2180 ```
2181 "##,
2182
2183 E0200: r##"
2184 Unsafe traits must have unsafe implementations. This error occurs when an
2185 implementation for an unsafe trait isn't marked as unsafe. This may be resolved
2186 by marking the unsafe implementation as unsafe.
2187
2188 ```compile_fail
2189 struct Foo;
2190
2191 unsafe trait Bar { }
2192
2193 // this won't compile because Bar is unsafe and impl isn't unsafe
2194 impl Bar for Foo { }
2195 // this will compile
2196 unsafe impl Bar for Foo { }
2197 ```
2198 "##,
2199
2200 E0201: r##"
2201 It is an error to define two associated items (like methods, associated types,
2202 associated functions, etc.) with the same identifier.
2203
2204 For example:
2205
2206 ```compile_fail
2207 struct Foo(u8);
2208
2209 impl Foo {
2210     fn bar(&self) -> bool { self.0 > 5 }
2211     fn bar() {} // error: duplicate associated function
2212 }
2213
2214 trait Baz {
2215     type Quux;
2216     fn baz(&self) -> bool;
2217 }
2218
2219 impl Baz for Foo {
2220     type Quux = u32;
2221
2222     fn baz(&self) -> bool { true }
2223
2224     // error: duplicate method
2225     fn baz(&self) -> bool { self.0 > 5 }
2226
2227     // error: duplicate associated type
2228     type Quux = u32;
2229 }
2230 ```
2231
2232 Note, however, that items with the same name are allowed for inherent `impl`
2233 blocks that don't overlap:
2234
2235 ```
2236 struct Foo<T>(T);
2237
2238 impl Foo<u8> {
2239     fn bar(&self) -> bool { self.0 > 5 }
2240 }
2241
2242 impl Foo<bool> {
2243     fn bar(&self) -> bool { self.0 }
2244 }
2245 ```
2246 "##,
2247
2248 E0202: r##"
2249 Inherent associated types were part of [RFC 195] but are not yet implemented.
2250 See [the tracking issue][iss8995] for the status of this implementation.
2251
2252 [RFC 195]: https://github.com/rust-lang/rfcs/pull/195
2253 [iss8995]: https://github.com/rust-lang/rust/issues/8995
2254 "##,
2255
2256 E0204: r##"
2257 An attempt to implement the `Copy` trait for a struct failed because one of the
2258 fields does not implement `Copy`. To fix this, you must implement `Copy` for the
2259 mentioned field. Note that this may not be possible, as in the example of
2260
2261 ```compile_fail
2262 struct Foo {
2263     foo : Vec<u32>,
2264 }
2265
2266 impl Copy for Foo { }
2267 ```
2268
2269 This fails because `Vec<T>` does not implement `Copy` for any `T`.
2270
2271 Here's another example that will fail:
2272
2273 ```compile_fail
2274 #[derive(Copy)]
2275 struct Foo<'a> {
2276     ty: &'a mut bool,
2277 }
2278 ```
2279
2280 This fails because `&mut T` is not `Copy`, even when `T` is `Copy` (this
2281 differs from the behavior for `&T`, which is always `Copy`).
2282 "##,
2283
2284 E0205: r##"
2285 An attempt to implement the `Copy` trait for an enum failed because one of the
2286 variants does not implement `Copy`. To fix this, you must implement `Copy` for
2287 the mentioned variant. Note that this may not be possible, as in the example of
2288
2289 ```compile_fail
2290 enum Foo {
2291     Bar(Vec<u32>),
2292     Baz,
2293 }
2294
2295 impl Copy for Foo { }
2296 ```
2297
2298 This fails because `Vec<T>` does not implement `Copy` for any `T`.
2299
2300 Here's another example that will fail:
2301
2302 ```compile_fail
2303 #[derive(Copy)]
2304 enum Foo<'a> {
2305     Bar(&'a mut bool),
2306     Baz
2307 }
2308 ```
2309
2310 This fails because `&mut T` is not `Copy`, even when `T` is `Copy` (this
2311 differs from the behavior for `&T`, which is always `Copy`).
2312 "##,
2313
2314 E0206: r##"
2315 You can only implement `Copy` for a struct or enum. Both of the following
2316 examples will fail, because neither `i32` (primitive type) nor `&'static Bar`
2317 (reference to `Bar`) is a struct or enum:
2318
2319 ```compile_fail
2320 type Foo = i32;
2321 impl Copy for Foo { } // error
2322
2323 #[derive(Copy, Clone)]
2324 struct Bar;
2325 impl Copy for &'static Bar { } // error
2326 ```
2327 "##,
2328
2329 E0207: r##"
2330 Any type parameter or lifetime parameter of an `impl` must meet at least one of
2331 the following criteria:
2332
2333  - it appears in the self type of the impl
2334  - for a trait impl, it appears in the trait reference
2335  - it is bound as an associated type
2336
2337 ### Error example 1
2338
2339 Suppose we have a struct `Foo` and we would like to define some methods for it.
2340 The following definition leads to a compiler error:
2341
2342 ```compile_fail
2343 struct Foo;
2344
2345 impl<T: Default> Foo {
2346 // error: the type parameter `T` is not constrained by the impl trait, self
2347 // type, or predicates [E0207]
2348     fn get(&self) -> T {
2349         <T as Default>::default()
2350     }
2351 }
2352 ```
2353
2354 The problem is that the parameter `T` does not appear in the self type (`Foo`)
2355 of the impl. In this case, we can fix the error by moving the type parameter
2356 from the `impl` to the method `get`:
2357
2358
2359 ```
2360 struct Foo;
2361
2362 // Move the type parameter from the impl to the method
2363 impl Foo {
2364     fn get<T: Default>(&self) -> T {
2365         <T as Default>::default()
2366     }
2367 }
2368 ```
2369
2370 ### Error example 2
2371
2372 As another example, suppose we have a `Maker` trait and want to establish a
2373 type `FooMaker` that makes `Foo`s:
2374
2375 ```compile_fail
2376 trait Maker {
2377     type Item;
2378     fn make(&mut self) -> Self::Item;
2379 }
2380
2381 struct Foo<T> {
2382     foo: T
2383 }
2384
2385 struct FooMaker;
2386
2387 impl<T: Default> Maker for FooMaker {
2388 // error: the type parameter `T` is not constrained by the impl trait, self
2389 // type, or predicates [E0207]
2390     type Item = Foo<T>;
2391
2392     fn make(&mut self) -> Foo<T> {
2393         Foo { foo: <T as Default>::default() }
2394     }
2395 }
2396 ```
2397
2398 This fails to compile because `T` does not appear in the trait or in the
2399 implementing type.
2400
2401 One way to work around this is to introduce a phantom type parameter into
2402 `FooMaker`, like so:
2403
2404 ```
2405 use std::marker::PhantomData;
2406
2407 trait Maker {
2408     type Item;
2409     fn make(&mut self) -> Self::Item;
2410 }
2411
2412 struct Foo<T> {
2413     foo: T
2414 }
2415
2416 // Add a type parameter to `FooMaker`
2417 struct FooMaker<T> {
2418     phantom: PhantomData<T>,
2419 }
2420
2421 impl<T: Default> Maker for FooMaker<T> {
2422     type Item = Foo<T>;
2423
2424     fn make(&mut self) -> Foo<T> {
2425         Foo {
2426             foo: <T as Default>::default(),
2427         }
2428     }
2429 }
2430 ```
2431
2432 Another way is to do away with the associated type in `Maker` and use an input
2433 type parameter instead:
2434
2435 ```
2436 // Use a type parameter instead of an associated type here
2437 trait Maker<Item> {
2438     fn make(&mut self) -> Item;
2439 }
2440
2441 struct Foo<T> {
2442     foo: T
2443 }
2444
2445 struct FooMaker;
2446
2447 impl<T: Default> Maker<Foo<T>> for FooMaker {
2448     fn make(&mut self) -> Foo<T> {
2449         Foo { foo: <T as Default>::default() }
2450     }
2451 }
2452 ```
2453
2454 ### Additional information
2455
2456 For more information, please see [RFC 447].
2457
2458 [RFC 447]: https://github.com/rust-lang/rfcs/blob/master/text/0447-no-unused-impl-parameters.md
2459 "##,
2460
2461 E0210: r##"
2462 This error indicates a violation of one of Rust's orphan rules for trait
2463 implementations. The rule concerns the use of type parameters in an
2464 implementation of a foreign trait (a trait defined in another crate), and
2465 states that type parameters must be "covered" by a local type. To understand
2466 what this means, it is perhaps easiest to consider a few examples.
2467
2468 If `ForeignTrait` is a trait defined in some external crate `foo`, then the
2469 following trait `impl` is an error:
2470
2471 ```compile_fail
2472 extern crate foo;
2473 use foo::ForeignTrait;
2474
2475 impl<T> ForeignTrait for T { } // error
2476 ```
2477
2478 To work around this, it can be covered with a local type, `MyType`:
2479
2480 ```ignore
2481 struct MyType<T>(T);
2482 impl<T> ForeignTrait for MyType<T> { } // Ok
2483 ```
2484
2485 Please note that a type alias is not sufficient.
2486
2487 For another example of an error, suppose there's another trait defined in `foo`
2488 named `ForeignTrait2` that takes two type parameters. Then this `impl` results
2489 in the same rule violation:
2490
2491 ```compile_fail
2492 struct MyType2;
2493 impl<T> ForeignTrait2<T, MyType<T>> for MyType2 { } // error
2494 ```
2495
2496 The reason for this is that there are two appearances of type parameter `T` in
2497 the `impl` header, both as parameters for `ForeignTrait2`. The first appearance
2498 is uncovered, and so runs afoul of the orphan rule.
2499
2500 Consider one more example:
2501
2502 ```ignore
2503 impl<T> ForeignTrait2<MyType<T>, T> for MyType2 { } // Ok
2504 ```
2505
2506 This only differs from the previous `impl` in that the parameters `T` and
2507 `MyType<T>` for `ForeignTrait2` have been swapped. This example does *not*
2508 violate the orphan rule; it is permitted.
2509
2510 To see why that last example was allowed, you need to understand the general
2511 rule. Unfortunately this rule is a bit tricky to state. Consider an `impl`:
2512
2513 ```ignore
2514 impl<P1, ..., Pm> ForeignTrait<T1, ..., Tn> for T0 { ... }
2515 ```
2516
2517 where `P1, ..., Pm` are the type parameters of the `impl` and `T0, ..., Tn`
2518 are types. One of the types `T0, ..., Tn` must be a local type (this is another
2519 orphan rule, see the explanation for E0117). Let `i` be the smallest integer
2520 such that `Ti` is a local type. Then no type parameter can appear in any of the
2521 `Tj` for `j < i`.
2522
2523 For information on the design of the orphan rules, see [RFC 1023].
2524
2525 [RFC 1023]: https://github.com/rust-lang/rfcs/pull/1023
2526 "##,
2527
2528 /*
2529 E0211: r##"
2530 You used a function or type which doesn't fit the requirements for where it was
2531 used. Erroneous code examples:
2532
2533 ```compile_fail
2534 #![feature(intrinsics)]
2535
2536 extern "rust-intrinsic" {
2537     fn size_of<T>(); // error: intrinsic has wrong type
2538 }
2539
2540 // or:
2541
2542 fn main() -> i32 { 0 }
2543 // error: main function expects type: `fn() {main}`: expected (), found i32
2544
2545 // or:
2546
2547 let x = 1u8;
2548 match x {
2549     0u8...3i8 => (),
2550     // error: mismatched types in range: expected u8, found i8
2551     _ => ()
2552 }
2553
2554 // or:
2555
2556 use std::rc::Rc;
2557 struct Foo;
2558
2559 impl Foo {
2560     fn x(self: Rc<Foo>) {}
2561     // error: mismatched self type: expected `Foo`: expected struct
2562     //        `Foo`, found struct `alloc::rc::Rc`
2563 }
2564 ```
2565
2566 For the first code example, please check the function definition. Example:
2567
2568 ```
2569 #![feature(intrinsics)]
2570
2571 extern "rust-intrinsic" {
2572     fn size_of<T>() -> usize; // ok!
2573 }
2574 ```
2575
2576 The second case example is a bit particular : the main function must always
2577 have this definition:
2578
2579 ```compile_fail
2580 fn main();
2581 ```
2582
2583 They never take parameters and never return types.
2584
2585 For the third example, when you match, all patterns must have the same type
2586 as the type you're matching on. Example:
2587
2588 ```
2589 let x = 1u8;
2590
2591 match x {
2592     0u8...3u8 => (), // ok!
2593     _ => ()
2594 }
2595 ```
2596
2597 And finally, for the last example, only `Box<Self>`, `&Self`, `Self`,
2598 or `&mut Self` work as explicit self parameters. Example:
2599
2600 ```
2601 struct Foo;
2602
2603 impl Foo {
2604     fn x(self: Box<Foo>) {} // ok!
2605 }
2606 ```
2607 "##,
2608      */
2609
2610 E0214: r##"
2611 A generic type was described using parentheses rather than angle brackets. For
2612 example:
2613
2614 ```compile_fail
2615 fn main() {
2616     let v: Vec(&str) = vec!["foo"];
2617 }
2618 ```
2619
2620 This is not currently supported: `v` should be defined as `Vec<&str>`.
2621 Parentheses are currently only used with generic types when defining parameters
2622 for `Fn`-family traits.
2623 "##,
2624
2625 E0220: r##"
2626 You used an associated type which isn't defined in the trait.
2627 Erroneous code example:
2628
2629 ```compile_fail
2630 trait T1 {
2631     type Bar;
2632 }
2633
2634 type Foo = T1<F=i32>; // error: associated type `F` not found for `T1`
2635
2636 // or:
2637
2638 trait T2 {
2639     type Bar;
2640
2641     // error: Baz is used but not declared
2642     fn return_bool(&self, &Self::Bar, &Self::Baz) -> bool;
2643 }
2644 ```
2645
2646 Make sure that you have defined the associated type in the trait body.
2647 Also, verify that you used the right trait or you didn't misspell the
2648 associated type name. Example:
2649
2650 ```
2651 trait T1 {
2652     type Bar;
2653 }
2654
2655 type Foo = T1<Bar=i32>; // ok!
2656
2657 // or:
2658
2659 trait T2 {
2660     type Bar;
2661     type Baz; // we declare `Baz` in our trait.
2662
2663     // and now we can use it here:
2664     fn return_bool(&self, &Self::Bar, &Self::Baz) -> bool;
2665 }
2666 ```
2667 "##,
2668
2669 E0221: r##"
2670 An attempt was made to retrieve an associated type, but the type was ambiguous.
2671 For example:
2672
2673 ```compile_fail
2674 trait T1 {}
2675 trait T2 {}
2676
2677 trait Foo {
2678     type A: T1;
2679 }
2680
2681 trait Bar : Foo {
2682     type A: T2;
2683     fn do_something() {
2684         let _: Self::A;
2685     }
2686 }
2687 ```
2688
2689 In this example, `Foo` defines an associated type `A`. `Bar` inherits that type
2690 from `Foo`, and defines another associated type of the same name. As a result,
2691 when we attempt to use `Self::A`, it's ambiguous whether we mean the `A` defined
2692 by `Foo` or the one defined by `Bar`.
2693
2694 There are two options to work around this issue. The first is simply to rename
2695 one of the types. Alternatively, one can specify the intended type using the
2696 following syntax:
2697
2698 ```
2699 trait T1 {}
2700 trait T2 {}
2701
2702 trait Foo {
2703     type A: T1;
2704 }
2705
2706 trait Bar : Foo {
2707     type A: T2;
2708     fn do_something() {
2709         let _: <Self as Bar>::A;
2710     }
2711 }
2712 ```
2713 "##,
2714
2715 E0223: r##"
2716 An attempt was made to retrieve an associated type, but the type was ambiguous.
2717 For example:
2718
2719 ```compile_fail
2720 trait MyTrait {type X; }
2721
2722 fn main() {
2723     let foo: MyTrait::X;
2724 }
2725 ```
2726
2727 The problem here is that we're attempting to take the type of X from MyTrait.
2728 Unfortunately, the type of X is not defined, because it's only made concrete in
2729 implementations of the trait. A working version of this code might look like:
2730
2731 ```
2732 trait MyTrait {type X; }
2733 struct MyStruct;
2734
2735 impl MyTrait for MyStruct {
2736     type X = u32;
2737 }
2738
2739 fn main() {
2740     let foo: <MyStruct as MyTrait>::X;
2741 }
2742 ```
2743
2744 This syntax specifies that we want the X type from MyTrait, as made concrete in
2745 MyStruct. The reason that we cannot simply use `MyStruct::X` is that MyStruct
2746 might implement two different traits with identically-named associated types.
2747 This syntax allows disambiguation between the two.
2748 "##,
2749
2750 E0225: r##"
2751 You attempted to use multiple types as bounds for a closure or trait object.
2752 Rust does not currently support this. A simple example that causes this error:
2753
2754 ```compile_fail
2755 fn main() {
2756     let _: Box<std::io::Read + std::io::Write>;
2757 }
2758 ```
2759
2760 Builtin traits are an exception to this rule: it's possible to have bounds of
2761 one non-builtin type, plus any number of builtin types. For example, the
2762 following compiles correctly:
2763
2764 ```
2765 fn main() {
2766     let _: Box<std::io::Read + Send + Sync>;
2767 }
2768 ```
2769 "##,
2770
2771 E0232: r##"
2772 The attribute must have a value. Erroneous code example:
2773
2774 ```compile_fail
2775 #![feature(on_unimplemented)]
2776
2777 #[rustc_on_unimplemented] // error: this attribute must have a value
2778 trait Bar {}
2779 ```
2780
2781 Please supply the missing value of the attribute. Example:
2782
2783 ```
2784 #![feature(on_unimplemented)]
2785
2786 #[rustc_on_unimplemented = "foo"] // ok!
2787 trait Bar {}
2788 ```
2789 "##,
2790
2791 E0243: r##"
2792 This error indicates that not enough type parameters were found in a type or
2793 trait.
2794
2795 For example, the `Foo` struct below is defined to be generic in `T`, but the
2796 type parameter is missing in the definition of `Bar`:
2797
2798 ```compile_fail
2799 struct Foo<T> { x: T }
2800
2801 struct Bar { x: Foo }
2802 ```
2803 "##,
2804
2805 E0244: r##"
2806 This error indicates that too many type parameters were found in a type or
2807 trait.
2808
2809 For example, the `Foo` struct below has no type parameters, but is supplied
2810 with two in the definition of `Bar`:
2811
2812 ```compile_fail
2813 struct Foo { x: bool }
2814
2815 struct Bar<S, T> { x: Foo<S, T> }
2816 ```
2817 "##,
2818
2819 E0248: r##"
2820 This error indicates an attempt to use a value where a type is expected. For
2821 example:
2822
2823 ```compile_fail
2824 enum Foo {
2825     Bar(u32)
2826 }
2827
2828 fn do_something(x: Foo::Bar) { }
2829 ```
2830
2831 In this example, we're attempting to take a type of `Foo::Bar` in the
2832 do_something function. This is not legal: `Foo::Bar` is a value of type `Foo`,
2833 not a distinct static type. Likewise, it's not legal to attempt to
2834 `impl Foo::Bar`: instead, you must `impl Foo` and then pattern match to specify
2835 behavior for specific enum variants.
2836 "##,
2837
2838 E0318: r##"
2839 Default impls for a trait must be located in the same crate where the trait was
2840 defined. For more information see the [opt-in builtin traits RFC](https://github
2841 .com/rust-lang/rfcs/blob/master/text/0019-opt-in-builtin-traits.md).
2842 "##,
2843
2844 E0321: r##"
2845 A cross-crate opt-out trait was implemented on something which wasn't a struct
2846 or enum type. Erroneous code example:
2847
2848 ```compile_fail
2849 #![feature(optin_builtin_traits)]
2850
2851 struct Foo;
2852
2853 impl !Sync for Foo {}
2854
2855 unsafe impl Send for &'static Foo {
2856 // error: cross-crate traits with a default impl, like `core::marker::Send`,
2857 //        can only be implemented for a struct/enum type, not
2858 //        `&'static Foo`
2859 ```
2860
2861 Only structs and enums are permitted to impl Send, Sync, and other opt-out
2862 trait, and the struct or enum must be local to the current crate. So, for
2863 example, `unsafe impl Send for Rc<Foo>` is not allowed.
2864 "##,
2865
2866 E0322: r##"
2867 The `Sized` trait is a special trait built-in to the compiler for types with a
2868 constant size known at compile-time. This trait is automatically implemented
2869 for types as needed by the compiler, and it is currently disallowed to
2870 explicitly implement it for a type.
2871 "##,
2872
2873 E0323: r##"
2874 An associated const was implemented when another trait item was expected.
2875 Erroneous code example:
2876
2877 ```compile_fail
2878 #![feature(associated_consts)]
2879
2880 trait Foo {
2881     type N;
2882 }
2883
2884 struct Bar;
2885
2886 impl Foo for Bar {
2887     const N : u32 = 0;
2888     // error: item `N` is an associated const, which doesn't match its
2889     //        trait `<Bar as Foo>`
2890 }
2891 ```
2892
2893 Please verify that the associated const wasn't misspelled and the correct trait
2894 was implemented. Example:
2895
2896 ```
2897 struct Bar;
2898
2899 trait Foo {
2900     type N;
2901 }
2902
2903 impl Foo for Bar {
2904     type N = u32; // ok!
2905 }
2906 ```
2907
2908 Or:
2909
2910 ```
2911 #![feature(associated_consts)]
2912
2913 struct Bar;
2914
2915 trait Foo {
2916     const N : u32;
2917 }
2918
2919 impl Foo for Bar {
2920     const N : u32 = 0; // ok!
2921 }
2922 ```
2923 "##,
2924
2925 E0324: r##"
2926 A method was implemented when another trait item was expected. Erroneous
2927 code example:
2928
2929 ```compile_fail
2930 struct Bar;
2931
2932 trait Foo {
2933     const N : u32;
2934
2935     fn M();
2936 }
2937
2938 impl Foo for Bar {
2939     fn N() {}
2940     // error: item `N` is an associated method, which doesn't match its
2941     //        trait `<Bar as Foo>`
2942 }
2943 ```
2944
2945 To fix this error, please verify that the method name wasn't misspelled and
2946 verify that you are indeed implementing the correct trait items. Example:
2947
2948 ```
2949 #![feature(associated_consts)]
2950
2951 struct Bar;
2952
2953 trait Foo {
2954     const N : u32;
2955
2956     fn M();
2957 }
2958
2959 impl Foo for Bar {
2960     const N : u32 = 0;
2961
2962     fn M() {} // ok!
2963 }
2964 ```
2965 "##,
2966
2967 E0325: r##"
2968 An associated type was implemented when another trait item was expected.
2969 Erroneous code example:
2970
2971 ```compile_fail
2972 struct Bar;
2973
2974 trait Foo {
2975     const N : u32;
2976 }
2977
2978 impl Foo for Bar {
2979     type N = u32;
2980     // error: item `N` is an associated type, which doesn't match its
2981     //        trait `<Bar as Foo>`
2982 }
2983 ```
2984
2985 Please verify that the associated type name wasn't misspelled and your
2986 implementation corresponds to the trait definition. Example:
2987
2988 ```
2989 struct Bar;
2990
2991 trait Foo {
2992     type N;
2993 }
2994
2995 impl Foo for Bar {
2996     type N = u32; // ok!
2997 }
2998 ```
2999
3000 Or:
3001
3002 ```
3003 #![feature(associated_consts)]
3004
3005 struct Bar;
3006
3007 trait Foo {
3008     const N : u32;
3009 }
3010
3011 impl Foo for Bar {
3012     const N : u32 = 0; // ok!
3013 }
3014 ```
3015 "##,
3016
3017 E0326: r##"
3018 The types of any associated constants in a trait implementation must match the
3019 types in the trait definition. This error indicates that there was a mismatch.
3020
3021 Here's an example of this error:
3022
3023 ```compile_fail
3024 trait Foo {
3025     const BAR: bool;
3026 }
3027
3028 struct Bar;
3029
3030 impl Foo for Bar {
3031     const BAR: u32 = 5; // error, expected bool, found u32
3032 }
3033 ```
3034 "##,
3035
3036 E0329: r##"
3037 An attempt was made to access an associated constant through either a generic
3038 type parameter or `Self`. This is not supported yet. An example causing this
3039 error is shown below:
3040
3041 ```ignore
3042 #![feature(associated_consts)]
3043
3044 trait Foo {
3045     const BAR: f64;
3046 }
3047
3048 struct MyStruct;
3049
3050 impl Foo for MyStruct {
3051     const BAR: f64 = 0f64;
3052 }
3053
3054 fn get_bar_bad<F: Foo>(t: F) -> f64 {
3055     F::BAR
3056 }
3057 ```
3058
3059 Currently, the value of `BAR` for a particular type can only be accessed
3060 through a concrete type, as shown below:
3061
3062 ```ignore
3063 #![feature(associated_consts)]
3064
3065 trait Foo {
3066     const BAR: f64;
3067 }
3068
3069 struct MyStruct;
3070
3071 fn get_bar_good() -> f64 {
3072     <MyStruct as Foo>::BAR
3073 }
3074 ```
3075 "##,
3076
3077 E0366: r##"
3078 An attempt was made to implement `Drop` on a concrete specialization of a
3079 generic type. An example is shown below:
3080
3081 ```compile_fail
3082 struct Foo<T> {
3083     t: T
3084 }
3085
3086 impl Drop for Foo<u32> {
3087     fn drop(&mut self) {}
3088 }
3089 ```
3090
3091 This code is not legal: it is not possible to specialize `Drop` to a subset of
3092 implementations of a generic type. One workaround for this is to wrap the
3093 generic type, as shown below:
3094
3095 ```
3096 struct Foo<T> {
3097     t: T
3098 }
3099
3100 struct Bar {
3101     t: Foo<u32>
3102 }
3103
3104 impl Drop for Bar {
3105     fn drop(&mut self) {}
3106 }
3107 ```
3108 "##,
3109
3110 E0367: r##"
3111 An attempt was made to implement `Drop` on a specialization of a generic type.
3112 An example is shown below:
3113
3114 ```compile_fail
3115 trait Foo{}
3116
3117 struct MyStruct<T> {
3118     t: T
3119 }
3120
3121 impl<T: Foo> Drop for MyStruct<T> {
3122     fn drop(&mut self) {}
3123 }
3124 ```
3125
3126 This code is not legal: it is not possible to specialize `Drop` to a subset of
3127 implementations of a generic type. In order for this code to work, `MyStruct`
3128 must also require that `T` implements `Foo`. Alternatively, another option is
3129 to wrap the generic type in another that specializes appropriately:
3130
3131 ```
3132 trait Foo{}
3133
3134 struct MyStruct<T> {
3135     t: T
3136 }
3137
3138 struct MyStructWrapper<T: Foo> {
3139     t: MyStruct<T>
3140 }
3141
3142 impl <T: Foo> Drop for MyStructWrapper<T> {
3143     fn drop(&mut self) {}
3144 }
3145 ```
3146 "##,
3147
3148 E0368: r##"
3149 This error indicates that a binary assignment operator like `+=` or `^=` was
3150 applied to a type that doesn't support it. For example:
3151
3152 ```compile_fail
3153 let mut x = 12f32; // error: binary operation `<<` cannot be applied to
3154                    //        type `f32`
3155
3156 x <<= 2;
3157 ```
3158
3159 To fix this error, please check that this type implements this binary
3160 operation. Example:
3161
3162 ```
3163 let mut x = 12u32; // the `u32` type does implement the `ShlAssign` trait
3164
3165 x <<= 2; // ok!
3166 ```
3167
3168 It is also possible to overload most operators for your own type by
3169 implementing the `[OP]Assign` traits from `std::ops`.
3170
3171 Another problem you might be facing is this: suppose you've overloaded the `+`
3172 operator for some type `Foo` by implementing the `std::ops::Add` trait for
3173 `Foo`, but you find that using `+=` does not work, as in this example:
3174
3175 ```compile_fail
3176 use std::ops::Add;
3177
3178 struct Foo(u32);
3179
3180 impl Add for Foo {
3181     type Output = Foo;
3182
3183     fn add(self, rhs: Foo) -> Foo {
3184         Foo(self.0 + rhs.0)
3185     }
3186 }
3187
3188 fn main() {
3189     let mut x: Foo = Foo(5);
3190     x += Foo(7); // error, `+= cannot be applied to the type `Foo`
3191 }
3192 ```
3193
3194 This is because `AddAssign` is not automatically implemented, so you need to
3195 manually implement it for your type.
3196 "##,
3197
3198 E0369: r##"
3199 A binary operation was attempted on a type which doesn't support it.
3200 Erroneous code example:
3201
3202 ```compile_fail
3203 let x = 12f32; // error: binary operation `<<` cannot be applied to
3204                //        type `f32`
3205
3206 x << 2;
3207 ```
3208
3209 To fix this error, please check that this type implements this binary
3210 operation. Example:
3211
3212 ```
3213 let x = 12u32; // the `u32` type does implement it:
3214                // https://doc.rust-lang.org/stable/std/ops/trait.Shl.html
3215
3216 x << 2; // ok!
3217 ```
3218
3219 It is also possible to overload most operators for your own type by
3220 implementing traits from `std::ops`.
3221 "##,
3222
3223 E0370: r##"
3224 The maximum value of an enum was reached, so it cannot be automatically
3225 set in the next enum value. Erroneous code example:
3226
3227 ```compile_fail
3228 #[deny(overflowing_literals)]
3229 enum Foo {
3230     X = 0x7fffffffffffffff,
3231     Y, // error: enum discriminant overflowed on value after
3232        //        9223372036854775807: i64; set explicitly via
3233        //        Y = -9223372036854775808 if that is desired outcome
3234 }
3235 ```
3236
3237 To fix this, please set manually the next enum value or put the enum variant
3238 with the maximum value at the end of the enum. Examples:
3239
3240 ```
3241 enum Foo {
3242     X = 0x7fffffffffffffff,
3243     Y = 0, // ok!
3244 }
3245 ```
3246
3247 Or:
3248
3249 ```
3250 enum Foo {
3251     Y = 0, // ok!
3252     X = 0x7fffffffffffffff,
3253 }
3254 ```
3255 "##,
3256
3257 E0371: r##"
3258 When `Trait2` is a subtrait of `Trait1` (for example, when `Trait2` has a
3259 definition like `trait Trait2: Trait1 { ... }`), it is not allowed to implement
3260 `Trait1` for `Trait2`. This is because `Trait2` already implements `Trait1` by
3261 definition, so it is not useful to do this.
3262
3263 Example:
3264
3265 ```compile_fail
3266 trait Foo { fn foo(&self) { } }
3267 trait Bar: Foo { }
3268 trait Baz: Bar { }
3269
3270 impl Bar for Baz { } // error, `Baz` implements `Bar` by definition
3271 impl Foo for Baz { } // error, `Baz` implements `Bar` which implements `Foo`
3272 impl Baz for Baz { } // error, `Baz` (trivially) implements `Baz`
3273 impl Baz for Bar { } // Note: This is OK
3274 ```
3275 "##,
3276
3277 E0374: r##"
3278 A struct without a field containing an unsized type cannot implement
3279 `CoerceUnsized`. An
3280 [unsized type](https://doc.rust-lang.org/book/unsized-types.html)
3281 is any type that the compiler doesn't know the length or alignment of at
3282 compile time. Any struct containing an unsized type is also unsized.
3283
3284 Example of erroneous code:
3285
3286 ```compile_fail
3287 #![feature(coerce_unsized)]
3288 use std::ops::CoerceUnsized;
3289
3290 struct Foo<T: ?Sized> {
3291     a: i32,
3292 }
3293
3294 // error: Struct `Foo` has no unsized fields that need `CoerceUnsized`.
3295 impl<T, U> CoerceUnsized<Foo<U>> for Foo<T>
3296     where T: CoerceUnsized<U> {}
3297 ```
3298
3299 `CoerceUnsized` is used to coerce one struct containing an unsized type
3300 into another struct containing a different unsized type. If the struct
3301 doesn't have any fields of unsized types then you don't need explicit
3302 coercion to get the types you want. To fix this you can either
3303 not try to implement `CoerceUnsized` or you can add a field that is
3304 unsized to the struct.
3305
3306 Example:
3307
3308 ```
3309 #![feature(coerce_unsized)]
3310 use std::ops::CoerceUnsized;
3311
3312 // We don't need to impl `CoerceUnsized` here.
3313 struct Foo {
3314     a: i32,
3315 }
3316
3317 // We add the unsized type field to the struct.
3318 struct Bar<T: ?Sized> {
3319     a: i32,
3320     b: T,
3321 }
3322
3323 // The struct has an unsized field so we can implement
3324 // `CoerceUnsized` for it.
3325 impl<T, U> CoerceUnsized<Bar<U>> for Bar<T>
3326     where T: CoerceUnsized<U> {}
3327 ```
3328
3329 Note that `CoerceUnsized` is mainly used by smart pointers like `Box`, `Rc`
3330 and `Arc` to be able to mark that they can coerce unsized types that they
3331 are pointing at.
3332 "##,
3333
3334 E0375: r##"
3335 A struct with more than one field containing an unsized type cannot implement
3336 `CoerceUnsized`. This only occurs when you are trying to coerce one of the
3337 types in your struct to another type in the struct. In this case we try to
3338 impl `CoerceUnsized` from `T` to `U` which are both types that the struct
3339 takes. An [unsized type](https://doc.rust-lang.org/book/unsized-types.html)
3340 is any type that the compiler doesn't know the length or alignment of at
3341 compile time. Any struct containing an unsized type is also unsized.
3342
3343 Example of erroneous code:
3344
3345 ```compile_fail
3346 #![feature(coerce_unsized)]
3347 use std::ops::CoerceUnsized;
3348
3349 struct Foo<T: ?Sized, U: ?Sized> {
3350     a: i32,
3351     b: T,
3352     c: U,
3353 }
3354
3355 // error: Struct `Foo` has more than one unsized field.
3356 impl<T, U> CoerceUnsized<Foo<U, T>> for Foo<T, U> {}
3357 ```
3358
3359 `CoerceUnsized` only allows for coercion from a structure with a single
3360 unsized type field to another struct with a single unsized type field.
3361 In fact Rust only allows for a struct to have one unsized type in a struct
3362 and that unsized type must be the last field in the struct. So having two
3363 unsized types in a single struct is not allowed by the compiler. To fix this
3364 use only one field containing an unsized type in the struct and then use
3365 multiple structs to manage each unsized type field you need.
3366
3367 Example:
3368
3369 ```
3370 #![feature(coerce_unsized)]
3371 use std::ops::CoerceUnsized;
3372
3373 struct Foo<T: ?Sized> {
3374     a: i32,
3375     b: T,
3376 }
3377
3378 impl <T, U> CoerceUnsized<Foo<U>> for Foo<T>
3379     where T: CoerceUnsized<U> {}
3380
3381 fn coerce_foo<T: CoerceUnsized<U>, U>(t: T) -> Foo<U> {
3382     Foo { a: 12i32, b: t } // we use coercion to get the `Foo<U>` type we need
3383 }
3384 ```
3385
3386 "##,
3387
3388 E0376: r##"
3389 The type you are trying to impl `CoerceUnsized` for is not a struct.
3390 `CoerceUnsized` can only be implemented for a struct. Unsized types are
3391 already able to be coerced without an implementation of `CoerceUnsized`
3392 whereas a struct containing an unsized type needs to know the unsized type
3393 field it's containing is able to be coerced. An
3394 [unsized type](https://doc.rust-lang.org/book/unsized-types.html)
3395 is any type that the compiler doesn't know the length or alignment of at
3396 compile time. Any struct containing an unsized type is also unsized.
3397
3398 Example of erroneous code:
3399
3400 ```compile_fail
3401 #![feature(coerce_unsized)]
3402 use std::ops::CoerceUnsized;
3403
3404 struct Foo<T: ?Sized> {
3405     a: T,
3406 }
3407
3408 // error: The type `U` is not a struct
3409 impl<T, U> CoerceUnsized<U> for Foo<T> {}
3410 ```
3411
3412 The `CoerceUnsized` trait takes a struct type. Make sure the type you are
3413 providing to `CoerceUnsized` is a struct with only the last field containing an
3414 unsized type.
3415
3416 Example:
3417
3418 ```
3419 #![feature(coerce_unsized)]
3420 use std::ops::CoerceUnsized;
3421
3422 struct Foo<T> {
3423     a: T,
3424 }
3425
3426 // The `Foo<U>` is a struct so `CoerceUnsized` can be implemented
3427 impl<T, U> CoerceUnsized<Foo<U>> for Foo<T> where T: CoerceUnsized<U> {}
3428 ```
3429
3430 Note that in Rust, structs can only contain an unsized type if the field
3431 containing the unsized type is the last and only unsized type field in the
3432 struct.
3433 "##,
3434
3435 E0379: r##"
3436 Trait methods cannot be declared `const` by design. For more information, see
3437 [RFC 911].
3438
3439 [RFC 911]: https://github.com/rust-lang/rfcs/pull/911
3440 "##,
3441
3442 E0380: r##"
3443 Default impls are only allowed for traits with no methods or associated items.
3444 For more information see the [opt-in builtin traits RFC](https://github.com/rust
3445 -lang/rfcs/blob/master/text/0019-opt-in-builtin-traits.md).
3446 "##,
3447
3448 E0390: r##"
3449 You tried to implement methods for a primitive type. Erroneous code example:
3450
3451 ```compile_fail
3452 struct Foo {
3453     x: i32
3454 }
3455
3456 impl *mut Foo {}
3457 // error: only a single inherent implementation marked with
3458 //        `#[lang = "mut_ptr"]` is allowed for the `*mut T` primitive
3459 ```
3460
3461 This isn't allowed, but using a trait to implement a method is a good solution.
3462 Example:
3463
3464 ```
3465 struct Foo {
3466     x: i32
3467 }
3468
3469 trait Bar {
3470     fn bar();
3471 }
3472
3473 impl Bar for *mut Foo {
3474     fn bar() {} // ok!
3475 }
3476 ```
3477 "##,
3478
3479 E0391: r##"
3480 This error indicates that some types or traits depend on each other
3481 and therefore cannot be constructed.
3482
3483 The following example contains a circular dependency between two traits:
3484
3485 ```compile_fail
3486 trait FirstTrait : SecondTrait {
3487
3488 }
3489
3490 trait SecondTrait : FirstTrait {
3491
3492 }
3493 ```
3494 "##,
3495
3496 E0392: r##"
3497 This error indicates that a type or lifetime parameter has been declared
3498 but not actually used. Here is an example that demonstrates the error:
3499
3500 ```compile_fail
3501 enum Foo<T> {
3502     Bar
3503 }
3504 ```
3505
3506 If the type parameter was included by mistake, this error can be fixed
3507 by simply removing the type parameter, as shown below:
3508
3509 ```
3510 enum Foo {
3511     Bar
3512 }
3513 ```
3514
3515 Alternatively, if the type parameter was intentionally inserted, it must be
3516 used. A simple fix is shown below:
3517
3518 ```
3519 enum Foo<T> {
3520     Bar(T)
3521 }
3522 ```
3523
3524 This error may also commonly be found when working with unsafe code. For
3525 example, when using raw pointers one may wish to specify the lifetime for
3526 which the pointed-at data is valid. An initial attempt (below) causes this
3527 error:
3528
3529 ```compile_fail
3530 struct Foo<'a, T> {
3531     x: *const T
3532 }
3533 ```
3534
3535 We want to express the constraint that Foo should not outlive `'a`, because
3536 the data pointed to by `T` is only valid for that lifetime. The problem is
3537 that there are no actual uses of `'a`. It's possible to work around this
3538 by adding a PhantomData type to the struct, using it to tell the compiler
3539 to act as if the struct contained a borrowed reference `&'a T`:
3540
3541 ```
3542 use std::marker::PhantomData;
3543
3544 struct Foo<'a, T: 'a> {
3545     x: *const T,
3546     phantom: PhantomData<&'a T>
3547 }
3548 ```
3549
3550 PhantomData can also be used to express information about unused type
3551 parameters. You can read more about it in the API documentation:
3552
3553 https://doc.rust-lang.org/std/marker/struct.PhantomData.html
3554 "##,
3555
3556 E0393: r##"
3557 A type parameter which references `Self` in its default value was not specified.
3558 Example of erroneous code:
3559
3560 ```compile_fail
3561 trait A<T=Self> {}
3562
3563 fn together_we_will_rule_the_galaxy(son: &A) {}
3564 // error: the type parameter `T` must be explicitly specified in an
3565 //        object type because its default value `Self` references the
3566 //        type `Self`
3567 ```
3568
3569 A trait object is defined over a single, fully-defined trait. With a regular
3570 default parameter, this parameter can just be substituted in. However, if the
3571 default parameter is `Self`, the trait changes for each concrete type; i.e.
3572 `i32` will be expected to implement `A<i32>`, `bool` will be expected to
3573 implement `A<bool>`, etc... These types will not share an implementation of a
3574 fully-defined trait; instead they share implementations of a trait with
3575 different parameters substituted in for each implementation. This is
3576 irreconcilable with what we need to make a trait object work, and is thus
3577 disallowed. Making the trait concrete by explicitly specifying the value of the
3578 defaulted parameter will fix this issue. Fixed example:
3579
3580 ```
3581 trait A<T=Self> {}
3582
3583 fn together_we_will_rule_the_galaxy(son: &A<i32>) {} // Ok!
3584 ```
3585 "##,
3586
3587 E0439: r##"
3588 The length of the platform-intrinsic function `simd_shuffle`
3589 wasn't specified. Erroneous code example:
3590
3591 ```compile_fail
3592 #![feature(platform_intrinsics)]
3593
3594 extern "platform-intrinsic" {
3595     fn simd_shuffle<A,B>(a: A, b: A, c: [u32; 8]) -> B;
3596     // error: invalid `simd_shuffle`, needs length: `simd_shuffle`
3597 }
3598 ```
3599
3600 The `simd_shuffle` function needs the length of the array passed as
3601 last parameter in its name. Example:
3602
3603 ```
3604 #![feature(platform_intrinsics)]
3605
3606 extern "platform-intrinsic" {
3607     fn simd_shuffle8<A,B>(a: A, b: A, c: [u32; 8]) -> B;
3608 }
3609 ```
3610 "##,
3611
3612 E0440: r##"
3613 A platform-specific intrinsic function has the wrong number of type
3614 parameters. Erroneous code example:
3615
3616 ```compile_fail
3617 #![feature(repr_simd)]
3618 #![feature(platform_intrinsics)]
3619
3620 #[repr(simd)]
3621 struct f64x2(f64, f64);
3622
3623 extern "platform-intrinsic" {
3624     fn x86_mm_movemask_pd<T>(x: f64x2) -> i32;
3625     // error: platform-specific intrinsic has wrong number of type
3626     //        parameters
3627 }
3628 ```
3629
3630 Please refer to the function declaration to see if it corresponds
3631 with yours. Example:
3632
3633 ```
3634 #![feature(repr_simd)]
3635 #![feature(platform_intrinsics)]
3636
3637 #[repr(simd)]
3638 struct f64x2(f64, f64);
3639
3640 extern "platform-intrinsic" {
3641     fn x86_mm_movemask_pd(x: f64x2) -> i32;
3642 }
3643 ```
3644 "##,
3645
3646 E0441: r##"
3647 An unknown platform-specific intrinsic function was used. Erroneous
3648 code example:
3649
3650 ```compile_fail
3651 #![feature(repr_simd)]
3652 #![feature(platform_intrinsics)]
3653
3654 #[repr(simd)]
3655 struct i16x8(i16, i16, i16, i16, i16, i16, i16, i16);
3656
3657 extern "platform-intrinsic" {
3658     fn x86_mm_adds_ep16(x: i16x8, y: i16x8) -> i16x8;
3659     // error: unrecognized platform-specific intrinsic function
3660 }
3661 ```
3662
3663 Please verify that the function name wasn't misspelled, and ensure
3664 that it is declared in the rust source code (in the file
3665 src/librustc_platform_intrinsics/x86.rs). Example:
3666
3667 ```
3668 #![feature(repr_simd)]
3669 #![feature(platform_intrinsics)]
3670
3671 #[repr(simd)]
3672 struct i16x8(i16, i16, i16, i16, i16, i16, i16, i16);
3673
3674 extern "platform-intrinsic" {
3675     fn x86_mm_adds_epi16(x: i16x8, y: i16x8) -> i16x8; // ok!
3676 }
3677 ```
3678 "##,
3679
3680 E0442: r##"
3681 Intrinsic argument(s) and/or return value have the wrong type.
3682 Erroneous code example:
3683
3684 ```compile_fail
3685 #![feature(repr_simd)]
3686 #![feature(platform_intrinsics)]
3687
3688 #[repr(simd)]
3689 struct i8x16(i8, i8, i8, i8, i8, i8, i8, i8,
3690              i8, i8, i8, i8, i8, i8, i8, i8);
3691 #[repr(simd)]
3692 struct i32x4(i32, i32, i32, i32);
3693 #[repr(simd)]
3694 struct i64x2(i64, i64);
3695
3696 extern "platform-intrinsic" {
3697     fn x86_mm_adds_epi16(x: i8x16, y: i32x4) -> i64x2;
3698     // error: intrinsic arguments/return value have wrong type
3699 }
3700 ```
3701
3702 To fix this error, please refer to the function declaration to give
3703 it the awaited types. Example:
3704
3705 ```
3706 #![feature(repr_simd)]
3707 #![feature(platform_intrinsics)]
3708
3709 #[repr(simd)]
3710 struct i16x8(i16, i16, i16, i16, i16, i16, i16, i16);
3711
3712 extern "platform-intrinsic" {
3713     fn x86_mm_adds_epi16(x: i16x8, y: i16x8) -> i16x8; // ok!
3714 }
3715 ```
3716 "##,
3717
3718 E0443: r##"
3719 Intrinsic argument(s) and/or return value have the wrong type.
3720 Erroneous code example:
3721
3722 ```compile_fail
3723 #![feature(repr_simd)]
3724 #![feature(platform_intrinsics)]
3725
3726 #[repr(simd)]
3727 struct i16x8(i16, i16, i16, i16, i16, i16, i16, i16);
3728 #[repr(simd)]
3729 struct i64x8(i64, i64, i64, i64, i64, i64, i64, i64);
3730
3731 extern "platform-intrinsic" {
3732     fn x86_mm_adds_epi16(x: i16x8, y: i16x8) -> i64x8;
3733     // error: intrinsic argument/return value has wrong type
3734 }
3735 ```
3736
3737 To fix this error, please refer to the function declaration to give
3738 it the awaited types. Example:
3739
3740 ```
3741 #![feature(repr_simd)]
3742 #![feature(platform_intrinsics)]
3743
3744 #[repr(simd)]
3745 struct i16x8(i16, i16, i16, i16, i16, i16, i16, i16);
3746
3747 extern "platform-intrinsic" {
3748     fn x86_mm_adds_epi16(x: i16x8, y: i16x8) -> i16x8; // ok!
3749 }
3750 ```
3751 "##,
3752
3753 E0444: r##"
3754 A platform-specific intrinsic function has wrong number of arguments.
3755 Erroneous code example:
3756
3757 ```compile_fail
3758 #![feature(repr_simd)]
3759 #![feature(platform_intrinsics)]
3760
3761 #[repr(simd)]
3762 struct f64x2(f64, f64);
3763
3764 extern "platform-intrinsic" {
3765     fn x86_mm_movemask_pd(x: f64x2, y: f64x2, z: f64x2) -> i32;
3766     // error: platform-specific intrinsic has invalid number of arguments
3767 }
3768 ```
3769
3770 Please refer to the function declaration to see if it corresponds
3771 with yours. Example:
3772
3773 ```
3774 #![feature(repr_simd)]
3775 #![feature(platform_intrinsics)]
3776
3777 #[repr(simd)]
3778 struct f64x2(f64, f64);
3779
3780 extern "platform-intrinsic" {
3781     fn x86_mm_movemask_pd(x: f64x2) -> i32; // ok!
3782 }
3783 ```
3784 "##,
3785
3786 E0516: r##"
3787 The `typeof` keyword is currently reserved but unimplemented.
3788 Erroneous code example:
3789
3790 ```compile_fail
3791 fn main() {
3792     let x: typeof(92) = 92;
3793 }
3794 ```
3795
3796 Try using type inference instead. Example:
3797
3798 ```
3799 fn main() {
3800     let x = 92;
3801 }
3802 ```
3803 "##,
3804
3805 E0520: r##"
3806 A non-default implementation was already made on this type so it cannot be
3807 specialized further. Erroneous code example:
3808
3809 ```compile_fail
3810 #![feature(specialization)]
3811
3812 trait SpaceLlama {
3813     fn fly(&self);
3814 }
3815
3816 // applies to all T
3817 impl<T> SpaceLlama for T {
3818     default fn fly(&self) {}
3819 }
3820
3821 // non-default impl
3822 // applies to all `Clone` T and overrides the previous impl
3823 impl<T: Clone> SpaceLlama for T {
3824     fn fly(&self) {}
3825 }
3826
3827 // since `i32` is clone, this conflicts with the previous implementation
3828 impl SpaceLlama for i32 {
3829     default fn fly(&self) {}
3830     // error: item `fly` is provided by an `impl` that specializes
3831     //        another, but the item in the parent `impl` is not marked
3832     //        `default` and so it cannot be specialized.
3833 }
3834 ```
3835
3836 Specialization only allows you to override `default` functions in
3837 implementations.
3838
3839 To fix this error, you need to mark all the parent implementations as default.
3840 Example:
3841
3842 ```
3843 #![feature(specialization)]
3844
3845 trait SpaceLlama {
3846     fn fly(&self);
3847 }
3848
3849 // applies to all T
3850 impl<T> SpaceLlama for T {
3851     default fn fly(&self) {} // This is a parent implementation.
3852 }
3853
3854 // applies to all `Clone` T; overrides the previous impl
3855 impl<T: Clone> SpaceLlama for T {
3856     default fn fly(&self) {} // This is a parent implementation but was
3857                              // previously not a default one, causing the error
3858 }
3859
3860 // applies to i32, overrides the previous two impls
3861 impl SpaceLlama for i32 {
3862     fn fly(&self) {} // And now that's ok!
3863 }
3864 ```
3865 "##,
3866
3867 E0527: r##"
3868 The number of elements in an array or slice pattern differed from the number of
3869 elements in the array being matched.
3870
3871 Example of erroneous code:
3872
3873 ```compile_fail,E0527
3874 #![feature(slice_patterns)]
3875
3876 let r = &[1, 2, 3, 4];
3877 match r {
3878     &[a, b] => { // error: pattern requires 2 elements but array
3879                  //        has 4
3880         println!("a={}, b={}", a, b);
3881     }
3882 }
3883 ```
3884
3885 Ensure that the pattern is consistent with the size of the matched
3886 array. Additional elements can be matched with `..`:
3887
3888 ```
3889 #![feature(slice_patterns)]
3890
3891 let r = &[1, 2, 3, 4];
3892 match r {
3893     &[a, b, ..] => { // ok!
3894         println!("a={}, b={}", a, b);
3895     }
3896 }
3897 ```
3898 "##,
3899
3900 E0528: r##"
3901 An array or slice pattern required more elements than were present in the
3902 matched array.
3903
3904 Example of erroneous code:
3905
3906 ```compile_fail,E0528
3907 #![feature(slice_patterns)]
3908
3909 let r = &[1, 2];
3910 match r {
3911     &[a, b, c, rest..] => { // error: pattern requires at least 3
3912                             //        elements but array has 2
3913         println!("a={}, b={}, c={} rest={:?}", a, b, c, rest);
3914     }
3915 }
3916 ```
3917
3918 Ensure that the matched array has at least as many elements as the pattern
3919 requires. You can match an arbitrary number of remaining elements with `..`:
3920
3921 ```
3922 #![feature(slice_patterns)]
3923
3924 let r = &[1, 2, 3, 4, 5];
3925 match r {
3926     &[a, b, c, rest..] => { // ok!
3927         // prints `a=1, b=2, c=3 rest=[4, 5]`
3928         println!("a={}, b={}, c={} rest={:?}", a, b, c, rest);
3929     }
3930 }
3931 ```
3932 "##,
3933
3934 E0529: r##"
3935 An array or slice pattern was matched against some other type.
3936
3937 Example of erroneous code:
3938
3939 ```compile_fail,E0529
3940 #![feature(slice_patterns)]
3941
3942 let r: f32 = 1.0;
3943 match r {
3944     [a, b] => { // error: expected an array or slice, found `f32`
3945         println!("a={}, b={}", a, b);
3946     }
3947 }
3948 ```
3949
3950 Ensure that the pattern and the expression being matched on are of consistent
3951 types:
3952
3953 ```
3954 #![feature(slice_patterns)]
3955
3956 let r = [1.0, 2.0];
3957 match r {
3958     [a, b] => { // ok!
3959         println!("a={}, b={}", a, b);
3960     }
3961 }
3962 ```
3963 "##,
3964
3965 E0559: r##"
3966 An unknown field was specified into an enum's structure variant.
3967
3968 Erroneous code example:
3969
3970 ```compile_fail,E0559
3971 enum Field {
3972     Fool { x: u32 },
3973 }
3974
3975 let s = Field::Fool { joke: 0 };
3976 // error: struct variant `Field::Fool` has no field named `joke`
3977 ```
3978
3979 Verify you didn't misspell the field's name or that the field exists. Example:
3980
3981 ```
3982 enum Field {
3983     Fool { joke: u32 },
3984 }
3985
3986 let s = Field::Fool { joke: 0 }; // ok!
3987 ```
3988 "##,
3989
3990 E0560: r##"
3991 An unknown field was specified into a structure.
3992
3993 Erroneous code example:
3994
3995 ```compile_fail,E0560
3996 struct Simba {
3997     mother: u32,
3998 }
3999
4000 let s = Simba { mother: 1, father: 0 };
4001 // error: structure `Simba` has no field named `father`
4002 ```
4003
4004 Verify you didn't misspell the field's name or that the field exists. Example:
4005
4006 ```
4007 struct Simba {
4008     mother: u32,
4009     father: u32,
4010 }
4011
4012 let s = Simba { mother: 1, father: 0 }; // ok!
4013 ```
4014 "##,
4015
4016 }
4017
4018 register_diagnostics! {
4019 //  E0068,
4020 //  E0085,
4021 //  E0086,
4022     E0090,
4023     E0103, // @GuillaumeGomez: I was unable to get this error, try your best!
4024     E0104,
4025 //  E0123,
4026 //  E0127,
4027 //  E0129,
4028 //  E0141,
4029 //  E0159, // use of trait `{}` as struct constructor
4030 //  E0163, // merged into E0071
4031     E0167,
4032 //  E0168,
4033 //  E0173, // manual implementations of unboxed closure traits are experimental
4034 //  E0174,
4035     E0182,
4036     E0183,
4037 //  E0187, // can't infer the kind of the closure
4038 //  E0188, // can not cast an immutable reference to a mutable pointer
4039 //  E0189, // deprecated: can only cast a boxed pointer to a boxed object
4040 //  E0190, // deprecated: can only cast a &-pointer to an &-object
4041     E0196, // cannot determine a type for this closure
4042     E0203, // type parameter has more than one relaxed default bound,
4043            // and only one is supported
4044     E0208,
4045 //  E0209, // builtin traits can only be implemented on structs or enums
4046     E0212, // cannot extract an associated type from a higher-ranked trait bound
4047 //  E0213, // associated types are not accepted in this context
4048 //  E0215, // angle-bracket notation is not stable with `Fn`
4049 //  E0216, // parenthetical notation is only stable with `Fn`
4050 //  E0217, // ambiguous associated type, defined in multiple supertraits
4051 //  E0218, // no associated type defined
4052 //  E0219, // associated type defined in higher-ranked supertrait
4053 //  E0222, // Error code E0045 (variadic function must have C calling
4054            // convention) duplicate
4055     E0224, // at least one non-builtin train is required for an object type
4056     E0226, // only a single explicit lifetime bound is permitted
4057     E0227, // ambiguous lifetime bound, explicit lifetime bound required
4058     E0228, // explicit lifetime bound required
4059     E0230, // there is no type parameter on trait
4060     E0231, // only named substitution parameters are allowed
4061 //  E0233,
4062 //  E0234,
4063 //  E0235, // structure constructor specifies a structure of type but
4064 //  E0236, // no lang item for range syntax
4065 //  E0237, // no lang item for range syntax
4066     E0238, // parenthesized parameters may only be used with a trait
4067 //  E0239, // `next` method of `Iterator` trait has unexpected type
4068 //  E0240,
4069 //  E0241,
4070 //  E0242,
4071     E0245, // not a trait
4072 //  E0246, // invalid recursive type
4073 //  E0247,
4074 //  E0249,
4075 //  E0319, // trait impls for defaulted traits allowed just for structs/enums
4076     E0320, // recursive overflow during dropck
4077     E0328, // cannot implement Unsize explicitly
4078 //  E0372, // coherence not object safe
4079     E0377, // the trait `CoerceUnsized` may only be implemented for a coercion
4080            // between structures with the same definition
4081     E0399, // trait items need to be implemented because the associated
4082            // type `{}` was overridden
4083     E0436, // functional record update requires a struct
4084     E0513, // no type for local variable ..
4085     E0521, // redundant default implementations of trait
4086     E0533, // `{}` does not name a unit variant, unit struct or a constant
4087 }