Browse Source

Fix lints from rustc 1.80.0 (#3936)

pull/3939/head
José Julián Espina 4 months ago committed by GitHub
parent
commit
4c76af8c67
No known key found for this signature in database
GPG Key ID: B5690EEEBB952194
  1. 30
      Cargo.toml
  2. 2
      core/ast/src/expression/optional.rs
  3. 2
      core/ast/src/operations.rs
  4. 2
      core/engine/src/builtins/array_buffer/shared.rs
  5. 8
      core/engine/src/builtins/array_buffer/utils.rs
  6. 14
      core/engine/src/builtins/dataview/mod.rs
  7. 2
      core/engine/src/builtins/mod.rs
  8. 2
      core/engine/src/builtins/number/globals.rs
  9. 4
      core/engine/src/builtins/promise/mod.rs
  10. 12
      core/engine/src/builtins/typed_array/mod.rs
  11. 2
      core/engine/src/bytecompiler/mod.rs
  12. 8
      core/engine/src/context/hooks.rs
  13. 8
      core/engine/src/job.rs
  14. 10
      core/engine/src/object/jsobject.rs
  15. 31
      core/engine/src/object/property_map.rs
  16. 6
      core/engine/src/tagged.rs
  17. 30
      core/engine/src/vm/opcode/mod.rs
  18. 2
      core/gc/src/internals/vtable.rs
  19. 6
      core/gc/src/lib.rs
  20. 2
      core/gc/src/test/allocation.rs
  21. 4
      core/gc/src/test/weak.rs
  22. 1
      core/parser/src/lexer/template.rs
  23. 5
      core/parser/src/lexer/token.rs
  24. 2
      core/string/src/lib.rs
  25. 6
      core/string/src/tagged.rs
  26. 7
      examples/src/bin/commuter_visitor.rs

30
Cargo.toml

@ -29,7 +29,7 @@ exclude = [
[workspace.package]
edition = "2021"
version = "0.19.0"
rust-version = "1.79.0"
rust-version = "1.80.0"
authors = ["boa-dev"]
repository = "https://github.com/boa-dev/boa"
license = "Unlicense OR MIT"
@ -185,13 +185,13 @@ codegen-units = 1
[workspace.lints.rust]
# rustc lint groups https://doc.rust-lang.org/rustc/lints/groups.html
warnings = "warn"
future_incompatible = "warn"
let_underscore = "warn"
nonstandard_style = "warn"
rust_2018_compatibility = "warn"
rust_2018_idioms = "warn"
rust_2021_compatibility = "warn"
unused = "warn"
future_incompatible = { level = "warn", priority = -1 }
let_underscore = { level = "warn", priority = -1 }
nonstandard_style = { level = "warn", priority = -1 }
rust_2018_compatibility = { level = "warn", priority = -1 }
rust_2018_idioms = { level = "warn", priority = -1 }
rust_2021_compatibility = { level = "warn", priority = -1 }
unused = { level = "warn", priority = -1 }
# rustc allowed-by-default lints https://doc.rust-lang.org/rustc/lints/listing/allowed-by-default.html
missing_docs = "warn"
@ -228,10 +228,10 @@ bare_urls = "warn"
dbg_macro = "warn"
# clippy categories https://doc.rust-lang.org/clippy/
all = "warn"
correctness = "warn"
suspicious = "warn"
style = "warn"
complexity = "warn"
perf = "warn"
pedantic = "warn"
all = { level = "warn", priority = -1 }
correctness = { level = "warn", priority = -1 }
suspicious = { level = "warn", priority = -1 }
style = { level = "warn", priority = -1 }
complexity = { level = "warn", priority = -1 }
perf = { level = "warn", priority = -1 }
pedantic = { level = "warn", priority = -1 }

2
core/ast/src/expression/optional.rs

@ -38,7 +38,7 @@ impl VisitWith for OptionalOperationKind {
Self::SimplePropertyAccess { field } => visitor.visit_property_access_field(field),
Self::PrivatePropertyAccess { field } => visitor.visit_private_name(field),
Self::Call { args } => {
for arg in args.iter() {
for arg in args {
try_break!(visitor.visit_expression(arg));
}
ControlFlow::Continue(())

2
core/ast/src/operations.rs

@ -993,7 +993,7 @@ impl<'ast> Visitor<'ast> for AllPrivateIdentifiersValidVisitor {
}
}
OptionalOperationKind::Call { args } => {
for arg in args.iter() {
for arg in args {
try_break!(self.visit_expression(arg));
}
ControlFlow::Continue(())

2
core/engine/src/builtins/array_buffer/shared.rs

@ -609,7 +609,7 @@ pub(crate) fn create_shared_byte_data_block(
// This could be replaced with a custom `Box` implementation, but most architectures
// already align pointers to 8 bytes, so it's a lot of work for such a small
// compatibility improvement.
assert_eq!(buffer.as_ptr().addr() % std::mem::align_of::<u64>(), 0);
assert_eq!(buffer.as_ptr().addr() % align_of::<u64>(), 0);
// 3. Return db.
Ok(buffer)

8
core/engine/src/builtins/array_buffer/utils.rs

@ -91,8 +91,8 @@ impl SliceRef<'_> {
// 2. Assert: There are sufficient bytes in arrayBuffer starting at byteIndex to represent a value of type.
#[cfg(debug_assertions)]
{
assert!(buffer.len() >= std::mem::size_of::<T>());
assert_eq!(buffer.addr() % std::mem::align_of::<T>(), 0);
assert!(buffer.len() >= size_of::<T>());
assert_eq!(buffer.addr() % align_of::<T>(), 0);
}
// 3. Let block be arrayBuffer.[[ArrayBufferData]].
@ -270,8 +270,8 @@ impl SliceRefMut<'_> {
// 3. Assert: value is a BigInt if IsBigIntElementType(type) is true; otherwise, value is a Number.
#[cfg(debug_assertions)]
{
assert!(buffer.len() >= std::mem::size_of::<T>());
assert_eq!(buffer.addr() % std::mem::align_of::<T>(), 0);
assert!(buffer.len() >= size_of::<T>());
assert_eq!(buffer.addr() % align_of::<T>(), 0);
}
// 4. Let block be arrayBuffer.[[ArrayBufferData]].

14
core/engine/src/builtins/dataview/mod.rs

@ -7,7 +7,7 @@
//! [spec]: https://tc39.es/ecma262/#sec-dataview-objects
//! [mdn]: https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/DataView
use std::{mem, sync::atomic::Ordering};
use std::sync::atomic::Ordering;
use crate::{
builtins::BuiltInObject,
@ -467,7 +467,7 @@ impl DataView {
let view_size = view.byte_length(data.len());
// 10. Let elementSize be the Element Size value specified in Table 71 for Element Type type.
let element_size = mem::size_of::<T>() as u64;
let element_size = size_of::<T>() as u64;
// 11. If getIndex + elementSize > viewSize, throw a RangeError exception.
if get_index + element_size > view_size {
@ -481,7 +481,7 @@ impl DataView {
let src = data.subslice(buffer_index..);
debug_assert!(src.len() >= mem::size_of::<T>());
debug_assert!(src.len() >= size_of::<T>());
// 13. Return GetValueFromBuffer(view.[[ViewedArrayBuffer]], bufferIndex, type, false, unordered, isLittleEndian).
// SAFETY: All previous checks ensure the element fits in the buffer.
@ -490,7 +490,7 @@ impl DataView {
memcpy(
src.as_ptr(),
BytesMutPtr::Bytes(bytes_of_mut(&mut value).as_mut_ptr()),
mem::size_of::<T>(),
size_of::<T>(),
);
if is_little_endian {
@ -789,7 +789,7 @@ impl DataView {
let view_offset = view.byte_offset;
// 12. Let elementSize be the Element Size value specified in Table 71 for Element Type type.
let elem_size = mem::size_of::<T>();
let elem_size = size_of::<T>();
// 13. If getIndex + elementSize > viewSize, throw a RangeError exception.
if get_index + elem_size as u64 > view_size {
@ -803,7 +803,7 @@ impl DataView {
let mut target = data.subslice_mut(buffer_index..);
debug_assert!(target.len() >= mem::size_of::<T>());
debug_assert!(target.len() >= size_of::<T>());
// 15. Perform SetValueInBuffer(view.[[ViewedArrayBuffer]], bufferIndex, type, numberValue, false, unordered, isLittleEndian).
// SAFETY: All previous checks ensure the element fits in the buffer.
@ -817,7 +817,7 @@ impl DataView {
memcpy(
BytesConstPtr::Bytes(bytes_of(&value).as_ptr()),
target.as_ptr(),
mem::size_of::<T>(),
size_of::<T>(),
);
}

2
core/engine/src/builtins/mod.rs

@ -140,6 +140,8 @@ pub(crate) trait BuiltInObject: IntrinsicObject {
/// E.g. If you want access the properties of a `Complex` built-in with the name `Cplx` you must
/// assign `"Cplx"` to this constant, making any property inside it accessible from ECMAScript
/// as `Cplx.prop`
// `JsString` can only be const-constructed for static strings.
#[allow(clippy::declare_interior_mutable_const)]
const NAME: JsString;
/// Property attribute flags of the built-in. Check [`Attribute`] for more information.

2
core/engine/src/builtins/number/globals.rs

@ -99,7 +99,7 @@ fn from_js_str_radix(src: JsStr<'_>, radix: u8) -> Option<f64> {
/// Note that if the radix is known to the compiler, it is just the check of digits.len that
/// is done at runtime.
fn can_not_overflow(radix: u8, digits_len: usize) -> bool {
usize::from(radix) <= 16 && digits_len <= std::mem::size_of::<u64>() * 2
usize::from(radix) <= 16 && digits_len <= size_of::<u64>() * 2
}
const fn to_digit(input: u8, radix: u8) -> Option<u8> {

4
core/engine/src/builtins/promise/mod.rs

@ -88,8 +88,8 @@ pub struct Promise {
/// Per the spec:
///
/// > If operation is "handle", an implementation should not hold a reference to promise in a way
/// that would interfere with garbage collection. An implementation may hold a reference to promise
/// if operation is "reject", since it is expected that rejections will be rare and not on hot code paths.
/// > that would interfere with garbage collection. An implementation may hold a reference to promise
/// > if operation is "reject", since it is expected that rejections will be rare and not on hot code paths.
///
/// [fn]: https://tc39.es/ecma262/#sec-host-promise-rejection-tracker
#[derive(Debug, Clone, Copy, PartialEq, Eq)]

12
core/engine/src/builtins/typed_array/mod.rs

@ -76,12 +76,12 @@ impl<T: TypedArrayMarker> IntrinsicObject for T {
)
.property(
js_str!("BYTES_PER_ELEMENT"),
std::mem::size_of::<T::Element>(),
size_of::<T::Element>(),
Attribute::READONLY | Attribute::NON_ENUMERABLE | Attribute::PERMANENT,
)
.static_property(
js_str!("BYTES_PER_ELEMENT"),
std::mem::size_of::<T::Element>(),
size_of::<T::Element>(),
Attribute::READONLY | Attribute::NON_ENUMERABLE | Attribute::PERMANENT,
)
.build();
@ -437,14 +437,14 @@ impl TypedArrayKind {
pub(crate) const fn element_size(self) -> u64 {
match self {
TypedArrayKind::Int8 | TypedArrayKind::Uint8 | TypedArrayKind::Uint8Clamped => {
std::mem::size_of::<u8>() as u64
size_of::<u8>() as u64
}
TypedArrayKind::Int16 | TypedArrayKind::Uint16 => std::mem::size_of::<u16>() as u64,
TypedArrayKind::Int16 | TypedArrayKind::Uint16 => size_of::<u16>() as u64,
TypedArrayKind::Int32 | TypedArrayKind::Uint32 | TypedArrayKind::Float32 => {
std::mem::size_of::<u32>() as u64
size_of::<u32>() as u64
}
TypedArrayKind::BigInt64 | TypedArrayKind::BigUint64 | TypedArrayKind::Float64 => {
std::mem::size_of::<u64>() as u64
size_of::<u64>() as u64
}
}
}

2
core/engine/src/bytecompiler/mod.rs

@ -743,7 +743,7 @@ impl<'ctx> ByteCompiler<'ctx> {
}
pub(crate) fn patch_jump_with_target(&mut self, label: Label, target: u32) {
const U32_SIZE: usize = std::mem::size_of::<u32>();
const U32_SIZE: usize = size_of::<u32>();
let Label { index } = label;

8
core/engine/src/context/hooks.rs

@ -212,10 +212,10 @@ pub trait HostHooks {
/// [specification]:
///
/// > If a host is multi-tenanted (i.e. it runs many ECMAScript applications simultaneously),
/// such as a web browser, and its implementations choose to implement in-place growth by reserving
/// virtual memory, we recommend that both 32-bit and 64-bit implementations throw for values of
/// "`maxByteLength`" ≥ 1GiB to 1.5GiB. This is to reduce the likelihood a single application can
/// exhaust the virtual memory address space and to reduce interoperability risk.
/// > such as a web browser, and its implementations choose to implement in-place growth by reserving
/// > virtual memory, we recommend that both 32-bit and 64-bit implementations throw for values of
/// > "`maxByteLength`" ≥ 1GiB to 1.5GiB. This is to reduce the likelihood a single application can
/// > exhaust the virtual memory address space and to reduce interoperability risk.
///
///
/// [specification]: https://tc39.es/ecma262/#sec-resizable-arraybuffer-guidelines

8
core/engine/src/job.rs

@ -196,12 +196,12 @@ pub trait JobQueue {
///
/// Per the [spec]:
/// > An implementation of `HostEnqueuePromiseJob` must conform to the requirements in [9.5][Jobs] as well as the
/// following:
/// > following:
/// > - If `realm` is not null, each time `job` is invoked the implementation must perform implementation-defined steps
/// such that execution is prepared to evaluate ECMAScript code at the time of job's invocation.
/// > such that execution is prepared to evaluate ECMAScript code at the time of job's invocation.
/// > - Let `scriptOrModule` be `GetActiveScriptOrModule()` at the time `HostEnqueuePromiseJob` is invoked. If realm
/// is not null, each time job is invoked the implementation must perform implementation-defined steps such that
/// `scriptOrModule` is the active script or module at the time of job's invocation.
/// > is not null, each time job is invoked the implementation must perform implementation-defined steps such that
/// > `scriptOrModule` is the active script or module at the time of job's invocation.
/// > - Jobs must run in the same order as the `HostEnqueuePromiseJob` invocations that scheduled them.
///
/// Of all the requirements, Boa guarantees the first two by its internal implementation of `NativeJob`, meaning

10
core/engine/src/object/jsobject.rs

@ -193,14 +193,8 @@ impl JsObject {
let erased = ptr.as_ref();
// Some sanity checks to ensure we're doing the correct cast.
assert_eq!(
std::mem::size_of_val(erased),
std::mem::size_of::<GcBox<VTableObject<T>>>()
);
assert_eq!(
std::mem::align_of_val(erased),
std::mem::align_of::<GcBox<VTableObject<T>>>()
);
assert_eq!(size_of_val(erased), size_of::<GcBox<VTableObject<T>>>());
assert_eq!(align_of_val(erased), align_of::<GcBox<VTableObject<T>>>());
}
let ptr: NonNull<GcBox<VTableObject<T>>> = ptr.cast();

31
core/engine/src/object/property_map.rs

@ -7,7 +7,7 @@ use super::{
},
JsPrototype, ObjectStorage, PropertyDescriptor, PropertyKey,
};
use crate::{property::PropertyDescriptorBuilder, JsString, JsSymbol, JsValue};
use crate::{property::PropertyDescriptorBuilder, JsValue};
use boa_gc::{custom_trace, Finalize, Trace};
use indexmap::IndexMap;
use rustc_hash::{FxHashMap, FxHasher};
@ -749,35 +749,6 @@ impl PropertyMap {
}
}
/// An iterator over the property entries of an `Object`
#[derive(Debug, Clone)]
pub struct Iter<'a> {
indexed_properties: IndexProperties<'a>,
string_properties: indexmap::map::Iter<'a, JsString, PropertyDescriptor>,
symbol_properties: indexmap::map::Iter<'a, JsSymbol, PropertyDescriptor>,
}
impl Iterator for Iter<'_> {
type Item = (PropertyKey, PropertyDescriptor);
fn next(&mut self) -> Option<Self::Item> {
if let Some((key, value)) = self.indexed_properties.next() {
Some((key.into(), value))
} else if let Some((key, value)) = self.string_properties.next() {
Some((key.clone().into(), value.clone()))
} else {
let (key, value) = self.symbol_properties.next()?;
Some((key.clone().into(), value.clone()))
}
}
}
impl ExactSizeIterator for Iter<'_> {
#[inline]
fn len(&self) -> usize {
self.indexed_properties.len() + self.string_properties.len() + self.symbol_properties.len()
}
}
/// An iterator over the indexed property entries of an `Object`.
#[derive(Debug, Clone)]
pub enum IndexProperties<'a> {

6
core/engine/src/tagged.rs

@ -48,7 +48,7 @@ impl<T> Tagged<T> {
/// - `T` must have an alignment of at least 2.
/// - `tag` must fit inside `usize::BITS - 1` bits
pub(crate) const fn from_tag(tag: usize) -> Self {
debug_assert!(std::mem::align_of::<T>() >= 2);
debug_assert!(align_of::<T>() >= 2);
let addr = (tag << 1) | 1;
// SAFETY: `addr` is never zero, since we always set its LSB to 1
unsafe { Self(NonNull::new_unchecked(sptr::invalid_mut(addr))) }
@ -64,7 +64,7 @@ impl<T> Tagged<T> {
///
/// - `T` must be non null.
pub(crate) const unsafe fn from_ptr(ptr: *mut T) -> Self {
debug_assert!(std::mem::align_of::<T>() >= 2);
debug_assert!(align_of::<T>() >= 2);
// SAFETY: the caller must ensure the invariants hold.
unsafe { Self(NonNull::new_unchecked(ptr)) }
}
@ -75,7 +75,7 @@ impl<T> Tagged<T> {
///
/// - `T` must have an alignment of at least 2.
pub(crate) const fn from_non_null(ptr: NonNull<T>) -> Self {
debug_assert!(std::mem::align_of::<T>() >= 2);
debug_assert!(align_of::<T>() >= 2);
Self(ptr)
}

30
core/engine/src/vm/opcode/mod.rs

@ -123,7 +123,7 @@ pub(crate) fn read<T>(bytes: &[u8], offset: usize) -> T
where
T: Readable,
{
assert!(offset + std::mem::size_of::<T>() - 1 < bytes.len());
assert!(offset + size_of::<T>() - 1 < bytes.len());
// Safety: We checked that it is not an out-of-bounds read,
// so this is safe.
@ -211,7 +211,7 @@ impl BytecodeConversion for GeneratorResumeKind {
}
fn from_bytecode(bytes: &[u8], pc: &mut usize, _varying_kind: VaryingOperandKind) -> Self {
let value = read::<u8>(bytes, *pc);
*pc += std::mem::size_of::<Self>();
*pc += size_of::<Self>();
JsValue::from(value).to_generator_resume_kind()
}
}
@ -222,7 +222,7 @@ impl BytecodeConversion for bool {
}
fn from_bytecode(bytes: &[u8], pc: &mut usize, _varying_kind: VaryingOperandKind) -> Self {
let value = read::<u8>(bytes, *pc);
*pc += std::mem::size_of::<Self>();
*pc += size_of::<Self>();
value != 0
}
}
@ -233,7 +233,7 @@ impl BytecodeConversion for i8 {
}
fn from_bytecode(bytes: &[u8], pc: &mut usize, _varying_kind: VaryingOperandKind) -> Self {
let value = read::<Self>(bytes, *pc);
*pc += std::mem::size_of::<Self>();
*pc += size_of::<Self>();
value
}
}
@ -244,7 +244,7 @@ impl BytecodeConversion for u8 {
}
fn from_bytecode(bytes: &[u8], pc: &mut usize, _varying_kind: VaryingOperandKind) -> Self {
let value = read::<Self>(bytes, *pc);
*pc += std::mem::size_of::<Self>();
*pc += size_of::<Self>();
value
}
}
@ -255,7 +255,7 @@ impl BytecodeConversion for i16 {
}
fn from_bytecode(bytes: &[u8], pc: &mut usize, _varying_kind: VaryingOperandKind) -> Self {
let value = read::<Self>(bytes, *pc);
*pc += std::mem::size_of::<Self>();
*pc += size_of::<Self>();
value
}
}
@ -266,7 +266,7 @@ impl BytecodeConversion for u16 {
}
fn from_bytecode(bytes: &[u8], pc: &mut usize, _varying_kind: VaryingOperandKind) -> Self {
let value = read::<Self>(bytes, *pc);
*pc += std::mem::size_of::<Self>();
*pc += size_of::<Self>();
value
}
}
@ -277,7 +277,7 @@ impl BytecodeConversion for i32 {
}
fn from_bytecode(bytes: &[u8], pc: &mut usize, _varying_kind: VaryingOperandKind) -> Self {
let value = read::<Self>(bytes, *pc);
*pc += std::mem::size_of::<Self>();
*pc += size_of::<Self>();
value
}
}
@ -288,7 +288,7 @@ impl BytecodeConversion for u32 {
}
fn from_bytecode(bytes: &[u8], pc: &mut usize, _varying_kind: VaryingOperandKind) -> Self {
let value = read::<Self>(bytes, *pc);
*pc += std::mem::size_of::<Self>();
*pc += size_of::<Self>();
value
}
}
@ -299,7 +299,7 @@ impl BytecodeConversion for i64 {
}
fn from_bytecode(bytes: &[u8], pc: &mut usize, _varying_kind: VaryingOperandKind) -> Self {
let value = read::<Self>(bytes, *pc);
*pc += std::mem::size_of::<Self>();
*pc += size_of::<Self>();
value
}
}
@ -310,7 +310,7 @@ impl BytecodeConversion for u64 {
}
fn from_bytecode(bytes: &[u8], pc: &mut usize, _varying_kind: VaryingOperandKind) -> Self {
let value = read::<Self>(bytes, *pc);
*pc += std::mem::size_of::<Self>();
*pc += size_of::<Self>();
value
}
}
@ -321,7 +321,7 @@ impl BytecodeConversion for f32 {
}
fn from_bytecode(bytes: &[u8], pc: &mut usize, _varying_kind: VaryingOperandKind) -> Self {
let value = read::<Self>(bytes, *pc);
*pc += std::mem::size_of::<Self>();
*pc += size_of::<Self>();
value
}
}
@ -332,7 +332,7 @@ impl BytecodeConversion for f64 {
}
fn from_bytecode(bytes: &[u8], pc: &mut usize, _varying_kind: VaryingOperandKind) -> Self {
let value = read::<Self>(bytes, *pc);
*pc += std::mem::size_of::<Self>();
*pc += size_of::<Self>();
value
}
}
@ -346,11 +346,11 @@ impl BytecodeConversion for ThinVec<u32> {
}
fn from_bytecode(bytes: &[u8], pc: &mut usize, _varying_kind: VaryingOperandKind) -> Self {
let count = read::<u32>(bytes, *pc);
*pc += std::mem::size_of::<u32>();
*pc += size_of::<u32>();
let mut result = Self::with_capacity(count as usize);
for _ in 0..count {
let item = read::<u32>(bytes, *pc);
*pc += std::mem::size_of::<u32>();
*pc += size_of::<u32>();
result.push(item);
}
result

2
core/gc/src/internals/vtable.rs

@ -48,7 +48,7 @@ pub(crate) const fn vtable_of<T: Trace + 'static>() -> &'static VTable {
trace_non_roots_fn: T::trace_non_roots_fn,
run_finalizer_fn: T::run_finalizer_fn,
drop_fn: T::drop_fn,
size: std::mem::size_of::<GcBox<T>>(),
size: size_of::<GcBox<T>>(),
};
}

6
core/gc/src/lib.rs

@ -131,7 +131,7 @@ impl Allocator {
/// Allocate a new garbage collected value to the Garbage Collector's heap.
fn alloc_gc<T: Trace>(value: GcBox<T>) -> NonNull<GcBox<T>> {
let _timer = Profiler::global().start_event("New GcBox", "BoaAlloc");
let element_size = mem::size_of_val::<GcBox<T>>(&value);
let element_size = size_of_val::<GcBox<T>>(&value);
BOA_GC.with(|st| {
let mut gc = st.borrow_mut();
@ -151,7 +151,7 @@ impl Allocator {
value: EphemeronBox<K, V>,
) -> NonNull<EphemeronBox<K, V>> {
let _timer = Profiler::global().start_event("New EphemeronBox", "BoaAlloc");
let element_size = mem::size_of_val::<EphemeronBox<K, V>>(&value);
let element_size = size_of_val::<EphemeronBox<K, V>>(&value);
BOA_GC.with(|st| {
let mut gc = st.borrow_mut();
@ -526,7 +526,7 @@ impl Collector {
// SAFETY: The algorithm ensures only unmarked/unreachable pointers are dropped.
// The caller must ensure all pointers were allocated by `Box::into_raw(Box::new(..))`.
let unmarked_eph = unsafe { Box::from_raw(eph.as_ptr()) };
let unallocated_bytes = mem::size_of_val(&*unmarked_eph);
let unallocated_bytes = size_of_val(&*unmarked_eph);
*total_allocated -= unallocated_bytes;
false

2
core/gc/src/test/allocation.rs

@ -43,7 +43,7 @@ fn gc_recursion() {
next: Option<Gc<S>>,
}
const SIZE: usize = std::mem::size_of::<GcBox<S>>();
const SIZE: usize = size_of::<GcBox<S>>();
const COUNT: usize = 1_000_000;
let mut root = Gc::new(S { i: 0, next: None });

4
core/gc/src/test/weak.rs

@ -154,7 +154,7 @@ fn eph_self_referential() {
inner: GcRefCell::new(None),
}),
};
let root_size = std::mem::size_of::<GcBox<InnerCell>>();
let root_size = size_of::<GcBox<InnerCell>>();
Harness::assert_exact_bytes_allocated(root_size);
@ -183,7 +183,7 @@ fn eph_self_referential_chain() {
}
run_test(|| {
let root = Gc::new(GcRefCell::new(None));
let root_size = std::mem::size_of::<GcBox<GcRefCell<Option<Ephemeron<u8, TestCell>>>>>();
let root_size = size_of::<GcBox<GcRefCell<Option<Ephemeron<u8, TestCell>>>>>();
Harness::assert_exact_bytes_allocated(root_size);

1
core/parser/src/lexer/template.rs

@ -9,7 +9,6 @@ use boa_interner::{Interner, Sym};
use boa_profiler::Profiler;
use std::io::{self, ErrorKind};
#[cfg_attr(feature = "deser", derive(serde::Serialize, serde::Deserialize))]
#[derive(Debug, Clone, Copy, PartialEq, Eq)]
pub struct TemplateString {
/// The raw template string.

5
core/parser/src/lexer/token.rs

@ -17,7 +17,6 @@ use num_bigint::BigInt;
/// - [ECMAScript reference][spec]
///
/// [spec]: https://tc39.es/ecma262/#sec-tokens
#[cfg_attr(feature = "deser", derive(serde::Serialize, serde::Deserialize))]
#[derive(Debug, Clone, PartialEq)]
pub struct Token {
/// The token kind, which contains the actual data of the token.
@ -56,7 +55,6 @@ impl Token {
}
/// Represents the type different types of numeric literals.
#[cfg_attr(feature = "deser", derive(serde::Serialize, serde::Deserialize))]
#[derive(Clone, PartialEq, Debug)]
pub enum Numeric {
/// A floating point number.
@ -91,7 +89,6 @@ impl From<BigInt> for Numeric {
}
/// Represents the type of Token and the data it has inside.
#[cfg_attr(feature = "deser", derive(serde::Serialize, serde::Deserialize))]
#[derive(Clone, PartialEq, Debug)]
pub enum TokenKind {
/// A boolean literal, which is either `true` or `false`.
@ -290,7 +287,6 @@ impl TokenKind {
bitflags! {
/// Indicates the set of escape sequences a string contains.
#[cfg_attr(feature = "deser", derive(serde::Serialize, serde::Deserialize))]
#[derive(Clone, Copy, Debug, PartialEq, Eq)]
pub struct EscapeSequence: u8 {
/// A legacy escape sequence starting with `0` - `7`.
@ -322,6 +318,5 @@ bitflags! {
}
/// Indicates if an identifier contains an escape sequence.
#[cfg_attr(feature = "deser", derive(serde::Serialize, serde::Deserialize))]
#[derive(Clone, Copy, Debug, PartialEq, Eq)]
pub struct ContainsEscapeSequence(pub bool);

2
core/string/src/lib.rs

@ -183,7 +183,7 @@ impl RawJsString {
}
}
const DATA_OFFSET: usize = std::mem::size_of::<RawJsString>();
const DATA_OFFSET: usize = size_of::<RawJsString>();
/// A Latin1 or UTF-16–encoded, reference counted, immutable string.
///

6
core/string/src/tagged.rs

@ -47,7 +47,7 @@ impl<T> Tagged<T> {
/// - `T` must have an alignment of at least 2.
/// - `tag` must fit inside `usize::BITS - 1` bits
pub(crate) const fn from_tag(tag: usize) -> Self {
debug_assert!(std::mem::align_of::<T>() >= 2);
debug_assert!(align_of::<T>() >= 2);
let addr = (tag << 1) | 1;
// SAFETY: `addr` is never zero, since we always set its LSB to 1
unsafe { Self(NonNull::new_unchecked(sptr::invalid_mut(addr))) }
@ -63,7 +63,7 @@ impl<T> Tagged<T> {
///
/// - `T` must be non null.
pub(crate) const unsafe fn from_ptr(ptr: *mut T) -> Self {
debug_assert!(std::mem::align_of::<T>() >= 2);
debug_assert!(align_of::<T>() >= 2);
// SAFETY: the caller must ensure the invariants hold.
unsafe { Self(NonNull::new_unchecked(ptr)) }
}
@ -74,7 +74,7 @@ impl<T> Tagged<T> {
///
/// - `T` must have an alignment of at least 2.
pub(crate) const fn from_non_null(ptr: NonNull<T>) -> Self {
debug_assert!(std::mem::align_of::<T>() >= 2);
debug_assert!(align_of::<T>() >= 2);
Self(ptr)
}

7
examples/src/bin/commuter_visitor.rs

@ -46,9 +46,7 @@ impl<'ast> VisitorMut<'ast> for CommutorVisitor {
type BreakTy = Infallible;
fn visit_binary_mut(&mut self, node: &'ast mut Binary) -> ControlFlow<Self::BreakTy> {
if let BinaryOp::Arithmetic(op) = node.op() {
match op {
ArithmeticOp::Add | ArithmeticOp::Mul => {
if let BinaryOp::Arithmetic(ArithmeticOp::Add | ArithmeticOp::Mul) = node.op() {
// set up the exchanger and swap lhs and rhs
let mut exchanger = OpExchanger::default();
assert!(matches!(
@ -56,9 +54,6 @@ impl<'ast> VisitorMut<'ast> for CommutorVisitor {
ControlFlow::Break(())
));
}
_ => {}
}
}
// traverse further in; there may nested binary operations
node.visit_with_mut(self)
}

Loading…
Cancel
Save