Skip to content

Commit 42fa8ac

Browse files
committed
Auto merge of rust-lang#101037 - GuillaumeGomez:rollup-opn6kj1, r=GuillaumeGomez
Rollup of 8 pull requests Successful merges: - rust-lang#95005 (BTree: evaluate static type-related check at compile time) - rust-lang#99742 (Add comments about stdout locking) - rust-lang#100128 (Document that `RawWakerVTable` functions must be thread-safe.) - rust-lang#100956 (Reduce right-side DOM size) - rust-lang#101006 (Fix doc cfg on reexports) - rust-lang#101012 (rustdoc: remove unused CSS for `.variants_table`) - rust-lang#101023 (rustdoc: remove `type="text/css"` from stylesheet links) - rust-lang#101031 (Remove unused build dependency) Failed merges: r? `@ghost` `@rustbot` modify labels: rollup
2 parents 8a13871 + c391ba0 commit 42fa8ac

29 files changed

+363
-103
lines changed

Cargo.lock

-1
Original file line numberDiff line numberDiff line change
@@ -1280,7 +1280,6 @@ name = "error_index_generator"
12801280
version = "0.0.0"
12811281
dependencies = [
12821282
"rustdoc",
1283-
"walkdir",
12841283
]
12851284

12861285
[[package]]

library/alloc/src/collections/btree/node.rs

+9-7
Original file line numberDiff line numberDiff line change
@@ -318,7 +318,7 @@ impl<BorrowType: marker::BorrowType, K, V, Type> NodeRef<BorrowType, K, V, Type>
318318
pub fn ascend(
319319
self,
320320
) -> Result<Handle<NodeRef<BorrowType, K, V, marker::Internal>, marker::Edge>, Self> {
321-
assert!(BorrowType::PERMITS_TRAVERSAL);
321+
let _ = BorrowType::TRAVERSAL_PERMIT;
322322
// We need to use raw pointers to nodes because, if BorrowType is marker::ValMut,
323323
// there might be outstanding mutable references to values that we must not invalidate.
324324
let leaf_ptr: *const _ = Self::as_leaf_ptr(&self);
@@ -1003,7 +1003,7 @@ impl<BorrowType: marker::BorrowType, K, V>
10031003
/// `edge.descend().ascend().unwrap()` and `node.ascend().unwrap().descend()` should
10041004
/// both, upon success, do nothing.
10051005
pub fn descend(self) -> NodeRef<BorrowType, K, V, marker::LeafOrInternal> {
1006-
assert!(BorrowType::PERMITS_TRAVERSAL);
1006+
let _ = BorrowType::TRAVERSAL_PERMIT;
10071007
// We need to use raw pointers to nodes because, if BorrowType is
10081008
// marker::ValMut, there might be outstanding mutable references to
10091009
// values that we must not invalidate. There's no worry accessing the
@@ -1666,15 +1666,17 @@ pub mod marker {
16661666
pub struct ValMut<'a>(PhantomData<&'a mut ()>);
16671667

16681668
pub trait BorrowType {
1669-
// Whether node references of this borrow type allow traversing
1670-
// to other nodes in the tree.
1671-
const PERMITS_TRAVERSAL: bool = true;
1669+
// If node references of this borrow type allow traversing to other
1670+
// nodes in the tree, this constant can be evaluated. Thus reading it
1671+
// serves as a compile-time assertion.
1672+
const TRAVERSAL_PERMIT: () = ();
16721673
}
16731674
impl BorrowType for Owned {
1674-
// Traversal isn't needed, it happens using the result of `borrow_mut`.
1675+
// Reject evaluation, because traversal isn't needed. Instead traversal
1676+
// happens using the result of `borrow_mut`.
16751677
// By disabling traversal, and only creating new references to roots,
16761678
// we know that every reference of the `Owned` type is to a root node.
1677-
const PERMITS_TRAVERSAL: bool = false;
1679+
const TRAVERSAL_PERMIT: () = panic!();
16781680
}
16791681
impl BorrowType for Dying {}
16801682
impl<'a> BorrowType for Immut<'a> {}

library/core/src/task/wake.rs

+38-12
Original file line numberDiff line numberDiff line change
@@ -71,6 +71,12 @@ impl RawWaker {
7171
/// pointer of a properly constructed [`RawWaker`] object from inside the
7272
/// [`RawWaker`] implementation. Calling one of the contained functions using
7373
/// any other `data` pointer will cause undefined behavior.
74+
///
75+
/// These functions must all be thread-safe (even though [`RawWaker`] is
76+
/// <code>\![Send] + \![Sync]</code>)
77+
/// because [`Waker`] is <code>[Send] + [Sync]</code>, and thus wakers may be moved to
78+
/// arbitrary threads or invoked by `&` reference. For example, this means that if the
79+
/// `clone` and `drop` functions manage a reference count, they must do so atomically.
7480
#[stable(feature = "futures_api", since = "1.36.0")]
7581
#[derive(PartialEq, Copy, Clone, Debug)]
7682
pub struct RawWakerVTable {
@@ -110,6 +116,12 @@ impl RawWakerVTable {
110116
/// Creates a new `RawWakerVTable` from the provided `clone`, `wake`,
111117
/// `wake_by_ref`, and `drop` functions.
112118
///
119+
/// These functions must all be thread-safe (even though [`RawWaker`] is
120+
/// <code>\![Send] + \![Sync]</code>)
121+
/// because [`Waker`] is <code>[Send] + [Sync]</code>, and thus wakers may be moved to
122+
/// arbitrary threads or invoked by `&` reference. For example, this means that if the
123+
/// `clone` and `drop` functions manage a reference count, they must do so atomically.
124+
///
113125
/// # `clone`
114126
///
115127
/// This function will be called when the [`RawWaker`] gets cloned, e.g. when
@@ -157,9 +169,9 @@ impl RawWakerVTable {
157169
}
158170
}
159171

160-
/// The `Context` of an asynchronous task.
172+
/// The context of an asynchronous task.
161173
///
162-
/// Currently, `Context` only serves to provide access to a `&Waker`
174+
/// Currently, `Context` only serves to provide access to a [`&Waker`](Waker)
163175
/// which can be used to wake the current task.
164176
#[stable(feature = "futures_api", since = "1.36.0")]
165177
pub struct Context<'a> {
@@ -172,15 +184,15 @@ pub struct Context<'a> {
172184
}
173185

174186
impl<'a> Context<'a> {
175-
/// Create a new `Context` from a `&Waker`.
187+
/// Create a new `Context` from a [`&Waker`](Waker).
176188
#[stable(feature = "futures_api", since = "1.36.0")]
177189
#[must_use]
178190
#[inline]
179191
pub fn from_waker(waker: &'a Waker) -> Self {
180192
Context { waker, _marker: PhantomData }
181193
}
182194

183-
/// Returns a reference to the `Waker` for the current task.
195+
/// Returns a reference to the [`Waker`] for the current task.
184196
#[stable(feature = "futures_api", since = "1.36.0")]
185197
#[must_use]
186198
#[inline]
@@ -202,7 +214,18 @@ impl fmt::Debug for Context<'_> {
202214
/// This handle encapsulates a [`RawWaker`] instance, which defines the
203215
/// executor-specific wakeup behavior.
204216
///
205-
/// Implements [`Clone`], [`Send`], and [`Sync`].
217+
/// The typical life of a `Waker` is that it is constructed by an executor, wrapped in a
218+
/// [`Context`], then passed to [`Future::poll()`]. Then, if the future chooses to return
219+
/// [`Poll::Pending`], it must also store the waker somehow and call [`Waker::wake()`] when
220+
/// the future should be polled again.
221+
///
222+
/// Implements [`Clone`], [`Send`], and [`Sync`]; therefore, a waker may be invoked
223+
/// from any thread, including ones not in any way managed by the executor. For example,
224+
/// this might be done to wake a future when a blocking function call completes on another
225+
/// thread.
226+
///
227+
/// [`Future::poll()`]: core::future::Future::poll
228+
/// [`Poll::Pending`]: core::task::Poll::Pending
206229
#[repr(transparent)]
207230
#[stable(feature = "futures_api", since = "1.36.0")]
208231
pub struct Waker {
@@ -219,18 +242,21 @@ unsafe impl Sync for Waker {}
219242
impl Waker {
220243
/// Wake up the task associated with this `Waker`.
221244
///
222-
/// As long as the runtime keeps running and the task is not finished, it is
223-
/// guaranteed that each invocation of `wake` (or `wake_by_ref`) will be followed
224-
/// by at least one `poll` of the task to which this `Waker` belongs. This makes
245+
/// As long as the executor keeps running and the task is not finished, it is
246+
/// guaranteed that each invocation of [`wake()`](Self::wake) (or
247+
/// [`wake_by_ref()`](Self::wake_by_ref)) will be followed by at least one
248+
/// [`poll()`] of the task to which this `Waker` belongs. This makes
225249
/// it possible to temporarily yield to other tasks while running potentially
226250
/// unbounded processing loops.
227251
///
228252
/// Note that the above implies that multiple wake-ups may be coalesced into a
229-
/// single `poll` invocation by the runtime.
253+
/// single [`poll()`] invocation by the runtime.
230254
///
231255
/// Also note that yielding to competing tasks is not guaranteed: it is the
232256
/// executor’s choice which task to run and the executor may choose to run the
233257
/// current task again.
258+
///
259+
/// [`poll()`]: crate::future::Future::poll
234260
#[inline]
235261
#[stable(feature = "futures_api", since = "1.36.0")]
236262
pub fn wake(self) {
@@ -250,8 +276,8 @@ impl Waker {
250276

251277
/// Wake up the task associated with this `Waker` without consuming the `Waker`.
252278
///
253-
/// This is similar to `wake`, but may be slightly less efficient in the case
254-
/// where an owned `Waker` is available. This method should be preferred to
279+
/// This is similar to [`wake()`](Self::wake), but may be slightly less efficient in
280+
/// the case where an owned `Waker` is available. This method should be preferred to
255281
/// calling `waker.clone().wake()`.
256282
#[inline]
257283
#[stable(feature = "futures_api", since = "1.36.0")]
@@ -263,7 +289,7 @@ impl Waker {
263289
unsafe { (self.waker.vtable.wake_by_ref)(self.waker.data) }
264290
}
265291

266-
/// Returns `true` if this `Waker` and another `Waker` have awoken the same task.
292+
/// Returns `true` if this `Waker` and another `Waker` would awake the same task.
267293
///
268294
/// This function works on a best-effort basis, and may return false even
269295
/// when the `Waker`s would awaken the same task. However, if this function

library/std/src/macros.rs

+22
Original file line numberDiff line numberDiff line change
@@ -27,12 +27,23 @@ macro_rules! panic {
2727
/// necessary to use [`io::stdout().flush()`][flush] to ensure the output is emitted
2828
/// immediately.
2929
///
30+
/// The `print!` macro will lock the standard output on each call. If you call
31+
/// `print!` within a hot loop, this behavior may be the bottleneck of the loop.
32+
/// To avoid this, lock stdout with [`io::stdout().lock()`][lock]:
33+
/// ```
34+
/// use std::io::{stdout, Write};
35+
///
36+
/// let mut lock = stdout().lock();
37+
/// write!(lock, "hello world").unwrap();
38+
/// ```
39+
///
3040
/// Use `print!` only for the primary output of your program. Use
3141
/// [`eprint!`] instead to print error and progress messages.
3242
///
3343
/// [flush]: crate::io::Write::flush
3444
/// [`println!`]: crate::println
3545
/// [`eprint!`]: crate::eprint
46+
/// [lock]: crate::io::Stdout
3647
///
3748
/// # Panics
3849
///
@@ -75,11 +86,22 @@ macro_rules! print {
7586
/// This macro uses the same syntax as [`format!`], but writes to the standard output instead.
7687
/// See [`std::fmt`] for more information.
7788
///
89+
/// The `println!` macro will lock the standard output on each call. If you call
90+
/// `println!` within a hot loop, this behavior may be the bottleneck of the loop.
91+
/// To avoid this, lock stdout with [`io::stdout().lock()`][lock]:
92+
/// ```
93+
/// use std::io::{stdout, Write};
94+
///
95+
/// let mut lock = stdout().lock();
96+
/// writeln!(lock, "hello world").unwrap();
97+
/// ```
98+
///
7899
/// Use `println!` only for the primary output of your program. Use
79100
/// [`eprintln!`] instead to print error and progress messages.
80101
///
81102
/// [`std::fmt`]: crate::fmt
82103
/// [`eprintln!`]: crate::eprintln
104+
/// [lock]: crate::io::Stdout
83105
///
84106
/// # Panics
85107
///

src/librustdoc/clean/inline.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -300,7 +300,7 @@ pub(crate) fn build_impls(
300300
}
301301

302302
/// `parent_module` refers to the parent of the re-export, not the original item
303-
fn merge_attrs(
303+
pub(crate) fn merge_attrs(
304304
cx: &mut DocContext<'_>,
305305
parent_module: Option<DefId>,
306306
old_attrs: Attrs<'_>,

src/librustdoc/clean/types.rs

+26-1
Original file line numberDiff line numberDiff line change
@@ -482,7 +482,7 @@ impl Item {
482482
cx: &mut DocContext<'_>,
483483
cfg: Option<Arc<Cfg>>,
484484
) -> Item {
485-
trace!("name={:?}, def_id={:?}", name, def_id);
485+
trace!("name={:?}, def_id={:?} cfg={:?}", name, def_id, cfg);
486486

487487
// Primitives and Keywords are written in the source code as private modules.
488488
// The modules need to be private so that nobody actually uses them, but the
@@ -801,6 +801,31 @@ impl ItemKind {
801801
| KeywordItem => [].iter(),
802802
}
803803
}
804+
805+
/// Returns `true` if this item does not appear inside an impl block.
806+
pub(crate) fn is_non_assoc(&self) -> bool {
807+
matches!(
808+
self,
809+
StructItem(_)
810+
| UnionItem(_)
811+
| EnumItem(_)
812+
| TraitItem(_)
813+
| ModuleItem(_)
814+
| ExternCrateItem { .. }
815+
| FunctionItem(_)
816+
| TypedefItem(_)
817+
| OpaqueTyItem(_)
818+
| StaticItem(_)
819+
| ConstantItem(_)
820+
| TraitAliasItem(_)
821+
| ForeignFunctionItem(_)
822+
| ForeignStaticItem(_)
823+
| ForeignTypeItem
824+
| MacroItem(_)
825+
| ProcMacroItem(_)
826+
| PrimitiveItem(_)
827+
)
828+
}
804829
}
805830

806831
#[derive(Clone, Debug)]

src/librustdoc/html/render/mod.rs

+42-16
Original file line numberDiff line numberDiff line change
@@ -191,12 +191,6 @@ impl StylePath {
191191
}
192192
}
193193

194-
fn write_srclink(cx: &Context<'_>, item: &clean::Item, buf: &mut Buffer) {
195-
if let Some(l) = cx.src_href(item) {
196-
write!(buf, "<a class=\"srclink\" href=\"{}\">source</a>", l)
197-
}
198-
}
199-
200194
#[derive(Debug, Eq, PartialEq, Hash)]
201195
struct ItemEntry {
202196
url: String,
@@ -522,7 +516,14 @@ fn portability(item: &clean::Item, parent: Option<&clean::Item>) -> Option<Strin
522516
(cfg, _) => cfg.as_deref().cloned(),
523517
};
524518

525-
debug!("Portability {:?} - {:?} = {:?}", item.cfg, parent.and_then(|p| p.cfg.as_ref()), cfg);
519+
debug!(
520+
"Portability {:?} {:?} (parent: {:?}) - {:?} = {:?}",
521+
item.name,
522+
item.cfg,
523+
parent,
524+
parent.and_then(|p| p.cfg.as_ref()),
525+
cfg
526+
);
526527

527528
Some(format!("<div class=\"stab portability\">{}</div>", cfg?.render_long_html()))
528529
}
@@ -840,12 +841,13 @@ fn assoc_method(
840841
/// Note that it is possible for an unstable function to be const-stable. In that case, the span
841842
/// will include the const-stable version, but no stable version will be emitted, as a natural
842843
/// consequence of the above rules.
843-
fn render_stability_since_raw(
844+
fn render_stability_since_raw_with_extra(
844845
w: &mut Buffer,
845846
ver: Option<Symbol>,
846847
const_stability: Option<ConstStability>,
847848
containing_ver: Option<Symbol>,
848849
containing_const_ver: Option<Symbol>,
850+
extra_class: &str,
849851
) -> bool {
850852
let stable_version = ver.filter(|inner| !inner.is_empty() && Some(*inner) != containing_ver);
851853

@@ -893,12 +895,30 @@ fn render_stability_since_raw(
893895
}
894896

895897
if !stability.is_empty() {
896-
write!(w, r#"<span class="since" title="{}">{}</span>"#, title, stability);
898+
write!(w, r#"<span class="since{extra_class}" title="{title}">{stability}</span>"#);
897899
}
898900

899901
!stability.is_empty()
900902
}
901903

904+
#[inline]
905+
fn render_stability_since_raw(
906+
w: &mut Buffer,
907+
ver: Option<Symbol>,
908+
const_stability: Option<ConstStability>,
909+
containing_ver: Option<Symbol>,
910+
containing_const_ver: Option<Symbol>,
911+
) -> bool {
912+
render_stability_since_raw_with_extra(
913+
w,
914+
ver,
915+
const_stability,
916+
containing_ver,
917+
containing_const_ver,
918+
"",
919+
)
920+
}
921+
902922
fn render_assoc_item(
903923
w: &mut Buffer,
904924
item: &clean::Item,
@@ -1681,23 +1701,29 @@ fn render_rightside(
16811701
RenderMode::Normal => (item.const_stability(tcx), containing_item.const_stable_since(tcx)),
16821702
RenderMode::ForDeref { .. } => (None, None),
16831703
};
1704+
let src_href = cx.src_href(item);
1705+
let has_src_ref = src_href.is_some();
16841706

16851707
let mut rightside = Buffer::new();
1686-
let has_stability = render_stability_since_raw(
1708+
let has_stability = render_stability_since_raw_with_extra(
16871709
&mut rightside,
16881710
item.stable_since(tcx),
16891711
const_stability,
16901712
containing_item.stable_since(tcx),
16911713
const_stable_since,
1714+
if has_src_ref { "" } else { " rightside" },
16921715
);
1693-
let mut srclink = Buffer::empty_from(w);
1694-
write_srclink(cx, item, &mut srclink);
1695-
if has_stability && !srclink.is_empty() {
1696-
rightside.write_str(" · ");
1716+
if let Some(l) = src_href {
1717+
if has_stability {
1718+
write!(rightside, " · <a class=\"srclink\" href=\"{}\">source</a>", l)
1719+
} else {
1720+
write!(rightside, "<a class=\"srclink rightside\" href=\"{}\">source</a>", l)
1721+
}
16971722
}
1698-
rightside.push_buffer(srclink);
1699-
if !rightside.is_empty() {
1723+
if has_stability && has_src_ref {
17001724
write!(w, "<span class=\"rightside\">{}</span>", rightside.into_inner());
1725+
} else {
1726+
w.push_buffer(rightside);
17011727
}
17021728
}
17031729

0 commit comments

Comments
 (0)