]> git.lizzy.rs Git - rust.git/blob - clippy_lints/src/attrs.rs
Merge commit '7ea7cd165ad6705603852771bf82cc2fd6560db5' into clippyup2
[rust.git] / clippy_lints / src / attrs.rs
1 //! checks for attributes
2
3 use crate::reexport::Name;
4 use crate::utils::{
5     first_line_of_span, is_present_in_source, match_def_path, paths, snippet_opt, span_lint, span_lint_and_sugg,
6     span_lint_and_then, without_block_comments,
7 };
8 use if_chain::if_chain;
9 use rustc_ast::ast::{AttrKind, AttrStyle, Attribute, Lit, LitKind, MetaItemKind, NestedMetaItem};
10 use rustc_ast::util::lev_distance::find_best_match_for_name;
11 use rustc_errors::Applicability;
12 use rustc_hir::{
13     Block, Expr, ExprKind, ImplItem, ImplItemKind, Item, ItemKind, StmtKind, TraitFn, TraitItem, TraitItemKind,
14 };
15 use rustc_lint::{CheckLintNameResult, EarlyContext, EarlyLintPass, LateContext, LateLintPass, LintContext};
16 use rustc_middle::lint::in_external_macro;
17 use rustc_middle::ty;
18 use rustc_session::{declare_lint_pass, declare_tool_lint};
19 use rustc_span::source_map::Span;
20 use rustc_span::symbol::Symbol;
21 use semver::Version;
22
23 static UNIX_SYSTEMS: &[&str] = &[
24     "android",
25     "dragonfly",
26     "emscripten",
27     "freebsd",
28     "fuchsia",
29     "haiku",
30     "illumos",
31     "ios",
32     "l4re",
33     "linux",
34     "macos",
35     "netbsd",
36     "openbsd",
37     "redox",
38     "solaris",
39     "vxworks",
40 ];
41
42 // NOTE: windows is excluded from the list because it's also a valid target family.
43 static NON_UNIX_SYSTEMS: &[&str] = &["cloudabi", "hermit", "none", "wasi"];
44
45 declare_clippy_lint! {
46     /// **What it does:** Checks for items annotated with `#[inline(always)]`,
47     /// unless the annotated function is empty or simply panics.
48     ///
49     /// **Why is this bad?** While there are valid uses of this annotation (and once
50     /// you know when to use it, by all means `allow` this lint), it's a common
51     /// newbie-mistake to pepper one's code with it.
52     ///
53     /// As a rule of thumb, before slapping `#[inline(always)]` on a function,
54     /// measure if that additional function call really affects your runtime profile
55     /// sufficiently to make up for the increase in compile time.
56     ///
57     /// **Known problems:** False positives, big time. This lint is meant to be
58     /// deactivated by everyone doing serious performance work. This means having
59     /// done the measurement.
60     ///
61     /// **Example:**
62     /// ```ignore
63     /// #[inline(always)]
64     /// fn not_quite_hot_code(..) { ... }
65     /// ```
66     pub INLINE_ALWAYS,
67     pedantic,
68     "use of `#[inline(always)]`"
69 }
70
71 declare_clippy_lint! {
72     /// **What it does:** Checks for `extern crate` and `use` items annotated with
73     /// lint attributes.
74     ///
75     /// This lint whitelists `#[allow(unused_imports)]`, `#[allow(deprecated)]` and
76     /// `#[allow(unreachable_pub)]` on `use` items and `#[allow(unused_imports)]` on
77     /// `extern crate` items with a `#[macro_use]` attribute.
78     ///
79     /// **Why is this bad?** Lint attributes have no effect on crate imports. Most
80     /// likely a `!` was forgotten.
81     ///
82     /// **Known problems:** None.
83     ///
84     /// **Example:**
85     /// ```ignore
86     /// // Bad
87     /// #[deny(dead_code)]
88     /// extern crate foo;
89     /// #[forbid(dead_code)]
90     /// use foo::bar;
91     ///
92     /// // Ok
93     /// #[allow(unused_imports)]
94     /// use foo::baz;
95     /// #[allow(unused_imports)]
96     /// #[macro_use]
97     /// extern crate baz;
98     /// ```
99     pub USELESS_ATTRIBUTE,
100     correctness,
101     "use of lint attributes on `extern crate` items"
102 }
103
104 declare_clippy_lint! {
105     /// **What it does:** Checks for `#[deprecated]` annotations with a `since`
106     /// field that is not a valid semantic version.
107     ///
108     /// **Why is this bad?** For checking the version of the deprecation, it must be
109     /// a valid semver. Failing that, the contained information is useless.
110     ///
111     /// **Known problems:** None.
112     ///
113     /// **Example:**
114     /// ```rust
115     /// #[deprecated(since = "forever")]
116     /// fn something_else() { /* ... */ }
117     /// ```
118     pub DEPRECATED_SEMVER,
119     correctness,
120     "use of `#[deprecated(since = \"x\")]` where x is not semver"
121 }
122
123 declare_clippy_lint! {
124     /// **What it does:** Checks for empty lines after outer attributes
125     ///
126     /// **Why is this bad?**
127     /// Most likely the attribute was meant to be an inner attribute using a '!'.
128     /// If it was meant to be an outer attribute, then the following item
129     /// should not be separated by empty lines.
130     ///
131     /// **Known problems:** Can cause false positives.
132     ///
133     /// From the clippy side it's difficult to detect empty lines between an attributes and the
134     /// following item because empty lines and comments are not part of the AST. The parsing
135     /// currently works for basic cases but is not perfect.
136     ///
137     /// **Example:**
138     /// ```rust
139     /// // Good (as inner attribute)
140     /// #![inline(always)]
141     ///
142     /// fn this_is_fine() { }
143     ///
144     /// // Bad
145     /// #[inline(always)]
146     ///
147     /// fn not_quite_good_code() { }
148     ///
149     /// // Good (as outer attribute)
150     /// #[inline(always)]
151     /// fn this_is_fine_too() { }
152     /// ```
153     pub EMPTY_LINE_AFTER_OUTER_ATTR,
154     nursery,
155     "empty line after outer attribute"
156 }
157
158 declare_clippy_lint! {
159     /// **What it does:** Checks for `allow`/`warn`/`deny`/`forbid` attributes with scoped clippy
160     /// lints and if those lints exist in clippy. If there is an uppercase letter in the lint name
161     /// (not the tool name) and a lowercase version of this lint exists, it will suggest to lowercase
162     /// the lint name.
163     ///
164     /// **Why is this bad?** A lint attribute with a mistyped lint name won't have an effect.
165     ///
166     /// **Known problems:** None.
167     ///
168     /// **Example:**
169     /// Bad:
170     /// ```rust
171     /// #![warn(if_not_els)]
172     /// #![deny(clippy::All)]
173     /// ```
174     ///
175     /// Good:
176     /// ```rust
177     /// #![warn(if_not_else)]
178     /// #![deny(clippy::all)]
179     /// ```
180     pub UNKNOWN_CLIPPY_LINTS,
181     style,
182     "unknown_lints for scoped Clippy lints"
183 }
184
185 declare_clippy_lint! {
186     /// **What it does:** Checks for `#[cfg_attr(rustfmt, rustfmt_skip)]` and suggests to replace it
187     /// with `#[rustfmt::skip]`.
188     ///
189     /// **Why is this bad?** Since tool_attributes ([rust-lang/rust#44690](https://github.com/rust-lang/rust/issues/44690))
190     /// are stable now, they should be used instead of the old `cfg_attr(rustfmt)` attributes.
191     ///
192     /// **Known problems:** This lint doesn't detect crate level inner attributes, because they get
193     /// processed before the PreExpansionPass lints get executed. See
194     /// [#3123](https://github.com/rust-lang/rust-clippy/pull/3123#issuecomment-422321765)
195     ///
196     /// **Example:**
197     ///
198     /// Bad:
199     /// ```rust
200     /// #[cfg_attr(rustfmt, rustfmt_skip)]
201     /// fn main() { }
202     /// ```
203     ///
204     /// Good:
205     /// ```rust
206     /// #[rustfmt::skip]
207     /// fn main() { }
208     /// ```
209     pub DEPRECATED_CFG_ATTR,
210     complexity,
211     "usage of `cfg_attr(rustfmt)` instead of tool attributes"
212 }
213
214 declare_clippy_lint! {
215     /// **What it does:** Checks for cfg attributes having operating systems used in target family position.
216     ///
217     /// **Why is this bad?** The configuration option will not be recognised and the related item will not be included
218     /// by the conditional compilation engine.
219     ///
220     /// **Known problems:** None.
221     ///
222     /// **Example:**
223     ///
224     /// Bad:
225     /// ```rust
226     /// #[cfg(linux)]
227     /// fn conditional() { }
228     /// ```
229     ///
230     /// Good:
231     /// ```rust
232     /// #[cfg(target_os = "linux")]
233     /// fn conditional() { }
234     /// ```
235     ///
236     /// Or:
237     /// ```rust
238     /// #[cfg(unix)]
239     /// fn conditional() { }
240     /// ```
241     /// Check the [Rust Reference](https://doc.rust-lang.org/reference/conditional-compilation.html#target_os) for more details.
242     pub MISMATCHED_TARGET_OS,
243     correctness,
244     "usage of `cfg(operating_system)` instead of `cfg(target_os = \"operating_system\")`"
245 }
246
247 declare_lint_pass!(Attributes => [
248     INLINE_ALWAYS,
249     DEPRECATED_SEMVER,
250     USELESS_ATTRIBUTE,
251     UNKNOWN_CLIPPY_LINTS,
252 ]);
253
254 impl<'a, 'tcx> LateLintPass<'a, 'tcx> for Attributes {
255     fn check_attribute(&mut self, cx: &LateContext<'a, 'tcx>, attr: &'tcx Attribute) {
256         if let Some(items) = &attr.meta_item_list() {
257             if let Some(ident) = attr.ident() {
258                 match &*ident.as_str() {
259                     "allow" | "warn" | "deny" | "forbid" => {
260                         check_clippy_lint_names(cx, items);
261                     },
262                     _ => {},
263                 }
264                 if items.is_empty() || !attr.check_name(sym!(deprecated)) {
265                     return;
266                 }
267                 for item in items {
268                     if_chain! {
269                         if let NestedMetaItem::MetaItem(mi) = &item;
270                         if let MetaItemKind::NameValue(lit) = &mi.kind;
271                         if mi.check_name(sym!(since));
272                         then {
273                             check_semver(cx, item.span(), lit);
274                         }
275                     }
276                 }
277             }
278         }
279     }
280
281     fn check_item(&mut self, cx: &LateContext<'a, 'tcx>, item: &'tcx Item<'_>) {
282         if is_relevant_item(cx, item) {
283             check_attrs(cx, item.span, item.ident.name, &item.attrs)
284         }
285         match item.kind {
286             ItemKind::ExternCrate(..) | ItemKind::Use(..) => {
287                 let skip_unused_imports = item.attrs.iter().any(|attr| attr.check_name(sym!(macro_use)));
288
289                 for attr in item.attrs {
290                     if in_external_macro(cx.sess(), attr.span) {
291                         return;
292                     }
293                     if let Some(lint_list) = &attr.meta_item_list() {
294                         if let Some(ident) = attr.ident() {
295                             match &*ident.as_str() {
296                                 "allow" | "warn" | "deny" | "forbid" => {
297                                     // whitelist `unused_imports`, `deprecated` and `unreachable_pub` for `use` items
298                                     // and `unused_imports` for `extern crate` items with `macro_use`
299                                     for lint in lint_list {
300                                         match item.kind {
301                                             ItemKind::Use(..) => {
302                                                 if is_word(lint, sym!(unused_imports))
303                                                     || is_word(lint, sym!(deprecated))
304                                                     || is_word(lint, sym!(unreachable_pub))
305                                                     || is_word(lint, sym!(unused))
306                                                 {
307                                                     return;
308                                                 }
309                                             },
310                                             ItemKind::ExternCrate(..) => {
311                                                 if is_word(lint, sym!(unused_imports)) && skip_unused_imports {
312                                                     return;
313                                                 }
314                                                 if is_word(lint, sym!(unused_extern_crates)) {
315                                                     return;
316                                                 }
317                                             },
318                                             _ => {},
319                                         }
320                                     }
321                                     let line_span = first_line_of_span(cx, attr.span);
322
323                                     if let Some(mut sugg) = snippet_opt(cx, line_span) {
324                                         if sugg.contains("#[") {
325                                             span_lint_and_then(
326                                                 cx,
327                                                 USELESS_ATTRIBUTE,
328                                                 line_span,
329                                                 "useless lint attribute",
330                                                 |diag| {
331                                                     sugg = sugg.replacen("#[", "#![", 1);
332                                                     diag.span_suggestion(
333                                                         line_span,
334                                                         "if you just forgot a `!`, use",
335                                                         sugg,
336                                                         Applicability::MaybeIncorrect,
337                                                     );
338                                                 },
339                                             );
340                                         }
341                                     }
342                                 },
343                                 _ => {},
344                             }
345                         }
346                     }
347                 }
348             },
349             _ => {},
350         }
351     }
352
353     fn check_impl_item(&mut self, cx: &LateContext<'a, 'tcx>, item: &'tcx ImplItem<'_>) {
354         if is_relevant_impl(cx, item) {
355             check_attrs(cx, item.span, item.ident.name, &item.attrs)
356         }
357     }
358
359     fn check_trait_item(&mut self, cx: &LateContext<'a, 'tcx>, item: &'tcx TraitItem<'_>) {
360         if is_relevant_trait(cx, item) {
361             check_attrs(cx, item.span, item.ident.name, &item.attrs)
362         }
363     }
364 }
365
366 #[allow(clippy::single_match_else)]
367 fn check_clippy_lint_names(cx: &LateContext<'_, '_>, items: &[NestedMetaItem]) {
368     let lint_store = cx.lints();
369     for lint in items {
370         if_chain! {
371             if let Some(meta_item) = lint.meta_item();
372             if meta_item.path.segments.len() > 1;
373             if let tool_name = meta_item.path.segments[0].ident;
374             if tool_name.as_str() == "clippy";
375             let name = meta_item.path.segments.last().unwrap().ident.name;
376             if let CheckLintNameResult::Tool(Err((None, _))) = lint_store.check_lint_name(
377                 &name.as_str(),
378                 Some(tool_name.name),
379             );
380             then {
381                 span_lint_and_then(
382                     cx,
383                     UNKNOWN_CLIPPY_LINTS,
384                     lint.span(),
385                     &format!("unknown clippy lint: clippy::{}", name),
386                     |diag| {
387                         let name_lower = name.as_str().to_lowercase();
388                         let symbols = lint_store.get_lints().iter().map(
389                             |l| Symbol::intern(&l.name_lower())
390                         ).collect::<Vec<_>>();
391                         let sugg = find_best_match_for_name(
392                             symbols.iter(),
393                             &format!("clippy::{}", name_lower),
394                             None,
395                         );
396                         if name.as_str().chars().any(char::is_uppercase)
397                             && lint_store.find_lints(&format!("clippy::{}", name_lower)).is_ok() {
398                             diag.span_suggestion(
399                                 lint.span(),
400                                 "lowercase the lint name",
401                                 format!("clippy::{}", name_lower),
402                                 Applicability::MachineApplicable,
403                             );
404                         } else if let Some(sugg) = sugg {
405                             diag.span_suggestion(
406                                 lint.span(),
407                                 "did you mean",
408                                 sugg.to_string(),
409                                 Applicability::MachineApplicable,
410                             );
411                         }
412                     }
413                 );
414             }
415         };
416     }
417 }
418
419 fn is_relevant_item(cx: &LateContext<'_, '_>, item: &Item<'_>) -> bool {
420     if let ItemKind::Fn(_, _, eid) = item.kind {
421         is_relevant_expr(cx, cx.tcx.body_tables(eid), &cx.tcx.hir().body(eid).value)
422     } else {
423         true
424     }
425 }
426
427 fn is_relevant_impl(cx: &LateContext<'_, '_>, item: &ImplItem<'_>) -> bool {
428     match item.kind {
429         ImplItemKind::Fn(_, eid) => is_relevant_expr(cx, cx.tcx.body_tables(eid), &cx.tcx.hir().body(eid).value),
430         _ => false,
431     }
432 }
433
434 fn is_relevant_trait(cx: &LateContext<'_, '_>, item: &TraitItem<'_>) -> bool {
435     match item.kind {
436         TraitItemKind::Fn(_, TraitFn::Required(_)) => true,
437         TraitItemKind::Fn(_, TraitFn::Provided(eid)) => {
438             is_relevant_expr(cx, cx.tcx.body_tables(eid), &cx.tcx.hir().body(eid).value)
439         },
440         _ => false,
441     }
442 }
443
444 fn is_relevant_block(cx: &LateContext<'_, '_>, tables: &ty::TypeckTables<'_>, block: &Block<'_>) -> bool {
445     if let Some(stmt) = block.stmts.first() {
446         match &stmt.kind {
447             StmtKind::Local(_) => true,
448             StmtKind::Expr(expr) | StmtKind::Semi(expr) => is_relevant_expr(cx, tables, expr),
449             _ => false,
450         }
451     } else {
452         block.expr.as_ref().map_or(false, |e| is_relevant_expr(cx, tables, e))
453     }
454 }
455
456 fn is_relevant_expr(cx: &LateContext<'_, '_>, tables: &ty::TypeckTables<'_>, expr: &Expr<'_>) -> bool {
457     match &expr.kind {
458         ExprKind::Block(block, _) => is_relevant_block(cx, tables, block),
459         ExprKind::Ret(Some(e)) => is_relevant_expr(cx, tables, e),
460         ExprKind::Ret(None) | ExprKind::Break(_, None) => false,
461         ExprKind::Call(path_expr, _) => {
462             if let ExprKind::Path(qpath) = &path_expr.kind {
463                 if let Some(fun_id) = tables.qpath_res(qpath, path_expr.hir_id).opt_def_id() {
464                     !match_def_path(cx, fun_id, &paths::BEGIN_PANIC)
465                 } else {
466                     true
467                 }
468             } else {
469                 true
470             }
471         },
472         _ => true,
473     }
474 }
475
476 fn check_attrs(cx: &LateContext<'_, '_>, span: Span, name: Name, attrs: &[Attribute]) {
477     if span.from_expansion() {
478         return;
479     }
480
481     for attr in attrs {
482         if let Some(values) = attr.meta_item_list() {
483             if values.len() != 1 || !attr.check_name(sym!(inline)) {
484                 continue;
485             }
486             if is_word(&values[0], sym!(always)) {
487                 span_lint(
488                     cx,
489                     INLINE_ALWAYS,
490                     attr.span,
491                     &format!(
492                         "you have declared `#[inline(always)]` on `{}`. This is usually a bad idea",
493                         name
494                     ),
495                 );
496             }
497         }
498     }
499 }
500
501 fn check_semver(cx: &LateContext<'_, '_>, span: Span, lit: &Lit) {
502     if let LitKind::Str(is, _) = lit.kind {
503         if Version::parse(&is.as_str()).is_ok() {
504             return;
505         }
506     }
507     span_lint(
508         cx,
509         DEPRECATED_SEMVER,
510         span,
511         "the since field must contain a semver-compliant version",
512     );
513 }
514
515 fn is_word(nmi: &NestedMetaItem, expected: Symbol) -> bool {
516     if let NestedMetaItem::MetaItem(mi) = &nmi {
517         mi.is_word() && mi.check_name(expected)
518     } else {
519         false
520     }
521 }
522
523 declare_lint_pass!(EarlyAttributes => [
524     DEPRECATED_CFG_ATTR,
525     MISMATCHED_TARGET_OS,
526     EMPTY_LINE_AFTER_OUTER_ATTR,
527 ]);
528
529 impl EarlyLintPass for EarlyAttributes {
530     fn check_item(&mut self, cx: &EarlyContext<'_>, item: &rustc_ast::ast::Item) {
531         check_empty_line_after_outer_attr(cx, item);
532     }
533
534     fn check_attribute(&mut self, cx: &EarlyContext<'_>, attr: &Attribute) {
535         check_deprecated_cfg_attr(cx, attr);
536         check_mismatched_target_os(cx, attr);
537     }
538 }
539
540 fn check_empty_line_after_outer_attr(cx: &EarlyContext<'_>, item: &rustc_ast::ast::Item) {
541     for attr in &item.attrs {
542         let attr_item = if let AttrKind::Normal(ref attr) = attr.kind {
543             attr
544         } else {
545             return;
546         };
547
548         if attr.style == AttrStyle::Outer {
549             if attr_item.args.inner_tokens().is_empty() || !is_present_in_source(cx, attr.span) {
550                 return;
551             }
552
553             let begin_of_attr_to_item = Span::new(attr.span.lo(), item.span.lo(), item.span.ctxt());
554             let end_of_attr_to_item = Span::new(attr.span.hi(), item.span.lo(), item.span.ctxt());
555
556             if let Some(snippet) = snippet_opt(cx, end_of_attr_to_item) {
557                 let lines = snippet.split('\n').collect::<Vec<_>>();
558                 let lines = without_block_comments(lines);
559
560                 if lines.iter().filter(|l| l.trim().is_empty()).count() > 2 {
561                     span_lint(
562                         cx,
563                         EMPTY_LINE_AFTER_OUTER_ATTR,
564                         begin_of_attr_to_item,
565                         "Found an empty line after an outer attribute. \
566                         Perhaps you forgot to add a `!` to make it an inner attribute?",
567                     );
568                 }
569             }
570         }
571     }
572 }
573
574 fn check_deprecated_cfg_attr(cx: &EarlyContext<'_>, attr: &Attribute) {
575     if_chain! {
576         // check cfg_attr
577         if attr.check_name(sym!(cfg_attr));
578         if let Some(items) = attr.meta_item_list();
579         if items.len() == 2;
580         // check for `rustfmt`
581         if let Some(feature_item) = items[0].meta_item();
582         if feature_item.check_name(sym!(rustfmt));
583         // check for `rustfmt_skip` and `rustfmt::skip`
584         if let Some(skip_item) = &items[1].meta_item();
585         if skip_item.check_name(sym!(rustfmt_skip)) ||
586             skip_item.path.segments.last().expect("empty path in attribute").ident.name == sym!(skip);
587         // Only lint outer attributes, because custom inner attributes are unstable
588         // Tracking issue: https://github.com/rust-lang/rust/issues/54726
589         if let AttrStyle::Outer = attr.style;
590         then {
591             span_lint_and_sugg(
592                 cx,
593                 DEPRECATED_CFG_ATTR,
594                 attr.span,
595                 "`cfg_attr` is deprecated for rustfmt and got replaced by tool attributes",
596                 "use",
597                 "#[rustfmt::skip]".to_string(),
598                 Applicability::MachineApplicable,
599             );
600         }
601     }
602 }
603
604 fn check_mismatched_target_os(cx: &EarlyContext<'_>, attr: &Attribute) {
605     fn find_os(name: &str) -> Option<&'static str> {
606         UNIX_SYSTEMS
607             .iter()
608             .chain(NON_UNIX_SYSTEMS.iter())
609             .find(|&&os| os == name)
610             .copied()
611     }
612
613     fn is_unix(name: &str) -> bool {
614         UNIX_SYSTEMS.iter().any(|&os| os == name)
615     }
616
617     fn find_mismatched_target_os(items: &[NestedMetaItem]) -> Vec<(&str, Span)> {
618         let mut mismatched = Vec::new();
619
620         for item in items {
621             if let NestedMetaItem::MetaItem(meta) = item {
622                 match &meta.kind {
623                     MetaItemKind::List(list) => {
624                         mismatched.extend(find_mismatched_target_os(&list));
625                     },
626                     MetaItemKind::Word => {
627                         if_chain! {
628                             if let Some(ident) = meta.ident();
629                             if let Some(os) = find_os(&*ident.name.as_str());
630                             then {
631                                 mismatched.push((os, ident.span));
632                             }
633                         }
634                     },
635                     _ => {},
636                 }
637             }
638         }
639
640         mismatched
641     }
642
643     if_chain! {
644         if attr.check_name(sym!(cfg));
645         if let Some(list) = attr.meta_item_list();
646         let mismatched = find_mismatched_target_os(&list);
647         if !mismatched.is_empty();
648         then {
649             let mess = "operating system used in target family position";
650
651             span_lint_and_then(cx, MISMATCHED_TARGET_OS, attr.span, &mess, |diag| {
652                 // Avoid showing the unix suggestion multiple times in case
653                 // we have more than one mismatch for unix-like systems
654                 let mut unix_suggested = false;
655
656                 for (os, span) in mismatched {
657                     let sugg = format!("target_os = \"{}\"", os);
658                     diag.span_suggestion(span, "try", sugg, Applicability::MaybeIncorrect);
659
660                     if !unix_suggested && is_unix(os) {
661                         diag.help("Did you mean `unix`?");
662                         unix_suggested = true;
663                     }
664                 }
665             });
666         }
667     }
668 }