]> git.lizzy.rs Git - rust.git/log
rust.git
2 years agoUpdate browser-ui-test version
Guillaume Gomez [Tue, 15 Feb 2022 20:31:31 +0000 (21:31 +0100)]
Update browser-ui-test version

2 years agoAuto merge of #93176 - danielhenrymantilla:stack-pinning-macro, r=m-ou-se
bors [Tue, 15 Feb 2022 09:32:03 +0000 (09:32 +0000)]
Auto merge of #93176 - danielhenrymantilla:stack-pinning-macro, r=m-ou-se

Add a stack-`pin!`-ning macro to `core::pin`.

  - https://github.com/rust-lang/rust/issues/93178

`pin!` allows pinning a value to the stack. Thanks to being implemented in the stdlib, which gives access to `macro` macros, and to the private `.pointer` field of the `Pin` wrapper, [it was recently discovered](https://rust-lang.zulipchat.com/#narrow/stream/187312-wg-async-foundations/topic/pin!.20.E2.80.94.20the.20.22definitive.22.20edition.20.28a.20rhs-compatible.20pin-nin.2E.2E.2E/near/268731241) ([archive link](https://zulip-archive.rust-lang.org/stream/187312-wg-async-foundations/topic/A.20rhs-compatible.20pin-ning.20macro.html#268731241)), contrary to popular belief, that it is actually possible to implement and feature such a macro:

```rust
let foo: Pin<&mut PhantomPinned> = pin!(PhantomPinned);
stuff(foo);
```
or, directly:

```rust
stuff(pin!(PhantomPinned));
```

  - For context, historically, this used to require one of the two following syntaxes:

      - ```rust
        let foo = PhantomPinned;
        pin!(foo);
        stuff(foo);
        ```

      -  ```rust
         pin! {
             let foo = PhantomPinned;
         }
         stuff(foo);
         ```

This macro thus allows, for instance, doing things like:

```diff
fn block_on<T>(fut: impl Future<Output = T>) -> T {
    // Pin the future so it can be polled.
-   let mut fut = Box::pin(fut);
+   let mut fut = pin!(fut);

    // Create a new context to be passed to the future.
    let t = thread::current();
    let waker = Arc::new(ThreadWaker(t)).into();
    let mut cx = Context::from_waker(&waker);

    // Run the future to completion.
    loop {
        match fut.as_mut().poll(&mut cx) {
            Poll::Ready(res) => return res,
            Poll::Pending => thread::park(),
        }
    }
}
```

  - _c.f._, https://doc.rust-lang.org/1.58.1/alloc/task/trait.Wake.html

And so on, and so forth.

I don't think such an API can get better than that, barring full featured language support (`&pin` references or something), so I see no reason not to start experimenting with featuring this in the stdlib already 🙂

  - cc `@rust-lang/wg-async-foundations` \[EDIT: this doesn't seem to have pinged anybody 😩, thanks `@yoshuawuyts` for the real ping\]

r? `@joshtriplett`

___

# Docs preview

https://user-images.githubusercontent.com/9920355/150605731-1f45c2eb-c9b0-4ce3-b17f-2784fb75786e.mp4

___

# Implementation

The implementation ends up being dead simple (so much it's embarrassing):

```rust
pub macro pin($value:expr $(,)?) {
    Pin { pointer: &mut { $value } }
}
```

_and voilà_!

  - The key for it working lies in [the rules governing the scope of anonymous temporaries](https://doc.rust-lang.org/1.58.1/reference/destructors.html#temporary-lifetime-extension).

<details><summary>Comments and context</summary>

This is `Pin::new_unchecked(&mut { $value })`, so, for starters, let's
review such a hypothetical macro (that any user-code could define):
```rust
macro_rules! pin {( $value:expr ) => (
    match &mut { $value } { at_value => unsafe { // Do not wrap `$value` in an `unsafe` block.
        $crate::pin::Pin::<&mut _>::new_unchecked(at_value)
    }}
)}
```

Safety:
  - `type P = &mut _`. There are thus no pathological `Deref{,Mut}` impls that would break `Pin`'s invariants.
  - `{ $value }` is braced, making it a _block expression_, thus **moving** the given `$value`, and making it _become an **anonymous** temporary_.
    By virtue of being anonynomous, it can no longer be accessed, thus preventing any attemps to `mem::replace` it or `mem::forget` it, _etc._

This gives us a `pin!` definition that is sound, and which works, but only in certain scenarios:

  - If the `pin!(value)` expression is _directly_ fed to a function call:
    `let poll = pin!(fut).poll(cx);`

  - If the `pin!(value)` expression is part of a scrutinee:

    ```rust
    match pin!(fut) { pinned_fut => {
        pinned_fut.as_mut().poll(...);
        pinned_fut.as_mut().poll(...);
    }} // <- `fut` is dropped here.
    ```

Alas, it doesn't work for the more straight-forward use-case: `let` bindings.

```rust
let pinned_fut = pin!(fut); // <- temporary value is freed at the end of this statement
pinned_fut.poll(...) // error[E0716]: temporary value dropped while borrowed
                     // note: consider using a `let` binding to create a longer lived value
```

  - Issues such as this one are the ones motivating https://github.com/rust-lang/rfcs/pull/66

This makes such a macro incredibly unergonomic in practice, and the reason most macros out there had to take the path of being a statement/binding macro (_e.g._, `pin!(future);`) instead of featuring the more intuitive ergonomics of an expression macro.

Luckily, there is a way to avoid the problem. Indeed, the problem stems from the fact that a temporary is dropped at the end of its enclosing statement when it is part of the parameters given to function call, which has precisely been the case with our `Pin::new_unchecked()`!

For instance,

```rust
let p = Pin::new_unchecked(&mut <temporary>);
```

becomes:

```rust
let p = { let mut anon = <temporary>; &mut anon };
```

However, when using a literal braced struct to construct the value, references to temporaries can then be taken. This makes Rust change the lifespan of such temporaries so that they are, instead, dropped _at the end of the enscoping block_.

For instance,
```rust
let p = Pin { pointer: &mut <temporary> };
```

becomes:

```rust
let mut anon = <temporary>;
let p = Pin { pointer: &mut anon };
```

which is *exactly* what we want.

Finally, we don't hit problems _w.r.t._ the privacy of the `pointer` field, or the unqualified `Pin` name, thanks to `decl_macro`s being _fully_ hygienic (`def_site` hygiene).

</details>

___

# TODO

  - [x] Add compile-fail tests with attempts to break the `Pin` invariants thanks to the macro (_e.g._, try to access the private `.pointer` field, or see what happens if such a pin is used outside its enscoping scope (borrow error));
  - [ ] Follow-up stuff:
      - [ ] Try to experiment with adding `pin!` to the prelude: this may require to be handled with some extra care, as it may lead to issues reminiscent of those of `assert_matches!`: https://github.com/rust-lang/rust/issues/82913
      - [x] Create the tracking issue.

2 years agoAuto merge of #93918 - jonhoo:bootstrap-native-envflags, r=Mark-Simulacrum
bors [Tue, 15 Feb 2022 07:04:10 +0000 (07:04 +0000)]
Auto merge of #93918 - jonhoo:bootstrap-native-envflags, r=Mark-Simulacrum

bootstrap: tidy up flag handling for llvm build

This tidies up the logic in `src/bootstrap/native.rs` such that:

 - `CMAKE_*_LINKER_FLAGS` is not overridden if we add to it twice.
 - `CMAKE_*_FLAGS` also include the standard `*FLAGS` environment
   variables, which CMake respects when we _don't_ set `CMAKE_*_FLAGS`.
 - `llvm.ldflags` from `config.toml` appends to the ldflags Rust's
   bootstrap logic adds, rather than replacing them.

It also takes a second stab at #89983 by moving `-static-libstdc++` to just be passed as a linker flag, since that's what it is.

Fixes #93880. Fixes #70468. Closes #89983.

2 years agoAuto merge of #93863 - pierwill:fix-93676, r=Mark-Simulacrum
bors [Tue, 15 Feb 2022 04:39:37 +0000 (04:39 +0000)]
Auto merge of #93863 - pierwill:fix-93676, r=Mark-Simulacrum

Update `sha1`, `sha2`, and `md-5` dependencies

This replaces the deprecated [`cpuid-bool`](https://crates.io/crates/cpuid-bool) dependency with [`cpufeatures`](https://crates.io/crates/cpufeatures), while adding [`crypto-common`](https://crates.io/crates/crypto-common) as a new dependency.

Closes #93676.

2 years agoAuto merge of #93752 - eholk:drop-tracking-break-continue, r=nikomatsakis
bors [Tue, 15 Feb 2022 02:27:37 +0000 (02:27 +0000)]
Auto merge of #93752 - eholk:drop-tracking-break-continue, r=nikomatsakis

Generator drop tracking: improve break and continue handling

This PR fixes two related issues.

One, sometimes break or continue have a block target instead of an expression target. This seems to mainly happen with try blocks. Since the drop tracking analysis only works on expressions, if we see a block target for break or continue, we substitute the last expression of the block as the target instead.

Two, break and continue were incorrectly being treated as the same, so continue would also show up as an exit from the loop or block. This patch corrects the way continue is handled by keeping a stack of loop entry points and uses those to find the target of the continue.

Fixes #93197

r? `@nikomatsakis`

2 years agoUpdate unsafe_pin_internals unstable version.
Mara Bos [Mon, 14 Feb 2022 19:17:21 +0000 (19:17 +0000)]
Update unsafe_pin_internals unstable version.

2 years agoAuto merge of #93652 - spastorino:fix-negative-overlap-check-regions, r=nikomatsakis
bors [Mon, 14 Feb 2022 18:28:04 +0000 (18:28 +0000)]
Auto merge of #93652 - spastorino:fix-negative-overlap-check-regions, r=nikomatsakis

Fix negative overlap check regions

r? `@nikomatsakis`

2 years agoAdd a comment to justify why the `pointer` field is `pub`.
Daniel Henry-Mantilla [Mon, 14 Feb 2022 16:35:27 +0000 (17:35 +0100)]
Add a comment to justify why the `pointer` field is `pub`.

Addresses https://github.com/rust-lang/rust/pull/93176/files#r795258110.

2 years agoMark `unsafe_pin_internals` as `incomplete`.
Daniel Henry-Mantilla [Mon, 24 Jan 2022 00:34:46 +0000 (01:34 +0100)]
Mark `unsafe_pin_internals` as `incomplete`.

This thus still makes it technically possible to enable the feature, and thus
to trigger UB without `unsafe`, but this is fine since incomplete features are
known to be potentially unsound (labelled "may not be safe").

This follows from the discussion at https://github.com/rust-lang/rust/pull/93176#discussion_r799413561

2 years agoReplace `def_site`-&-privacy implementation with a stability-based one.
Daniel Henry-Mantilla [Sat, 22 Jan 2022 20:07:00 +0000 (21:07 +0100)]
Replace `def_site`-&-privacy implementation with a stability-based one.

Since `decl_macro`s and/or `Span::def_site()` is deemed quite unstable,
no public-facing macro that relies on it can hope to be, itself, stabilized.

We circumvent the issue by no longer relying on field privacy for safety and,
instead, relying on an unstable feature-gate to act as the gate keeper for
non users of the macro (thanks to `allow_internal_unstable`).

This is technically not correct (since a `nightly` user could technically enable
the feature and cause unsoundness with it); or, in other words, this makes the
feature-gate used to gate the access to the field be (technically unsound, and
in practice) `unsafe`. Hence it having `unsafe` in its name.

Back to the macro, we go back to `macro_rules!` / `mixed_site()`-span rules thanks
to declaring the `decl_macro` as `semitransparent`, which is a hack to basically have
`pub macro_rules!`

Co-Authored-By: Mara Bos <m-ou.se@m-ou.se>
2 years agoImprove documentation.
Daniel Henry-Mantilla [Sat, 22 Jan 2022 13:47:49 +0000 (14:47 +0100)]
Improve documentation.

Co-Authored-By: Mara Bos <m-ou.se@m-ou.se>
2 years agoreveal_defining_opaque_types field doesn't exist after rebase
Santiago Pastorino [Mon, 14 Feb 2022 16:02:22 +0000 (13:02 -0300)]
reveal_defining_opaque_types field doesn't exist after rebase

2 years agoInline loose_check fn on call site
Santiago Pastorino [Thu, 10 Feb 2022 19:39:52 +0000 (16:39 -0300)]
Inline loose_check fn on call site

2 years agoAdd comments about outlives_env
Santiago Pastorino [Thu, 10 Feb 2022 19:38:27 +0000 (16:38 -0300)]
Add comments about outlives_env

2 years agoAdd failing test that should pass
Santiago Pastorino [Thu, 10 Feb 2022 14:55:23 +0000 (11:55 -0300)]
Add failing test that should pass

2 years agoCall the method fork instead of clone and add proper comments
Santiago Pastorino [Wed, 9 Feb 2022 22:37:10 +0000 (19:37 -0300)]
Call the method fork instead of clone and add proper comments

2 years agoUpdate `macro:print` typed-query rustdoc test to include `pin!` results
Daniel Henry-Mantilla [Mon, 31 Jan 2022 16:48:47 +0000 (17:48 +0100)]
Update `macro:print` typed-query rustdoc test to include `pin!` results

2 years agoWrite {ui,} tests for `pin_macro` and `pin!`
Daniel Henry-Mantilla [Mon, 24 Jan 2022 00:41:37 +0000 (01:41 +0100)]
Write {ui,} tests for `pin_macro` and `pin!`

2 years agoAdd a stack-`pin!`-ning macro to the `pin` module.
Daniel Henry-Mantilla [Fri, 21 Jan 2022 15:28:23 +0000 (16:28 +0100)]
Add a stack-`pin!`-ning macro to the `pin` module.

Add a type annotation to improve error messages with type mismatches

Add a link to the temporary-lifetime-extension section of the reference

2 years agoProperly check regions on negative overlap check
Santiago Pastorino [Wed, 2 Feb 2022 17:36:45 +0000 (14:36 -0300)]
Properly check regions on negative overlap check

2 years agoAdd debug calls for negative impls in coherence
Santiago Pastorino [Fri, 4 Feb 2022 01:40:29 +0000 (22:40 -0300)]
Add debug calls for negative impls in coherence

2 years agoMove FIXME text to the right place
Santiago Pastorino [Wed, 2 Feb 2022 17:38:39 +0000 (14:38 -0300)]
Move FIXME text to the right place

2 years agoRemove extra negative_impl_exists check
Santiago Pastorino [Wed, 2 Feb 2022 17:32:21 +0000 (14:32 -0300)]
Remove extra negative_impl_exists check

2 years agoAuto merge of #93298 - lcnr:issue-92113, r=cjgillot
bors [Mon, 14 Feb 2022 14:47:20 +0000 (14:47 +0000)]
Auto merge of #93298 - lcnr:issue-92113, r=cjgillot

make `find_similar_impl_candidates` even fuzzier

continues the good work of `@BGR360` in #92223. I might have overshot a bit and we're now slightly too fuzzy :sweat_smile:

with this we can now also simplify `simplify_type`, which is nice :3

2 years agoAuto merge of #93938 - BoxyUwU:fix_res_self_ty, r=lcnr
bors [Mon, 14 Feb 2022 12:26:43 +0000 (12:26 +0000)]
Auto merge of #93938 - BoxyUwU:fix_res_self_ty, r=lcnr

Make `Res::SelfTy` a struct variant and update docs

I found pattern matching on a `(Option<DefId>, Option<(DefId, bool)>)` to not be super readable, additionally the doc comments on the types in a tuple variant aren't visible anywhere at use sites as far as I can tell (using rust analyzer + vscode)

The docs incorrectly assumed that the `DefId` in `Option<(DefId, bool)>` would only ever be for an impl item and I also found the code examples to be somewhat unclear about which `DefId` was being talked about.

r? `@lcnr` since you reviewed the last PR changing these docs

2 years agoupdate two rustdoc comments
Ellen [Mon, 14 Feb 2022 11:27:30 +0000 (11:27 +0000)]
update two rustdoc comments

2 years agofurther update `fuzzy_match_tys`
lcnr [Fri, 11 Feb 2022 15:12:22 +0000 (16:12 +0100)]
further update `fuzzy_match_tys`

2 years agofast_reject: remove `StripReferences`
lcnr [Tue, 25 Jan 2022 11:50:00 +0000 (12:50 +0100)]
fast_reject: remove `StripReferences`

2 years agofuzzify `fuzzy_match_tys`
lcnr [Tue, 25 Jan 2022 11:09:01 +0000 (12:09 +0100)]
fuzzify `fuzzy_match_tys`

2 years agoMake `find_similar_impl_candidates` a little fuzzier.
Ben Reeves [Thu, 23 Dec 2021 08:31:04 +0000 (02:31 -0600)]
Make `find_similar_impl_candidates` a little fuzzier.

2 years agoAuto merge of #93937 - bjorn3:simplifications3, r=cjgillot
bors [Mon, 14 Feb 2022 05:55:26 +0000 (05:55 +0000)]
Auto merge of #93937 - bjorn3:simplifications3, r=cjgillot

Remove Config::stderr

1. It captured stdout and not stderr
2. It isn't used anywhere
3. All error messages should go to the DiagnosticOutput instead
4. It modifies thread local state

Marking as blocked as it will conflict a bit with https://github.com/rust-lang/rust/pull/93936.

2 years agoUpdate `sha1`, `sha2`, and `md5` dependencies
pierwill [Thu, 10 Feb 2022 16:54:01 +0000 (10:54 -0600)]
Update `sha1`, `sha2`, and `md5` dependencies

This removes the `cpuid-bool` dependency, which is deprecated,
while adding `crypto-common` as a new dependency.

2 years agoAuto merge of #83822 - petrochenkov:linkandro, r=davidtwco
bors [Sun, 13 Feb 2022 20:46:42 +0000 (20:46 +0000)]
Auto merge of #83822 - petrochenkov:linkandro, r=davidtwco

rustc_target: Remove compiler-rt linking hack on Android

`compiler-rt` did some significant work last year trying to eliminate this kind of duplicated symbols, so the flag may be no longer necessary.
Tested locally with AArch64 Android, seems to work, CI will check the rest of the targets.

2 years agoAuto merge of #93837 - nikic:arm-update, r=Mark-Simulacrum
bors [Sun, 13 Feb 2022 17:41:31 +0000 (17:41 +0000)]
Auto merge of #93837 - nikic:arm-update, r=Mark-Simulacrum

Update dist-(arm|armv7|armhf)-linux to Ubuntu 20.04

I believe this should be safe, as actual artifacts will be produced by a cross toolchain. The build ran through cleanly locally.

This came up in https://github.com/rust-lang/rust/pull/93577, where the host GCC ICEd during the LLD build. (Though I wonder why we build LLD for the host at all...)

r? `@Mark-Simulacrum`

2 years agoAuto merge of #93685 - Mark-Simulacrum:drop-time, r=Mark-Simulacrum
bors [Sun, 13 Feb 2022 15:12:21 +0000 (15:12 +0000)]
Auto merge of #93685 - Mark-Simulacrum:drop-time, r=Mark-Simulacrum

Drop time dependency from bootstrap

This was only used for the inclusion of 'current' dates into our manpages, but
it is not clear that this is practically necessary. The manpage is essentially
never updated, and so we can likely afford to keep a manual date in these files.
It also seems possible to just omit it, but that may cause other tools trouble,
so avoid doing that for now.

This is largely done to reduce bootstrap complexity; the time crate is not particularly
small and in #92480 would have started pulling in num-threads, which does runtime
thread count detection. I would prefer to avoid that, so filing this to just drop the nearly
unused dependency entirely.

r? `@pietroalbini`

2 years agorustc_target: Remove compiler-rt linking hack on Android
Vadim Petrochenkov [Sat, 3 Apr 2021 18:39:25 +0000 (21:39 +0300)]
rustc_target: Remove compiler-rt linking hack on Android

2 years agoAuto merge of #91673 - ChrisDenton:path-absolute, r=Mark-Simulacrum
bors [Sun, 13 Feb 2022 12:03:52 +0000 (12:03 +0000)]
Auto merge of #91673 - ChrisDenton:path-absolute, r=Mark-Simulacrum

`std::path::absolute`

Implements #59117 by adding a `std::path::absolute` function that creates an absolute path without reading the filesystem. This is intended to be a drop-in replacement for [`std::fs::canonicalize`](https://doc.rust-lang.org/std/fs/fn.canonicalize.html) in cases where it isn't necessary to resolve symlinks. It can be used on paths that don't exist or where resolving symlinks is unwanted. It can also be used to avoid circumstances where `canonicalize` might otherwise fail.

On Windows this is a wrapper around [`GetFullPathNameW`](https://docs.microsoft.com/en-us/windows/win32/api/fileapi/nf-fileapi-getfullpathnamew). On Unix it partially implements the POSIX [pathname resolution](https://pubs.opengroup.org/onlinepubs/9699919799/basedefs/V1_chap04.html#tag_04_13) specification, stopping just short of actually resolving symlinks.

2 years agoRemove Config::stderr
bjorn3 [Fri, 25 Jun 2021 10:58:21 +0000 (12:58 +0200)]
Remove Config::stderr

1. It captured stdout and not stderr
2. It isn't used anywhere
3. All error messages should go to the DiagnosticOutput instead
4. It modifies thread local state

2 years agoAuto merge of #93763 - jsha:re-space-empty-impls, r=GuillaumeGomez
bors [Sun, 13 Feb 2022 09:41:41 +0000 (09:41 +0000)]
Auto merge of #93763 - jsha:re-space-empty-impls, r=GuillaumeGomez

rustdoc: fix spacing of non-toggled impl blocks

We [recently removed the "up here" arrows on item-infos](https://github.com/rust-lang/rust/pull/92651), and adjusted
vertical spacing so that even without the arrow, it would be visually
clear which item the item-info belonged to. The new CSS styles for
vertical spacing only applied to toggles, though. This missed
non-toggled impl blocks - for instance, those without any methods, like
https://doc.rust-lang.org/nightly/std/marker/trait.Send.html#implementors.
The result was lists of implementors that were spaced too closely. This
PR fixes the spacing by making it apply to non-toggled impl blocks as
well.

This also fixes an issue where item-infos were displayed too far below
their items. That was a result of display: table on .item-info .stab.
Changed that to display: inline-block.

Demo: https://rustdoc.crud.net/jsha/re-space-empty-impls/std/marker/trait.Send.html

Before:

<img width=300 src="https://user-images.githubusercontent.com/220205/152954394-ec0b80e7-2573-4f06-9d7a-7b10b8ceac60.png">

After:

<img width=300 src="https://user-images.githubusercontent.com/220205/152954228-abac1d30-a76d-4ab1-89ec-ef7549fe8c9c.png">

r? `@GuillaumeGomez`

2 years agoAuto merge of #93956 - matthiaskrgr:rollup-zfk35hb, r=matthiaskrgr
bors [Sun, 13 Feb 2022 07:04:56 +0000 (07:04 +0000)]
Auto merge of #93956 - matthiaskrgr:rollup-zfk35hb, r=matthiaskrgr

Rollup of 9 pull requests

Successful merges:

 - #89926 (make `Instant::{duration_since, elapsed, sub}` saturating and remove workarounds)
 - #90532 (More informative error message for E0015)
 - #93810 (Improve chalk integration)
 - #93851 (More practical examples for `Option::and_then` & `Result::and_then`)
 - #93885 (bootstrap.py: Suggest disabling download-ci-llvm option if url fails to download)
 - #93886 (Stabilise inherent_ascii_escape (FCP in #77174))
 - #93930 (add link to format_args! when mention it in docs)
 - #93936 (Couple of driver cleanups)
 - #93944 (Don't relabel to a team if there is already a team label)

Failed merges:

r? `@ghost`
`@rustbot` modify labels: rollup

2 years agoRollup merge of #93944 - jackh726:team-exclude, r=Mark-Simulacrum
Matthias Krüger [Sun, 13 Feb 2022 05:44:19 +0000 (06:44 +0100)]
Rollup merge of #93944 - jackh726:team-exclude, r=Mark-Simulacrum

Don't relabel to a team if there is already a team label

Should prevent cases like #93628, where teams have been manually assigned, but changes are pushed. We give up adding new labels on *new* changes; but I feel like that is less frequent.

r? `@Mark-Simulacrum`

2 years agoRollup merge of #93936 - bjorn3:simplifications2, r=cjgillot
Matthias Krüger [Sun, 13 Feb 2022 05:44:18 +0000 (06:44 +0100)]
Rollup merge of #93936 - bjorn3:simplifications2, r=cjgillot

Couple of driver cleanups

* Remove the `RustcDefaultCalls` struct, which hasn't been necessary since the introduction of `rustc_interface`.
* Move the `setup_callbacks` call around for a tiny code deduplication.
* Remove the `SPAN_DEBUG` global as it isn't actually necessary.

2 years agoRollup merge of #93930 - name1e5s:chore/docs, r=Mark-Simulacrum
Matthias Krüger [Sun, 13 Feb 2022 05:44:18 +0000 (06:44 +0100)]
Rollup merge of #93930 - name1e5s:chore/docs, r=Mark-Simulacrum

add link to format_args! when mention it in docs

close #93904

2 years agoRollup merge of #93886 - clarfonthey:stable_ascii_escape, r=Mark-Simulacrum
Matthias Krüger [Sun, 13 Feb 2022 05:44:17 +0000 (06:44 +0100)]
Rollup merge of #93886 - clarfonthey:stable_ascii_escape, r=Mark-Simulacrum

Stabilise inherent_ascii_escape (FCP in #77174)

Implements #77174, which completed its FCP.

This does *not* deprecate any existing methods or structs, as that is tracked in #93887. That stated, people should prefer using `u8::escape_ascii` to `std::ascii::escape_default`.

2 years agoRollup merge of #93885 - Badel2:error-download-ci-llvm, r=Mark-Simulacrum
Matthias Krüger [Sun, 13 Feb 2022 05:44:16 +0000 (06:44 +0100)]
Rollup merge of #93885 - Badel2:error-download-ci-llvm, r=Mark-Simulacrum

bootstrap.py: Suggest disabling download-ci-llvm option if url fails to download

I got an error when trying to build the compiler using an old commit, and it turns out it was because the option `download-ci-llvm` was implicitly set to true. So this pull request tries to add a help message for other people that may run into the same problem.

To reproduce my error:

```
git checkout 8d7707f3c4f72e6eb334d897354beca692b265d1
./x.py test
[...]
spurious failure, trying again
downloading https://ci-artifacts.rust-lang.org/rustc-builds/db002a06ae9154a35d410550bc5132df883d7baa/rust-dev-nightly-x86_64-unknown-linux-gnu.tar.xz
curl: (22) The requested URL returned error: 404

failed to run: curl -# -y 30 -Y 10 --connect-timeout 30 --retry 3 -Sf -o /tmp/tmp8g13rb4n https://ci-artifacts.rust-lang.org/rustc-builds/db002a06ae9154a35d410550bc5132df883d7baa/rust-dev-nightly-x86_64-unknown-linux-gnu.tar.xz
Build completed unsuccessfully in 0:00:46
```

This is my `config.toml`:

```
# Includes one of the default files in src/bootstrap/defaults
profile = "compiler"
changelog-seen = 2

[rust]
debug = true
```

To reproduce an error with this branch:

Change line 618 of bootstrap.py to
```
        url = "rustc-builds-error404/{}".format(llvm_sha)
```

Delete llvm and cached tarball, and set `llvm.download-ci-llvm=true` in config.toml.

```
./x.py test
[...]
spurious failure, trying again
downloading https://ci-artifacts.rust-lang.org/rustc-builds-error404/719b04ca99be0c78e09a8ec5e2eda082a5d8ccae/rust-dev-nightly-x86_64-unknown-linux-gnu.tar.xz
curl: (22) The requested URL returned error: 404

failed to run: curl -# -y 30 -Y 10 --connect-timeout 30 --retry 3 -Sf -o /tmp/tmpesl1ydvo https://ci-artifacts.rust-lang.org/rustc-builds-error404/719b04ca99be0c78e09a8ec5e2eda082a5d8ccae/rust-dev-nightly-x86_64-unknown-linux-gnu.tar.xz
error: failed to download llvm from ci
help: old builds get deleted after a certain time
help: if trying to compile an old commit of rustc, disable `download-ci-llvm` in config.toml:

[llvm]
download-ci-llvm = false

Build completed unsuccessfully in 0:00:01
```

Regarding the implementation, I expected to be able to use a try/catch block in `_download_ci_llvm`, but the `run` function calls `sys.exit` instead of raising an exception so that's not possible. Also, suggestions for better wording of the help message are welcome.

2 years agoRollup merge of #93851 - cyqsimon:option-examples, r=scottmcm
Matthias Krüger [Sun, 13 Feb 2022 05:44:15 +0000 (06:44 +0100)]
Rollup merge of #93851 - cyqsimon:option-examples, r=scottmcm

More practical examples for `Option::and_then` & `Result::and_then`

To be blatantly honest, I think the current example given for `Option::and_then` is objectively terrible. (No offence to whoever wrote them initially.)

```rust
fn sq(x: u32) -> Option<u32> { Some(x * x) }
fn nope(_: u32) -> Option<u32> { None }

assert_eq!(Some(2).and_then(sq).and_then(sq), Some(16));
assert_eq!(Some(2).and_then(sq).and_then(nope), None);
assert_eq!(Some(2).and_then(nope).and_then(sq), None);
assert_eq!(None.and_then(sq).and_then(sq), None);
```

Current example:
 - does not demonstrate that `and_then` converts `Option<T>` to `Option<U>`
 - is far removed from any realistic code
 - generally just causes more confusion than it helps

So I replaced them with two blocks:
 - the first one shows basic usage (including the type conversion)
 - the second one shows an example of typical usage

Same thing with `Result::and_then`.

Hopefully this helps with clarity.

2 years agoRollup merge of #93810 - matthewjasper:chalk-and-canonical-universes, r=jackh726
Matthias Krüger [Sun, 13 Feb 2022 05:44:14 +0000 (06:44 +0100)]
Rollup merge of #93810 - matthewjasper:chalk-and-canonical-universes, r=jackh726

Improve chalk integration

- Support subtype bounds in chalk lowering
- Handle universes in canonicalization
- Handle type parameters in chalk responses
- Use `chalk_ir::LifetimeData::Empty` for `ty::ReEmpty`
- Remove `ignore-compare-mode-chalk` for tests that no longer hang (they may still fail or ICE)

This is enough to get a hello world program to compile with `-Zchalk` now. Some of the remaining issues that are needed to get Chalk integration working on larger programs are:

- rust-lang/chalk#234
- rust-lang/chalk#548
- rust-lang/chalk#734
- Generators are handled differently in chalk and rustc

r? `@jackh726`

2 years agoRollup merge of #90532 - fee1-dead:improve-const-fn-err-msg, r=oli-obk
Matthias Krüger [Sun, 13 Feb 2022 05:44:13 +0000 (06:44 +0100)]
Rollup merge of #90532 - fee1-dead:improve-const-fn-err-msg, r=oli-obk

More informative error message for E0015

Helps with #92380

2 years agoRollup merge of #89926 - the8472:saturate-instant, r=Mark-Simulacrum
Matthias Krüger [Sun, 13 Feb 2022 05:44:12 +0000 (06:44 +0100)]
Rollup merge of #89926 - the8472:saturate-instant, r=Mark-Simulacrum

make `Instant::{duration_since, elapsed, sub}` saturating and remove workarounds

This removes all mutex/atomic-based workarounds for non-monotonic clocks and makes the previously panicking methods saturating instead. Additionally `saturating_duration_since` becomes deprecated since `duration_since` now fills that role.

Effectively this moves the fixup from `Instant` construction to the comparisons.

This has some observable effects, especially on platforms without monotonic clocks:

* Incorrectly ordered Instant comparisons no longer panic in release mode. This could hide some programming errors, but since debug mode still panics tests can still catch them.
* `checked_duration_since` will now return `None` in more cases. Previously it only happened when one compared instants obtained in the wrong order or manually created ones. Now it also does on backslides.
* non-monotonic intervals will not be transitive, i.e. `b.duration_since(a) + c.duration_since(b) != c.duration_since(a)`

The upsides are reduced complexity and lower overhead of `Instant::now`.

## Motivation

Currently we must choose between two poisons. One is high worst-case latency and jitter of `Instant::now()` due to explicit synchronization; see #83093 for benchmarks, the worst-case overhead is > 100x. The other is sporadic panics on specific, rare combinations of CPU/hypervisor/operating system due to platform bugs.

Use-cases where low-overhead, fine-grained timestamps are needed - such as syscall tracing, performance profiles or sensor data acquisition (drone flight controllers were mentioned in a libs meeting) in multi-threaded programs - are negatively impacted by the synchronization.

The panics are user-visible (program crashes), hard to reproduce and can be triggered by any dependency that might be using Instants for any reason.

A solution that is fast _and_ doesn't panic is desirable.

----

closes #84448
closes #86470

2 years agoAuto merge of #93713 - klensy:deps-up, r=Mark-Simulacrum
bors [Sun, 13 Feb 2022 04:48:05 +0000 (04:48 +0000)]
Auto merge of #93713 - klensy:deps-up, r=Mark-Simulacrum

Update deps

cargo_metadata 0.12 -> 0.14, to dedupe and remove some `semver`, `semver-parser` versions
pretty_assertions 0.6 -> 0.7, to drop some `ansi_term` version
futures 0.1.29 -> 0.1.31, backported some [fixes](https://github.com/rust-lang/futures-rs/compare/0.1.29...0.1.31) to old versions
futures-* 0.3.12 -> 0.3.19, to remove `proc-macro-hack`, `proc-macro-nested` and fix some [issues](https://github.com/rust-lang/futures-rs/blob/master/CHANGELOG.md#0319---2021-12-18). There exist 0.3.21, but it's quite new (06.02.22), so not updated to.
itertools 0.9 -> 0.10 for rustdoc, will be droppped when rustfmt will bump `itertools` version
linked-hash-map 0.5.3 -> 0.5.4, fix [UB](https://github.com/contain-rs/linked-hash-map/pull/106)
markup5ever 0.10.0 -> 0.10.1, internally drops `serde`, reducing [build time](https://github.com/servo/html5ever/commit/3afd8d63853627e530b3063b0185eea3732cc29f#diff-4c20e8293515259c0aa26932413a55a334aa5f2b37de5a5adc92a2186f632606) for some usecases
mio 0.7.13 -> 0.7.14 fix [unsoundness](https://github.com/tokio-rs/mio/compare/v0.7.13...v0.7.14)
num_cpus 1.13.0 -> 1.13.1 fix parsing mountinfo and other [fixes](https://github.com/seanmonstar/num_cpus/compare/v1.13.0...v1.13.1)
openssl-src 111.16.0+1.1.1l -> 111.17.0+1.1.1m fix CVE-2021-4160

2 years agoAuto merge of #93696 - Amanieu:compiler-builtins-0.1.68, r=Mark-Simulacrum
bors [Sun, 13 Feb 2022 02:40:56 +0000 (02:40 +0000)]
Auto merge of #93696 - Amanieu:compiler-builtins-0.1.68, r=Mark-Simulacrum

Bump compiler-builtins to 0.1.69

This includes https://github.com/rust-lang/compiler-builtins/pull/452 which should fix some issues with duplicate symbol defintions of some intrinsics.

2 years agoAuto merge of #93670 - erikdesjardins:noundef, r=nikic
bors [Sun, 13 Feb 2022 00:14:52 +0000 (00:14 +0000)]
Auto merge of #93670 - erikdesjardins:noundef, r=nikic

Apply noundef attribute to &T, &mut T, Box<T>, bool

This doesn't handle `char` because it's a bit awkward to distinguish it from `u32` at this point in codegen.

Note that this _does not_ change whether or not it is UB for `&`, `&mut`, or `Box` to point to undef. It only applies to the pointer itself, not the pointed-to memory.

Fixes (partially) #74378.

r? `@nikic` cc `@RalfJung`

2 years agoCapitalize "Rust"
Josh Triplett [Wed, 9 Feb 2022 20:17:38 +0000 (12:17 -0800)]
Capitalize "Rust"

Co-authored-by: Mark Rousskov <mark.simulacrum@gmail.com>
2 years agoAdd panic docs describing old, current and possible future behavior
The 8472 [Fri, 7 Jan 2022 09:51:39 +0000 (10:51 +0100)]
Add panic docs describing old, current and possible future behavior

2 years agoAdd caveat about the monotonicity guarantee by linking to the later section
The 8472 [Fri, 7 Jan 2022 09:50:15 +0000 (10:50 +0100)]
Add caveat about the monotonicity guarantee by linking to the later section

2 years agomake Instant::{duration_since, elapsed, sub} saturating and remove workarounds
The8472 [Fri, 15 Oct 2021 21:55:23 +0000 (23:55 +0200)]
make Instant::{duration_since, elapsed, sub} saturating and remove workarounds

This removes all mutex/atomics based workarounds for non-monotonic clocks and makes the previously panicking methods saturating instead.

Effectively this moves the monotonization from `Instant` construction to the comparisons.

This has some observable effects, especially on platforms without monotonic clocks:

* Incorrectly ordered Instant comparisons no longer panic. This may hide some programming errors until someone actually looks at the resulting `Duration`
* `checked_duration_since` will now return `None` in more cases. Previously it only happened when one compared instants obtained in the wrong order or
  manually created ones. Now it also does on backslides.

The upside is reduced complexity and lower overhead of `Instant::now`.

2 years agoAuto merge of #91403 - cjgillot:inherit-async, r=oli-obk
bors [Sat, 12 Feb 2022 21:42:10 +0000 (21:42 +0000)]
Auto merge of #91403 - cjgillot:inherit-async, r=oli-obk

Inherit lifetimes for async fn instead of duplicating them.

The current desugaring of `async fn foo<'a>(&usize) -> &u8` is equivalent to
```rust
fn foo<'a, '0>(&'0 usize) -> foo<'static, 'static>::Opaque<'a, '0, '_>;
type foo<'_a, '_0>::Opaque<'a, '0, '1> = impl Future<Output = &'1 u8>;
```
following the RPIT model.

Duplicating all the inherited lifetime parameters and setting the inherited version to `'static` makes lowering more complex and causes issues like #61949. This PR removes the duplication of inherited lifetimes to directly use
```rust
fn foo<'a, '0>(&'0 usize) -> foo<'a, '0>::Opaque<'_>;
type foo<'a, '0>::Opaque<'1> = impl Future<Output = &'1 u8>;
```
following the TAIT model.

Fixes https://github.com/rust-lang/rust/issues/61949

2 years agoStabilise inherent_ascii_escape (FCP in #77174)
ltdk [Fri, 11 Feb 2022 02:09:05 +0000 (21:09 -0500)]
Stabilise inherent_ascii_escape (FCP in #77174)

2 years agoFix signature of u8::escape_ascii
ltdk [Sat, 12 Feb 2022 18:15:10 +0000 (13:15 -0500)]
Fix signature of u8::escape_ascii

2 years agomake fastcall-inreg and riscv64-lp64-lp64f-lp64d-abi tests able to run on any host...
Erik Desjardins [Sat, 12 Feb 2022 17:28:19 +0000 (12:28 -0500)]
make fastcall-inreg and riscv64-lp64-lp64f-lp64d-abi tests able to run on any host platform (with the right llvm components)

2 years agoDon't relabel to a team if there is already a team label
Jack Huey [Sat, 12 Feb 2022 16:47:00 +0000 (11:47 -0500)]
Don't relabel to a team if there is already a team label

2 years agoAuto merge of #93939 - RalfJung:miri, r=RalfJung
bors [Sat, 12 Feb 2022 16:41:24 +0000 (16:41 +0000)]
Auto merge of #93939 - RalfJung:miri, r=RalfJung

update miri

to fix the libcore test suite
r? `@ghost`

2 years agoAuto merge of #93697 - the8472:fix-windows-path-hash, r=Mark-Simulacrum
bors [Sat, 12 Feb 2022 14:01:13 +0000 (14:01 +0000)]
Auto merge of #93697 - the8472:fix-windows-path-hash, r=Mark-Simulacrum

Fix hashing for windows paths containing a CurDir component

* the logic only checked for / but not for \
* verbatim paths shouldn't skip items at all since they don't get normalized
* the extra branches get optimized out on unix since is_sep_byte is a trivial comparison and is_verbatim is always-false
* tests lacked windows coverage for these cases

That lead to equal paths not having equal hashes and to unnecessary collisions.

2 years agoAddress review comment
Matthew Jasper [Fri, 11 Feb 2022 18:20:47 +0000 (18:20 +0000)]
Address review comment

canonicalize_chalk_query -> canonicalize_query_preserving_universes

2 years agoUpdate chalk tests
Matthew Jasper [Wed, 9 Feb 2022 10:19:31 +0000 (10:19 +0000)]
Update chalk tests

2 years agoSuggest disabling download-ci-llvm option if url fails to download
Badel2 [Fri, 11 Feb 2022 01:10:02 +0000 (02:10 +0100)]
Suggest disabling download-ci-llvm option if url fails to download

2 years agoignore test on wasm32
The 8472 [Sat, 12 Feb 2022 11:54:25 +0000 (12:54 +0100)]
ignore test on wasm32

A fix applied to std::Path::hash triggers a miscompilation/assert in LLVM in this test on wasm32.
The miscompilation appears to pre-existing. Reverting some previous changes done std::Path also trigger it
and slight modifications such as changing the test path from "a" to "ccccccccccc" also make it pass, indicating
it's very flaky.
Since the fix is for a higher-tier platform than wasm it takes precedence.

2 years agotrailing whitespace
Ellen [Sat, 12 Feb 2022 11:48:58 +0000 (11:48 +0000)]
trailing whitespace

2 years agoAuto merge of #93933 - matthiaskrgr:rollup-1hjae6g, r=matthiaskrgr
bors [Sat, 12 Feb 2022 11:48:53 +0000 (11:48 +0000)]
Auto merge of #93933 - matthiaskrgr:rollup-1hjae6g, r=matthiaskrgr

Rollup of 7 pull requests

Successful merges:

 - #91908 (Add 2 tests)
 - #93595 (fix ICE when parsing lifetime as function argument)
 - #93757 (Add some known GAT bugs as tests)
 - #93759 (Pretty print ItemKind::Use in rustfmt style)
 - #93897 (linkchecker: fix panic on directory symlinks)
 - #93898 (tidy: Extend error code check)
 - #93928 (Add missing release notes for #85200)

Failed merges:

r? `@ghost`
`@rustbot` modify labels: rollup

2 years agoupdate miri
Ralf Jung [Sat, 12 Feb 2022 11:46:02 +0000 (12:46 +0100)]
update miri

2 years agochange docs on `Res::SelfTy`
Ellen [Sat, 12 Feb 2022 11:18:21 +0000 (11:18 +0000)]
change docs on `Res::SelfTy`

2 years agochange to a struct variant
Ellen [Wed, 9 Feb 2022 11:03:27 +0000 (11:03 +0000)]
change to a struct variant

2 years agoRemove SPAN_DEBUG global
bjorn3 [Fri, 14 Jan 2022 18:34:01 +0000 (19:34 +0100)]
Remove SPAN_DEBUG global

The only difference between the default and rustc_interface set version
is that the default accesses the source map from SESSION_GLOBALS while
the rustc_interface version accesses the source map from the global
TyCtxt. SESSION_GLOBALS is always set while running the compiler while
the global TyCtxt is not always set. If the global TyCtxt is set, it's
source map is identical to the one in SESSION_GLOBALS

2 years agoMove setup_callbacks call to create_compiler_and_run
bjorn3 [Fri, 25 Jun 2021 11:03:39 +0000 (13:03 +0200)]
Move setup_callbacks call to create_compiler_and_run

This ensures that it is called even when run_in_thread_pool_with_globals
is avoided and reduces code duplication between the parallel and
non-parallel version of run_in_thread_pool_with_globals

2 years agoRemove the RustcDefaultCalls struct
bjorn3 [Fri, 25 Jun 2021 10:49:29 +0000 (12:49 +0200)]
Remove the RustcDefaultCalls struct

It is a leftover from before the introduction of rustc_interface

2 years agoRebless
Deadbeef [Thu, 10 Feb 2022 09:22:54 +0000 (20:22 +1100)]
Rebless

2 years agoRollup merge of #93928 - nsunderland1:master, r=Mark-Simulacrum
Matthias Krüger [Sat, 12 Feb 2022 08:26:26 +0000 (09:26 +0100)]
Rollup merge of #93928 - nsunderland1:master, r=Mark-Simulacrum

Add missing release notes for #85200

Fixes #93894

2 years agoRollup merge of #93898 - GuillaumeGomez:error-code-check, r=Mark-Simulacrum
Matthias Krüger [Sat, 12 Feb 2022 08:26:25 +0000 (09:26 +0100)]
Rollup merge of #93898 - GuillaumeGomez:error-code-check, r=Mark-Simulacrum

tidy: Extend error code check

We discovered in https://github.com/rust-lang/rust/pull/93845 that the error code tidy check didn't check everything: if you remove an error code from the listing even if it has an explanation, then it should error.

It also allowed me to put back `E0192` in that listing as well.

r? ```@Mark-Simulacrum```

2 years agoRollup merge of #93897 - schopin-pro:linkchecker-symlink, r=Mark-Simulacrum
Matthias Krüger [Sat, 12 Feb 2022 08:26:24 +0000 (09:26 +0100)]
Rollup merge of #93897 - schopin-pro:linkchecker-symlink, r=Mark-Simulacrum

linkchecker: fix panic on directory symlinks

In Debian and Ubuntu, there are some patches that change the rustc/fonts
directory to a symlink to the system fonts. This triggers a latent bug
in linkchecker, as the DirEntry filetype isn't a dir but later on the
file itself, when opened, is one, triggering an unreachable!() clause.

This patch fixes the situation by using std::fs::metadata, which goes
through symlinks.

I'd have added a test case but `tidy` doesn't seem to like symlinks, and
moreover I'm not sure how Git deals with symlinks on Windows.

Signed-off-by: Simon Chopin <simon.chopin@canonical.com>
2 years agoRollup merge of #93759 - dtolnay:usetree, r=nagisa
Matthias Krüger [Sat, 12 Feb 2022 08:26:23 +0000 (09:26 +0100)]
Rollup merge of #93759 - dtolnay:usetree, r=nagisa

Pretty print ItemKind::Use in rustfmt style

This PR backports the formatting for `use` items from https://github.com/dtolnay/prettyplease into rustc_ast_pretty.

Before:

```rust
use core::{cmp::{Eq, Ord, PartialEq, PartialOrd},
    convert::{AsMut, AsRef, From, Into},
    iter::{DoubleEndedIterator, ExactSizeIterator, Extend, FromIterator,
    IntoIterator, Iterator},
    marker::{Copy as Copy, Send as Send, Sized as Sized, Sync as Sync, Unpin
    as U}, ops::{*, Drop, Fn, FnMut, FnOnce}};
```

After:

```rust
use core::{
    cmp::{Eq, Ord, PartialEq, PartialOrd},
    convert::{AsMut, AsRef, From, Into},
    iter::{
        DoubleEndedIterator, ExactSizeIterator, Extend, FromIterator,
        IntoIterator, Iterator,
    },
    marker::{
        Copy as Copy, Send as Send, Sized as Sized, Sync as Sync, Unpin as U,
    },
    ops::{*, Drop, Fn, FnMut, FnOnce},
};
```

2 years agoRollup merge of #93757 - jackh726:gat-bug-tests, r=nikomatsakis
Matthias Krüger [Sat, 12 Feb 2022 08:26:22 +0000 (09:26 +0100)]
Rollup merge of #93757 - jackh726:gat-bug-tests, r=nikomatsakis

Add some known GAT bugs as tests

In the spirit of rust-lang/compiler-team#476

These tests are marked as "check-fail", but also commented with "this should pass". This many of the open GAT issues that are accepted bugs.

r? ``@nikomatsakis``

2 years agoRollup merge of #93595 - compiler-errors:ice-on-lifetime-arg, r=jackh726
Matthias Krüger [Sat, 12 Feb 2022 08:26:21 +0000 (09:26 +0100)]
Rollup merge of #93595 - compiler-errors:ice-on-lifetime-arg, r=jackh726

fix ICE when parsing lifetime as function argument

I don't really like this, but we basically need to emit an error instead of just delaying an bug, because there are too many places in the AST that aren't covered by my previous PRs...

cc: https://github.com/rust-lang/rust/issues/93282#issuecomment-1028052945

2 years agoRollup merge of #91908 - matthiaskrgr:ices, r=jackh726
Matthias Krüger [Sat, 12 Feb 2022 08:26:20 +0000 (09:26 +0100)]
Rollup merge of #91908 - matthiaskrgr:ices, r=jackh726

Add 2 tests

fixes #91139
fixes #91069

2 years agoReport the selection error when possible
Deadbeef [Fri, 28 Jan 2022 10:57:29 +0000 (21:57 +1100)]
Report the selection error when possible

2 years agoAdapt new change
Deadbeef [Fri, 28 Jan 2022 08:59:06 +0000 (19:59 +1100)]
Adapt new change

2 years agoHandle Fn family trait call errror
Deadbeef [Wed, 29 Dec 2021 09:05:54 +0000 (17:05 +0800)]
Handle Fn family trait call errror

2 years agoRebased and improved errors
Deadbeef [Wed, 29 Dec 2021 08:29:14 +0000 (16:29 +0800)]
Rebased and improved errors

2 years agobless you
Deadbeef [Thu, 9 Dec 2021 17:10:05 +0000 (01:10 +0800)]
bless you

2 years agoImprove error messages even more
Deadbeef [Thu, 9 Dec 2021 14:42:17 +0000 (22:42 +0800)]
Improve error messages even more

2 years agoMore informative error message for E0015
Deadbeef [Wed, 3 Nov 2021 09:34:30 +0000 (17:34 +0800)]
More informative error message for E0015

2 years agoFix line number
Jack Huey [Sat, 12 Feb 2022 05:57:16 +0000 (00:57 -0500)]
Fix line number

Co-authored-by: David Tolnay <dtolnay@gmail.com>
2 years agoAuto merge of #93691 - compiler-errors:mir-tainted-by-errors, r=oli-obk
bors [Sat, 12 Feb 2022 05:19:33 +0000 (05:19 +0000)]
Auto merge of #93691 - compiler-errors:mir-tainted-by-errors, r=oli-obk

Implement `tainted_by_errors` in MIR borrowck, use it to skip CTFE

Putting this up for initial review. The issue that I found is when we're evaluating a const, we're doing borrowck, but doing nothing with the fact that borrowck fails.

This implements a `tainted_by_errors` field for MIR borrowck like we have in infcx, so we can use that information to return an `Err` during const eval if our const fails to borrowck.

This PR needs some cleaning up. I should probably just use `Result` in more places, instead of `.expect`ing in the places I am, but I just wanted it to compile so I could see if it worked!

Fixes #93646

r? `@oli-obk`
feel free to reassign

2 years agofix non-x64 tests
Erik Desjardins [Sat, 12 Feb 2022 05:13:10 +0000 (00:13 -0500)]
fix non-x64 tests

2 years agoAdd note on Windows path behaviour
cyqsimon [Sat, 12 Feb 2022 04:52:42 +0000 (12:52 +0800)]
Add note on Windows path behaviour

2 years agoadd link to format_args! when being mentioned in doc
yuhaixin.hx [Sat, 12 Feb 2022 04:35:30 +0000 (12:35 +0800)]
add link to format_args! when being mentioned in doc

2 years ago`Option::and_then` basic example: show failure
cyqsimon [Sat, 12 Feb 2022 04:23:38 +0000 (12:23 +0800)]
`Option::and_then` basic example: show failure

2 years ago`Result::and_then`: show type conversion
cyqsimon [Sat, 12 Feb 2022 04:19:03 +0000 (12:19 +0800)]
`Result::and_then`: show type conversion

2 years ago`Result::and_then`: improve basic example
cyqsimon [Sat, 12 Feb 2022 04:12:11 +0000 (12:12 +0800)]
`Result::and_then`: improve basic example

2 years agoAdd missing release notes for #85200
nsunderland1 [Sat, 12 Feb 2022 02:06:10 +0000 (18:06 -0800)]
Add missing release notes for #85200

2 years agoAuto merge of #93671 - Kobzol:stable-hash-const, r=the8472
bors [Sat, 12 Feb 2022 02:05:11 +0000 (02:05 +0000)]
Auto merge of #93671 - Kobzol:stable-hash-const, r=the8472

Use const generics in SipHasher128's short_write

This was proposed by `@michaelwoerister` [here](https://github.com/rust-lang/rust/pull/93615#discussion_r799485554).
A few comments:
1) I tried to pass `&[u8; LEN]` instead of `[u8; LEN]`. Locally, it resulted in small icount regressions (about 0.5 %). When passing by value, there were no regressions (and no improvements).
2) I wonder if we should use `to_ne_bytes()` in `SipHasher128` to keep it generic and only use `to_le_bytes()` in `StableHasher`. However, currently `SipHasher128` is only used in `StableHasher` and the `short_write` method was private, so I couldn't use it directly from `StableHasher`. Using `to_le()` in the `StableHasher` was breaking this abstraction boundary before slightly.

```rust
debug_assert!(LEN <= 8);
```
This could be done at compile time, but actually I think that now we can remove this assert altogether.

r? `@the8472`