Skip to content

Conversation

@ytmimi
Copy link
Contributor

@ytmimi ytmimi commented Jun 7, 2024

Bumping the toolchain version as part of a git subtree push

current toolchain (nightly-2023-12-28):

  • 1.77.0-nightly (89e2160c4 2023-12-27)

latest toolchain (nightly-2024-06-07):

  • 1.80.0-nightly (98489f248 2024-06-06)

r? @calebcartwright

shepmaster and others added 30 commits January 1, 2024 17:47
Otherwise tests fail due to unknown lint and dead code warnings.
For consistency with other `Emitter` impls, such as `JsonEmitter`,
`SilentEmitter`, `SharedEmitter`, etc.
`Emitter` cleanups

Some improvements I found while looking at this code.

r? `@oli-obk`
This works for most of its call sites. This is nice, because `emit` very
much makes sense as a consuming operation -- indeed,
`DiagnosticBuilderState` exists to ensure no diagnostic is emitted
twice, but it uses runtime checks.

For the small number of call sites where a consuming emit doesn't work,
the commit adds `DiagnosticBuilder::emit_without_consuming`. (This will
be removed in subsequent commits.)

Likewise, `emit_unless` becomes consuming. And `delay_as_bug` becomes
consuming, while `delay_as_bug_without_consuming` is added (which will
also be removed in subsequent commits.)

All this requires significant changes to `DiagnosticBuilder`'s chaining
methods. Currently `DiagnosticBuilder` method chaining uses a
non-consuming `&mut self -> &mut Self` style, which allows chaining to
be used when the chain ends in `emit()`, like so:
```
    struct_err(msg).span(span).emit();
```
But it doesn't work when producing a `DiagnosticBuilder` value,
requiring this:
```
    let mut err = self.struct_err(msg);
    err.span(span);
    err
```
This style of chaining won't work with consuming `emit` though. For
that, we need to use to a `self -> Self` style. That also would allow
`DiagnosticBuilder` production to be chained, e.g.:
```
    self.struct_err(msg).span(span)
```
However, removing the `&mut self -> &mut Self` style would require that
individual modifications of a `DiagnosticBuilder` go from this:
```
    err.span(span);
```
to this:
```
    err = err.span(span);
```
There are *many* such places. I have a high tolerance for tedious
refactorings, but even I gave up after a long time trying to convert
them all.

Instead, this commit has it both ways: the existing `&mut self -> Self`
chaining methods are kept, and new `self -> Self` chaining methods are
added, all of which have a `_mv` suffix (short for "move"). Changes to
the existing `forward!` macro lets this happen with very little
additional boilerplate code. I chose to add the suffix to the new
chaining methods rather than the existing ones, because the number of
changes required is much smaller that way.

This doubled chainging is a bit clumsy, but I think it is worthwhile
because it allows a *lot* of good things to subsequently happen. In this
commit, there are many `mut` qualifiers removed in places where
diagnostics are emitted without being modified. In subsequent commits:
- chaining can be used more, making the code more concise;
- more use of chaining also permits the removal of redundant diagnostic
  APIs like `struct_err_with_code`, which can be replaced easily with
  `struct_err` + `code_mv`;
- `emit_without_diagnostic` can be removed, which simplifies a lot of
  machinery, removing the need for `DiagnosticBuilderState`.
`is_force_warn` is only possible for diagnostics with `Level::Warning`,
but it is currently stored in `Diagnostic::code`, which every diagnostic
has.

This commit:
- removes the boolean `DiagnosticId::Lint::is_force_warn` field;
- adds a `ForceWarning` variant to `Level`.

Benefits:
- The common `Level::Warning` case now has no arguments, replacing
  lots of `Warning(None)` occurrences.
- `rustc_session::lint::Level` and `rustc_errors::Level` are more
  similar, both having `ForceWarning` and `Warning`.
One consequence is that errors returned by
`maybe_new_parser_from_source_str` now must be consumed, so a bunch of
places that previously ignored those errors now cancel them. (Most of
them explicitly dropped the errors before. I guess that was to indicate
"we are explicitly ignoring these", though I'm not 100% sure.)
All the other `emit`/`emit_diagnostic` methods were recently made
consuming (e.g. #119606), but this one wasn't. But it makes sense to.

Much of this is straightforward, and lots of `clone` calls are avoided.
There are a couple of tricky bits.
- `Emitter::primary_span_formatted` no longer takes a `Diagnostic` and
  returns a pair. Instead it takes the two fields from `Diagnostic` that
  it used (`span` and `suggestions`) as `&mut`, and modifies them. This
  is necessary to avoid the cloning of `diag.children` in two emitters.
- `from_errors_diagnostic` is rearranged so various uses of `diag` occur
  before the consuming `emit_diagnostic` call.
…artwright

Format `async` trait bounds in rustfmt

r? `@ytmimi` or `@calebcartwright`

This PR opts to do formatting in the rust-lang/rust tree because otherwise we'd have to wait until a full sync, and rustfmt is currently totally removing the `async` keyword.

cc rust-lang#6070
This makes it more like `hir::TyKind::Err`, and avoids a
`span_delayed_bug` call in `LoweringContext::lower_ty_direct`.

It also requires adding `ast::TyKind::Dummy`, now that
`ast::TyKind::Err` can't be used for that purpose in the absence of an
error emission.

There are a couple of cases that aren't as neat as I would have liked,
marked with `FIXME` comments.
Subdiagnostics don't need to be lazily translated, they can always be
eagerly translated. Eager translation is slightly more complex as we need
to have a `DiagCtxt` available to perform the translation, which involves
slightly more threading of that context.

This slight increase in complexity should enable later simplifications -
like passing `DiagCtxt` into `AddToDiagnostic` and moving Fluent messages
into the diagnostic structs rather than having them in separate files
(working on that was what led to this change).

Signed-off-by: David Wood <[email protected]>
…ercote

errors: only eagerly translate subdiagnostics

Subdiagnostics don't need to be lazily translated, they can always be eagerly translated. Eager translation is slightly more complex as we need to have a `DiagCtxt` available to perform the translation, which involves slightly more threading of that context.

This slight increase in complexity should enable later simplifications - like passing `DiagCtxt` into `AddToDiagnostic` and moving Fluent messages into the diagnostic structs rather than having them in separate files (working on that was what led to this change).

r? ```@nnethercote```
Commit 72b172b in #121206 changed things so that
`emit_stashed_diagnostics` is only called from `run_compiler`. But
rustfmt doesn't use `run_compiler`, so it needs to call
`emit_stashed_diagnostics` itself to avoid an abort in
`DiagCtxtInner::drop` when stashed diagnostics occur.

Fixes #121450.
Implement RFC 3373: Avoid non-local definitions in functions

This PR implements [RFC 3373: Avoid non-local definitions in functions](rust-lang/rust#120363).
This call was added to `parse_crate_mod` in #121487, to fix a case where
a stashed diagnostic wasn't emitted. But there is another path where a
stashed diagnostic might fail to be emitted if there's a parse error, if
the `build` call in `parse_crate_inner` fails before `parse_crate_mod`
is reached.

So this commit moves the `emit_stashed_diagnostic` call outwards, from
`parse_crate_mod` to `format_project`, just after the
`Parser::parse_crate` call. This should be far out enough to catch any
parsing errors.

Fixes #121517.
Add `ErrorGuaranteed` to `ast::ExprKind::Err`

See #119967 for context
```
      \
       \
          _~^~^~_
      \) /  o o  \ (/
        '_   -   _'
        / '-----' \
```

r? fmease
Move `emit_stashed_diagnostic` call in rustfmt.

This call was added to `parse_crate_mod` in #121487, to fix a case where a stashed diagnostic wasn't emitted. But there is another path where a stashed diagnostic might fail to be emitted if there's a parse error, if the `build` call in `parse_crate_inner` fails before `parse_crate_mod` is reached.

So this commit moves the `emit_stashed_diagnostic` call outwards, from `parse_crate_mod` to `format_project`, just after the `Parser::parse_crate` call. This should be far out enough to catch any parsing errors.

Fixes #121517.

r? `@oli-obk`
cc `@ytmimi`
Rollup of 6 pull requests

Successful merges:

 - #121389 (llvm-wrapper: fix few warnings)
 - #121493 (By changing some attributes to only_local, reducing encoding attributes in the crate metadate.)
 - #121615 (Move `emit_stashed_diagnostic` call in rustfmt.)
 - #121617 (Actually use the right closure kind when checking async Fn goals)
 - #121628 (Do not const prop unions)
 - #121629 (fix some references to no-longer-existing ReprOptions.layout_seed)

r? `@ghost`
`@rustbot` modify labels: rollup
I started by changing it to `DiagData`, but that didn't feel right.
`DiagInner` felt much better.
GKFX and others added 19 commits April 28, 2024 21:38
…r=oli-obk

Add StaticForeignItem and use it on ForeignItemKind

This is in preparation for unsafe extern blocks that adds a safe variant for functions inside extern blocks.

r? `@oli-obk`
cc `@compiler-errors`
Remove braces when fixing a nested use tree into a single item

[Back in 2019](rust-lang/rust#56645) I added rustfix support for the `unused_imports` lint, to automatically remove them when running `cargo fix`. For the most part this worked great, but when removing all but one childs of a nested use tree it turned `use foo::{Unused, Used}` into `use foo::{Used}`. This is slightly annoying, because it then requires you to run `rustfmt` to get `use foo::Used`.

This PR automatically removes braces and the surrouding whitespace when all but one child of a nested use tree are unused. To get it done I had to add the span of the nested use tree to the AST, and refactor a bit the code I wrote back then.

A thing I noticed is, there doesn't seem to be any `//@ run-rustfix` test for fixing the `unused_imports` lint. I created a test in `tests/suggestions` (is that the right directory?) that for now tests just what I added in the PR. I can followup in a separate PR to add more tests for fixing `unused_lints`.

This PR is best reviewed commit-by-commit.
```rust
reuse prefix::{a, b, c}
```
It's a zero-value wrapper of `Parser::new`.
Currently we have an awkward mix of fallible and infallible functions:
```
       new_parser_from_source_str
 maybe_new_parser_from_source_str
       new_parser_from_file
(maybe_new_parser_from_file)        // missing
      (new_parser_from_source_file) // missing
 maybe_new_parser_from_source_file
       source_str_to_stream
 maybe_source_file_to_stream
```
We could add the two missing functions, but instead this commit removes
of all the infallible ones and renames the fallible ones leaving us with
these which are all fallible:
```
new_parser_from_source_str
new_parser_from_file
new_parser_from_source_file
source_str_to_stream
source_file_to_stream
```
This requires making `unwrap_or_emit_fatal` public so callers of
formerly infallible functions can still work.

This does make some of the call sites slightly more verbose, but I think
it's worth it for the simpler API. Also, there are two `catch_unwind`
calls and one `catch_fatal_errors` call in this diff that become
removable thanks this change. (I will do that in a follow-up PR.)
The `Input::File` and `Input::Text` cases should be very similar.
However, currently the `Input::File` case uses `catch_unwind` because,
until recently (#125815) there was a fallible version of
`new_parser_from_source_str` but only an infallible version of
`new_parser_from_file`. This difference wasn't fundamental, just an
overlooked gap in the API of `rustc_parse`.

Both of those operations are now fallible, so the `Input::File` and
`Input::Text` cases can made more similar, with no need for
`catch_unwind`. This also lets us simplify an `Option<Vec<Diag>>` to
`Vec<Diag>`.
Unsafe extern blocks

This implements RFC 3484.

Tracking issue #123743 and RFC rust-lang/rfcs#3484

This is better reviewed commit by commit.
We need to allow `StyleEditionDefault` because it will be used to
implement `style_edition`, but that work is currently ongoing.
fixes compilation issues with the `generic-simd` feature
Can't run `cargo test --all` for `error-chain` anymore. The tests don't
compile because of `#[deny(invalid_doc_attributes)]`. Here's  the error
message:

```
error: this attribute can only be applied at the crate level
   --> tests/tests.rs:508:7
    |
508 | #[doc(test)]
    |       ^^^^
    |
    = note: read <https://doc.rust-lang.org/nightly/rustdoc/the-doc-attribute.html#at-the-crate-level> for more information
    = note: `#[deny(invalid_doc_attributes)]` on by default
help: to apply to the crate, use an inner attribute
    |
508 | #![doc(test)]
    |  +
```
The syntax changed from `expr: ty` -> `builtin # type_ascribe(expr, ty)`
For now, rustfmt will just emit the contents of the span.
@ytmimi
Copy link
Contributor Author

ytmimi commented Jun 7, 2024

Diff-Check Job

Edit: Job is failing ❌

@calebcartwright
Copy link
Member

There's a lot of churn in that check (i'm so glad we have this check!). Do you have any thoughts on cause?

@ytmimi
Copy link
Contributor Author

ytmimi commented Jun 8, 2024

Some of it might just be false positives. I'll probably need to run things manually to confirm, but there were some issues recently where the job was just randomly failing when run against the r-l/rust repo (#6154 (comment)). I think it might have something to do with what was being discussed here on Zulip, though I'm not 100% sure.

@ytmimi
Copy link
Contributor Author

ytmimi commented Jun 8, 2024

To double check that these aren't weird false positives I'm running the Diff-Check Job using my forks HEAD branch which is up to date with r-l/rustfmt

Edit: The job I just ran testing r-l/rustfmt against itself passed.

@ytmimi
Copy link
Contributor Author

ytmimi commented Jun 8, 2024

re-running the Diff-Check job on this PR to double check these changes. If the job fails again then I'll be fairly certain these aren't false positives. Next thing I'd want to look into when the job fails is if version=One formatting is consistent. It might just be the case that version=Two formatting is different.

Edit: Alright, still seeing diffs. Will investigate more tomorrow

@ytmimi
Copy link
Contributor Author

ytmimi commented Jun 12, 2024

Alright, so I investigated things locally and made sure to run both binaries with version=One.

Logs
./ci/check_diff.sh https://github.com/ytmimi/rustfmt.git subtree-push-nightly-2024-06-07
Created tmp_dir /var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rustfmt-XXXXXXXX.ScWYaYXQ
remote: Enumerating objects: 31731, done.
remote: Counting objects: 100% (31731/31731), done.
remote: Compressing objects: 100% (7702/7702), done.
remote: Total 31233 (delta 23693), reused 30507 (delta 23049), pack-reused 0
Receiving objects: 100% (31233/31233), 9.87 MiB | 14.05 MiB/s, done.
Resolving deltas: 100% (23693/23693), completed with 346 local objects.
From https://github.com/ytmimi/rustfmt
 * branch              subtree-push-nightly-2024-06-07 -> FETCH_HEAD
 * [new branch]        subtree-push-nightly-2024-06-07 -> feature/subtree-push-nightly-2024-06-07

compiling with cargo 1.77.0-nightly (ac6bbb332 2023-12-26)

Building rustfmt from src
branch 'subtree-push-nightly-2024-06-07' set up to track 'feature/subtree-push-nightly-2024-06-07'.
Switched to a new branch 'subtree-push-nightly-2024-06-07'
Building feature rustfmt from src

Runtime dependencies for rustfmt -- DYLD_LIBRARY_PATH: /Users/ytmimi/.rustup/toolchains/nightly-2024-06-07-aarch64-apple-darwin/lib:/Users/ytmimi/.rustup/toolchains/nightly-2023-12-28-aarch64-apple-darwin/lib:

RUSFMT_BIN rustfmt 1.7.0-nightly (c97996fa 2024-06-03)

FEATURE_BIN rustfmt 1.7.0-nightly (e5f5cadf 2024-06-06)

running rustfmt (master) on rust-lang-rust
running (/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rustfmt-XXXXXXXX.ScWYaYXQ/rustfmt) with (--config=error_on_line_overflow=false,error_on_unformatted=false,version=One) in /var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63
running rustfmt (feature) on rust-lang-rust
running (/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rustfmt-XXXXXXXX.ScWYaYXQ/feature_rustfmt) with (--config=error_on_line_overflow=false,error_on_unformatted=false,version=One) in /var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63
checking diff
Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63/src/tools/rust-analyzer/crates/parser/test_data/parser/ok/0070_expr_attr_placement.rs:1:
 fn f() {
-    (#[a] lhs? + #[b] rhs.await)
+    (#[a]
+    lhs? + #[b]
+    rhs.await)
 }
 
@ -27618,0 +27611,21 @@ Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-
Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63/src/tools/rustfmt/tests/source/postfix-match/pf-match.rs:5:
 
     val.match {
         Some(_) => 2,
-        _ => 1
+        _ => 1,
     };
 
     Some(2).match {
Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63/src/tools/rustfmt/tests/source/postfix-match/pf-match.rs:12:
         Some(_) => true,
-        None => false
+        None => false,
     }.match {
         false => "ferris is cute",
         true => "I turn cats in to petted cats",
Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63/src/tools/rustfmt/tests/source/postfix-match/pf-match.rs:18:
         _ => (),
     }
 }
+
@ -37055,0 +37069,18 @@ Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-
Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63/src/tools/rustfmt/tests/source/mut_ref.rs:1:
 #![feature(mut_ref)]
 fn mut_ref() {
-    if let Some(mut /*a*/ ref     /*def*/  mut     /*abc*/       state)=          /*abc*/foo{
-        println!(
-"asdfasdfasdf");	}
+    if let Some(mut /*a*/ ref /*def*/ mut /*abc*/ state) = /*abc*/ foo {
+        println!("asdfasdfasdf");
+    }
 
-if let Some(mut /*a*/ ref     /*def*/  /*mut*/       state)=          /*abc*/foo{
-    println!(
-"asdfasdfasdf");	}
+    if let Some(mut /*a*/ ref /*def*/  /*mut*/ state) = /*abc*/ foo {
+        println!("asdfasdfasdf");
+    }
 }
 
@ -37637,0 +37669,6 @@ Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-
Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63/src/tools/rustfmt/tests/source/macros/rewrite-const-item.rs:1:
-m!(const N: usize = 0;);
+m!(
+    const N: usize = 0;
+);
 
@ -45229,321 +45265,0 @@ Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-
Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63/src/tools/rustfmt/tests/source/attrib.rs:1:
 // rustfmt-wrap_comments: true
 // Test attributes and doc comments are preserved.
-#![doc(html_logo_url = "https://www.rust-lang.org/logos/rust-logo-128x128-blk-v2.png",
-       html_favicon_url = "https://doc.rust-lang.org/favicon.ico",
-       html_root_url = "https://doc.rust-lang.org/nightly/",
-       html_playground_url = "https://play.rust-lang.org/", test(attr(deny(warnings))))]
+#![doc(
+    html_logo_url = "https://www.rust-lang.org/logos/rust-logo-128x128-blk-v2.png",
+    html_favicon_url = "https://doc.rust-lang.org/favicon.ico",
+    html_root_url = "https://doc.rust-lang.org/nightly/",
+    html_playground_url = "https://play.rust-lang.org/",
+    test(attr(deny(warnings)))
+)]
 
 //! Doc comment
 
Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63/src/tools/rustfmt/tests/source/attrib.rs:31:
     /// Blah blah blooo.
     #[an_attribute]
     #[doc = "an attribute that shouldn't be normalized to a doc comment"]
-    fn foo(&mut self) -> isize {
-    }
+    fn foo(&mut self) -> isize {}
 
     /// Blah blah bing.
     /// Blah blah bing.
Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63/src/tools/rustfmt/tests/source/attrib.rs:39:
     /// Blah blah bing.
 
-
     /// Blah blah bing.
     /// Blah blah bing.
     /// Blah blah bing.
Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63/src/tools/rustfmt/tests/source/attrib.rs:47:
     }
 
     #[another_attribute]
-    fn f3(self) -> Dog {
-    }
+    fn f3(self) -> Dog {}
 
     /// Blah blah bing.
 
Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63/src/tools/rustfmt/tests/source/attrib.rs:57:
     #[attrib2]
     // Another comment that needs rewrite because it's tooooooooooooooooooooooooooooooo loooooooooooong.
     /// Blah blah bing.
-    fn f4(self) -> Cat {
-    }
+    fn f4(self) -> Cat {}
 
     // We want spaces around `=`
-    #[cfg(feature="nightly")]
+    #[cfg(feature = "nightly")]
     fn f5(self) -> Monkey {}
 }
 
Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63/src/tools/rustfmt/tests/source/attrib.rs:68:
 // #984
 struct Foo {
-    # [ derive ( Clone , PartialEq , Debug , Deserialize , Serialize ) ]
+    #[derive(Clone, PartialEq, Debug, Deserialize, Serialize)]
     foo: usize,
 }
 
Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63/src/tools/rustfmt/tests/source/attrib.rs:74:
 // #1668
 
 /// Default path (*nix)
-#[cfg(all(unix, not(target_os = "macos"), not(target_os = "ios"), not(target_os = "android")))]
+#[cfg(all(
+    unix,
+    not(target_os = "macos"),
+    not(target_os = "ios"),
+    not(target_os = "android")
+))]
 fn foo() {
     #[cfg(target_os = "freertos")]
     match port_id {
Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63/src/tools/rustfmt/tests/source/attrib.rs:81:
-        'a' | 'A' => GpioPort { port_address: GPIO_A },
-        'b' | 'B' => GpioPort { port_address: GPIO_B },
+        'a' | 'A' => GpioPort {
+            port_address: GPIO_A,
+        },
+        'b' | 'B' => GpioPort {
+            port_address: GPIO_B,
+        },
         _ => panic!(),
     }
 
Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63/src/tools/rustfmt/tests/source/attrib.rs:103:
 // #1799
 fn issue_1799() {
     #[allow(unreachable_code)] // https://github.com/rust-lang/rust/issues/43336
-    Some( Err(error) ) ;
+    Some(Err(error));
 
     #[allow(unreachable_code)]
     // https://github.com/rust-lang/rust/issues/43336
Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63/src/tools/rustfmt/tests/source/attrib.rs:110:
-    Some( Err(error) ) ;
+    Some(Err(error));
 }
 
 // Formatting inner attributes
Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63/src/tools/rustfmt/tests/source/attrib.rs:114:
 fn inner_attributes() {
-    #![ this_is_an_inner_attribute ( foo ) ]
+    #![this_is_an_inner_attribute(foo)]
 
     foo();
 }
Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63/src/tools/rustfmt/tests/source/attrib.rs:119:
 
 impl InnerAttributes() {
-    #![ this_is_an_inner_attribute ( foo ) ]
+    #![this_is_an_inner_attribute(foo)]
 
     fn foo() {}
 }
Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63/src/tools/rustfmt/tests/source/attrib.rs:125:
 
 mod InnerAttributes {
-    #![ this_is_an_inner_attribute ( foo ) ]
+    #![this_is_an_inner_attribute(foo)]
 }
 
 fn attributes_on_statements() {
Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63/src/tools/rustfmt/tests/source/attrib.rs:131:
     // Local
-    # [ attr ( on ( local ) ) ]
+    #[attr(on(local))]
     let x = 3;
 
     // Item
Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63/src/tools/rustfmt/tests/source/attrib.rs:136:
-    # [ attr ( on ( item ) ) ]
+    #[attr(on(item))]
     use foo;
 
     // Expr
Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63/src/tools/rustfmt/tests/source/attrib.rs:140:
-    # [ attr ( on ( expr ) ) ]
+    #[attr(on(expr))]
     {}
 
     // Semi
Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63/src/tools/rustfmt/tests/source/attrib.rs:144:
-    # [ attr ( on ( semi ) ) ]
+    #[attr(on(semi))]
     foo();
 
     // Mac
Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63/src/tools/rustfmt/tests/source/attrib.rs:148:
-    # [ attr ( on ( mac ) ) ]
+    #[attr(on(mac))]
     foo!();
 }
 
Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63/src/tools/rustfmt/tests/source/attrib.rs:152:
 // Large derives
-#[derive(Add, Sub, Mul, Div, Clone, Copy, Eq, PartialEq, Ord, PartialOrd, Debug, Hash, Serialize, Mul)]
+#[derive(
+    Add, Sub, Mul, Div, Clone, Copy, Eq, PartialEq, Ord, PartialOrd, Debug, Hash, Serialize, Mul,
+)]
 
-
 /// Foo bar baz
 
-
-#[derive(Add, Sub, Mul, Div, Clone, Copy, Eq, PartialEq, Ord, PartialOrd, Debug, Hash, Serialize, Deserialize)]
+#[derive(
+    Add,
+    Sub,
+    Mul,
+    Div,
+    Clone,
+    Copy,
+    Eq,
+    PartialEq,
+    Ord,
+    PartialOrd,
+    Debug,
+    Hash,
+    Serialize,
+    Deserialize,
+)]
 pub struct HP(pub u8);
 
 // Long `#[doc = "..."]`
Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63/src/tools/rustfmt/tests/source/attrib.rs:163:
-struct A { #[doc = "xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx"] b: i32 }
+struct A {
+    #[doc = "xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx"]
+    b: i32,
+}
 
 // #2647
-#[cfg(feature = "this_line_is_101_characters_long_xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx")]
+#[cfg(
+    feature = "this_line_is_101_characters_long_xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx"
+)]
 pub fn foo() {}
 
 // path attrs
Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63/src/tools/rustfmt/tests/source/attrib.rs:173:
 
 mod issue_2620 {
     #[derive(Debug, StructOpt)]
-#[structopt(about = "Display information about the character on FF Logs")]
-pub struct Params {
-  #[structopt(help = "The server the character is on")]
-  server: String,
-  #[structopt(help = "The character's first name")]
-  first_name: String,
-  #[structopt(help = "The character's last name")]
-  last_name: String,
-  #[structopt(
-    short = "j",
-    long = "job",
-    help = "The job to look at",
-    parse(try_from_str)
-  )]
-  job: Option<Job>
+    #[structopt(about = "Display information about the character on FF Logs")]
+    pub struct Params {
+        #[structopt(help = "The server the character is on")]
+        server: String,
+        #[structopt(help = "The character's first name")]
+        first_name: String,
+        #[structopt(help = "The character's last name")]
+        last_name: String,
+        #[structopt(
+            short = "j",
+            long = "job",
+            help = "The job to look at",
+            parse(try_from_str)
+        )]
+        job: Option<Job>,
+    }
 }
-}
 
 // #2969
-#[cfg(not(all(feature="std",
-              any(target_os = "linux", target_os = "android",
-                  target_os = "netbsd",
-                  target_os = "dragonfly",
-                  target_os = "haiku",
-                  target_os = "emscripten",
-                  target_os = "solaris",
-                  target_os = "cloudabi",
-                  target_os = "macos", target_os = "ios",
-                  target_os = "freebsd",
-                  target_os = "openbsd",
-                  target_os = "redox",
-                  target_os = "fuchsia",
-                  windows,
-                  all(target_arch = "wasm32", feature = "stdweb"),
-                  all(target_arch = "wasm32", feature = "wasm-bindgen"),
-              ))))]
+#[cfg(not(all(
+    feature = "std",
+    any(
+        target_os = "linux",
+        target_os = "android",
+        target_os = "netbsd",
+        target_os = "dragonfly",
+        target_os = "haiku",
+        target_os = "emscripten",
+        target_os = "solaris",
+        target_os = "cloudabi",
+        target_os = "macos",
+        target_os = "ios",
+        target_os = "freebsd",
+        target_os = "openbsd",
+        target_os = "redox",
+        target_os = "fuchsia",
+        windows,
+        all(target_arch = "wasm32", feature = "stdweb"),
+        all(target_arch = "wasm32", feature = "wasm-bindgen"),
+    )
+)))]
 type Os = NoSource;
 
 // #3313
Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63/src/tools/rustfmt/tests/source/attrib.rs:215:
 fn stmt_expr_attributes() {
-    let foo ;
+    let foo;
     #[must_use]
-   foo = false ;
+    foo = false;
 }
 
 // #3509
Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63/src/tools/rustfmt/tests/source/attrib.rs:222:
 fn issue3509() {
     match MyEnum {
         MyEnum::Option1 if cfg!(target_os = "windows") =>
-            #[cfg(target_os = "windows")]{
-                1
-            }
+        #[cfg(target_os = "windows")]
+        {
+            1
+        }
     }
     match MyEnum {
         MyEnum::Option1 if cfg!(target_os = "windows") =>
Diff in /private/var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63/src/tools/rustfmt/tests/source/attrib.rs:231:
+        {
             #[cfg(target_os = "windows")]
-                1,
+            1
+        }
     }
 }
 
removing tmp_dir /var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rust-lang-rust-XXXXXXXX.cnr1Vt63


removing tmp_dir /var/folders/wq/fnktj65x5c334hf9rykqv3xr0000gp/T/rustfmt-XXXXXXXX.ScWYaYXQ
formatting diff found 💔

The results were similar to what we've been seeing. These were the files listed in r-l/rust logs that I needed to take a closer look at:

  • src/tools/rust-analyzer/crates/parser/test_data/parser/ok/0070_expr_attr_placement.rs
    • Likely related to the Disallow ambiguous attributes on expression PRs that I describe in the last bullet.
  • src/tools/rustfmt/tests/source/postfix-match/pf-match.rs
  • src/tools/rustfmt/tests/source/mut_ref.rs
  • src/tools/rustfmt/tests/source/macros/rewrite-const-item.rs
    • Fix for #6035 Added in rust-lang/rust#120218, which resolved a regression introduced by nightly-2023-12-28. This has been out on nightly since nightly-2024-01-23.
  • src/tools/rustfmt/tests/source/attrib.rs

@ytmimi
Copy link
Contributor Author

ytmimi commented Jun 13, 2024

closing this in favor of #6193. It pulls in an additional commit from r-l/rust that seems to have resolved the attribute formatting issues.

@ytmimi ytmimi closed this Jun 13, 2024
@ytmimi ytmimi deleted the subtree-push-nightly-2024-06-07 branch June 25, 2024 05:34
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment

Projects

None yet

Development

Successfully merging this pull request may close these issues.