mod attribute;
use crate::{js_string, object::shape::slot::SlotAttributes, JsString, JsSymbol, JsValue};
use boa_gc::{Finalize, Trace};
use std::{fmt, iter::FusedIterator};
pub use attribute::Attribute;
#[derive(Default, Debug, Clone, Trace, Finalize)]
pub struct PropertyDescriptor {
enumerable: Option<bool>,
configurable: Option<bool>,
kind: DescriptorKind,
}
#[derive(Debug, Clone, Trace, Finalize)]
pub enum DescriptorKind {
Data {
value: Option<JsValue>,
writable: Option<bool>,
},
Accessor {
get: Option<JsValue>,
set: Option<JsValue>,
},
Generic,
}
impl Default for DescriptorKind {
fn default() -> Self {
Self::Generic
}
}
impl PropertyDescriptor {
#[inline]
pub const fn is_accessor_descriptor(&self) -> bool {
matches!(self.kind, DescriptorKind::Accessor { .. })
}
#[inline]
pub const fn is_data_descriptor(&self) -> bool {
matches!(self.kind, DescriptorKind::Data { .. })
}
#[inline]
pub const fn is_generic_descriptor(&self) -> bool {
matches!(self.kind, DescriptorKind::Generic)
}
#[inline]
pub const fn is_empty(&self) -> bool {
self.is_generic_descriptor() && self.enumerable.is_none() && self.configurable.is_none()
}
#[inline]
pub const fn enumerable(&self) -> Option<bool> {
self.enumerable
}
#[inline]
pub const fn configurable(&self) -> Option<bool> {
self.configurable
}
#[inline]
pub const fn writable(&self) -> Option<bool> {
match self.kind {
DescriptorKind::Data { writable, .. } => writable,
_ => None,
}
}
#[inline]
pub const fn value(&self) -> Option<&JsValue> {
match &self.kind {
DescriptorKind::Data { value, .. } => value.as_ref(),
_ => None,
}
}
#[inline]
pub const fn get(&self) -> Option<&JsValue> {
match &self.kind {
DescriptorKind::Accessor { get, .. } => get.as_ref(),
_ => None,
}
}
#[inline]
pub const fn set(&self) -> Option<&JsValue> {
match &self.kind {
DescriptorKind::Accessor { set, .. } => set.as_ref(),
_ => None,
}
}
#[inline]
pub fn expect_enumerable(&self) -> bool {
self.enumerable
.expect("[[enumerable]] field not in property descriptor")
}
#[inline]
pub fn expect_configurable(&self) -> bool {
self.configurable
.expect("[[configurable]] field not in property descriptor")
}
#[inline]
pub fn expect_writable(&self) -> bool {
self.writable()
.expect("[[writable]] field not in property descriptor")
}
#[inline]
pub fn expect_value(&self) -> &JsValue {
self.value()
.expect("[[value]] field not in property descriptor")
}
#[inline]
pub fn expect_get(&self) -> &JsValue {
self.get()
.expect("[[get]] field not in property descriptor")
}
#[inline]
pub fn expect_set(&self) -> &JsValue {
self.set()
.expect("[[set]] field not in property descriptor")
}
#[inline]
pub const fn kind(&self) -> &DescriptorKind {
&self.kind
}
#[inline]
#[must_use]
pub fn builder() -> PropertyDescriptorBuilder {
PropertyDescriptorBuilder::new()
}
#[inline]
#[must_use]
pub fn into_accessor_defaulted(mut self) -> Self {
self.kind = DescriptorKind::Accessor {
get: self.get().cloned(),
set: self.set().cloned(),
};
PropertyDescriptorBuilder { inner: self }
.complete_with_defaults()
.build()
}
#[must_use]
pub fn into_data_defaulted(mut self) -> Self {
self.kind = DescriptorKind::Data {
value: self.value().cloned(),
writable: self.writable(),
};
PropertyDescriptorBuilder { inner: self }
.complete_with_defaults()
.build()
}
#[inline]
#[must_use]
pub fn complete_property_descriptor(self) -> Self {
PropertyDescriptorBuilder { inner: self }
.complete_with_defaults()
.build()
}
#[inline]
pub fn fill_with(&mut self, desc: &Self) {
match (&mut self.kind, &desc.kind) {
(
DescriptorKind::Data { value, writable },
DescriptorKind::Data {
value: desc_value,
writable: desc_writable,
},
) => {
if let Some(desc_value) = desc_value {
*value = Some(desc_value.clone());
}
if let Some(desc_writable) = desc_writable {
*writable = Some(*desc_writable);
}
}
(
DescriptorKind::Accessor { get, set },
DescriptorKind::Accessor {
get: desc_get,
set: desc_set,
},
) => {
if let Some(desc_get) = desc_get {
*get = Some(desc_get.clone());
}
if let Some(desc_set) = desc_set {
*set = Some(desc_set.clone());
}
}
(_, DescriptorKind::Generic) => {}
_ => panic!("Tried to fill a descriptor with an incompatible descriptor"),
}
if let Some(enumerable) = desc.enumerable {
self.enumerable = Some(enumerable);
}
if let Some(configurable) = desc.configurable {
self.configurable = Some(configurable);
}
}
pub(crate) fn to_slot_attributes(&self) -> SlotAttributes {
let mut attributes = SlotAttributes::empty();
attributes.set(SlotAttributes::CONFIGURABLE, self.expect_configurable());
attributes.set(SlotAttributes::ENUMERABLE, self.expect_enumerable());
if self.is_data_descriptor() {
attributes.set(SlotAttributes::WRITABLE, self.expect_writable());
} else {
attributes.set(SlotAttributes::GET, self.get().is_some());
attributes.set(SlotAttributes::SET, self.set().is_some());
}
attributes
}
}
#[derive(Default, Debug, Clone)]
pub struct PropertyDescriptorBuilder {
inner: PropertyDescriptor,
}
impl PropertyDescriptorBuilder {
#[must_use]
pub fn new() -> Self {
Self::default()
}
#[must_use]
pub fn value<V: Into<JsValue>>(mut self, value: V) -> Self {
match self.inner.kind {
DescriptorKind::Data {
value: ref mut v, ..
} => *v = Some(value.into()),
_ => {
self.inner.kind = DescriptorKind::Data {
value: Some(value.into()),
writable: None,
}
}
}
self
}
#[must_use]
pub fn writable(mut self, writable: bool) -> Self {
match self.inner.kind {
DescriptorKind::Data {
writable: ref mut w,
..
} => *w = Some(writable),
_ => {
self.inner.kind = DescriptorKind::Data {
value: None,
writable: Some(writable),
}
}
}
self
}
#[must_use]
pub fn get<V: Into<JsValue>>(mut self, get: V) -> Self {
match self.inner.kind {
DescriptorKind::Accessor { get: ref mut g, .. } => *g = Some(get.into()),
_ => {
self.inner.kind = DescriptorKind::Accessor {
get: Some(get.into()),
set: None,
}
}
}
self
}
#[must_use]
pub fn set<V: Into<JsValue>>(mut self, set: V) -> Self {
match self.inner.kind {
DescriptorKind::Accessor { set: ref mut s, .. } => *s = Some(set.into()),
_ => {
self.inner.kind = DescriptorKind::Accessor {
set: Some(set.into()),
get: None,
}
}
}
self
}
#[must_use]
pub const fn maybe_enumerable(mut self, enumerable: Option<bool>) -> Self {
if let Some(enumerable) = enumerable {
self = self.enumerable(enumerable);
}
self
}
#[must_use]
pub const fn maybe_configurable(mut self, configurable: Option<bool>) -> Self {
if let Some(configurable) = configurable {
self = self.configurable(configurable);
}
self
}
#[must_use]
pub fn maybe_value<V: Into<JsValue>>(mut self, value: Option<V>) -> Self {
if let Some(value) = value {
self = self.value(value);
}
self
}
#[must_use]
pub fn maybe_writable(mut self, writable: Option<bool>) -> Self {
if let Some(writable) = writable {
self = self.writable(writable);
}
self
}
#[must_use]
pub fn maybe_get<V: Into<JsValue>>(mut self, get: Option<V>) -> Self {
if let Some(get) = get {
self = self.get(get);
}
self
}
#[must_use]
pub fn maybe_set<V: Into<JsValue>>(mut self, set: Option<V>) -> Self {
if let Some(set) = set {
self = self.set(set);
}
self
}
#[must_use]
pub const fn enumerable(mut self, enumerable: bool) -> Self {
self.inner.enumerable = Some(enumerable);
self
}
#[must_use]
pub const fn configurable(mut self, configurable: bool) -> Self {
self.inner.configurable = Some(configurable);
self
}
#[must_use]
pub fn complete_with_defaults(mut self) -> Self {
match self.inner.kind {
DescriptorKind::Generic => {
self.inner.kind = DescriptorKind::Data {
value: Some(JsValue::undefined()),
writable: Some(false),
}
}
DescriptorKind::Data {
ref mut value,
ref mut writable,
} => {
if value.is_none() {
*value = Some(JsValue::undefined());
}
if writable.is_none() {
*writable = Some(false);
}
}
DescriptorKind::Accessor {
ref mut set,
ref mut get,
} => {
if set.is_none() {
*set = Some(JsValue::undefined());
}
if get.is_none() {
*get = Some(JsValue::undefined());
}
}
}
if self.inner.configurable.is_none() {
self.inner.configurable = Some(false);
}
if self.inner.enumerable.is_none() {
self.inner.enumerable = Some(false);
}
self
}
pub const fn inner(&self) -> &PropertyDescriptor {
&self.inner
}
#[allow(clippy::missing_const_for_fn)]
pub fn build(self) -> PropertyDescriptor {
self.inner
}
}
impl From<PropertyDescriptorBuilder> for PropertyDescriptor {
fn from(builder: PropertyDescriptorBuilder) -> Self {
builder.build()
}
}
#[derive(Finalize, PartialEq, Debug, Clone, Eq, Hash)]
pub enum PropertyKey {
String(JsString),
Symbol(JsSymbol),
Index(u32),
}
fn parse_u32_index<I, T>(mut input: I) -> Option<u32>
where
I: Iterator<Item = T> + ExactSizeIterator + FusedIterator,
T: Into<u16>,
{
const MAX_CHAR_COUNT: usize = 10;
const CHAR_ZERO: u16 = b'0' as u16;
const CHAR_NINE: u16 = b'9' as u16;
let len = input.len();
if len > MAX_CHAR_COUNT {
return None;
}
let to_digit = |c: u16| -> Option<u32> {
if matches!(c, CHAR_ZERO..=CHAR_NINE) {
Some(u32::from(c - CHAR_ZERO))
} else {
None
}
};
let byte = input.next()?.into();
if byte == CHAR_ZERO {
if len == 1 {
return Some(0);
}
return None;
}
let mut result = to_digit(byte)?;
if len == MAX_CHAR_COUNT {
for c in input {
result = result.checked_mul(10)?.checked_add(to_digit(c.into())?)?;
}
} else {
for c in input {
result = result * 10 + to_digit(c.into())?;
}
}
Some(result)
}
impl From<&[u16]> for PropertyKey {
#[inline]
fn from(string: &[u16]) -> Self {
debug_assert!(parse_u32_index(
String::from_utf16(string)
.expect("should be ascii string")
.bytes()
)
.is_none());
Self::String(string.into())
}
}
impl From<JsString> for PropertyKey {
#[inline]
fn from(string: JsString) -> Self {
parse_u32_index(string.as_slice().iter().copied()).map_or(Self::String(string), Self::Index)
}
}
impl From<&str> for PropertyKey {
#[inline]
fn from(string: &str) -> Self {
parse_u32_index(string.bytes()).map_or_else(|| Self::String(string.into()), Self::Index)
}
}
impl From<String> for PropertyKey {
#[inline]
fn from(string: String) -> Self {
parse_u32_index(string.bytes()).map_or_else(|| Self::String(string.into()), Self::Index)
}
}
impl From<Box<str>> for PropertyKey {
#[inline]
fn from(string: Box<str>) -> Self {
parse_u32_index(string.bytes())
.map_or_else(|| Self::String(string.as_ref().into()), Self::Index)
}
}
impl From<JsSymbol> for PropertyKey {
#[inline]
fn from(symbol: JsSymbol) -> Self {
Self::Symbol(symbol)
}
}
impl fmt::Display for PropertyKey {
#[inline]
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
match self {
Self::String(ref string) => string.to_std_string_escaped().fmt(f),
Self::Symbol(ref symbol) => symbol.descriptive_string().to_std_string_escaped().fmt(f),
Self::Index(index) => index.fmt(f),
}
}
}
impl From<&PropertyKey> for JsValue {
#[inline]
fn from(property_key: &PropertyKey) -> Self {
match property_key {
PropertyKey::String(ref string) => string.clone().into(),
PropertyKey::Symbol(ref symbol) => symbol.clone().into(),
PropertyKey::Index(index) => {
i32::try_from(*index).map_or_else(|_| Self::new(*index), Self::new)
}
}
}
}
impl From<PropertyKey> for JsValue {
#[inline]
fn from(property_key: PropertyKey) -> Self {
match property_key {
PropertyKey::String(ref string) => string.clone().into(),
PropertyKey::Symbol(ref symbol) => symbol.clone().into(),
PropertyKey::Index(index) => index.to_string().into(),
}
}
}
impl From<u8> for PropertyKey {
fn from(value: u8) -> Self {
Self::Index(value.into())
}
}
impl From<u16> for PropertyKey {
fn from(value: u16) -> Self {
Self::Index(value.into())
}
}
impl From<u32> for PropertyKey {
fn from(value: u32) -> Self {
Self::Index(value)
}
}
impl From<usize> for PropertyKey {
fn from(value: usize) -> Self {
u32::try_from(value)
.map_or_else(|_| Self::String(js_string!(value.to_string())), Self::Index)
}
}
impl From<i64> for PropertyKey {
fn from(value: i64) -> Self {
u32::try_from(value)
.map_or_else(|_| Self::String(js_string!(value.to_string())), Self::Index)
}
}
impl From<u64> for PropertyKey {
fn from(value: u64) -> Self {
u32::try_from(value)
.map_or_else(|_| Self::String(js_string!(value.to_string())), Self::Index)
}
}
impl From<isize> for PropertyKey {
fn from(value: isize) -> Self {
u32::try_from(value)
.map_or_else(|_| Self::String(js_string!(value.to_string())), Self::Index)
}
}
impl From<i32> for PropertyKey {
fn from(value: i32) -> Self {
u32::try_from(value)
.map_or_else(|_| Self::String(js_string!(value.to_string())), Self::Index)
}
}
impl From<f64> for PropertyKey {
fn from(value: f64) -> Self {
use num_traits::cast::FromPrimitive;
if let Some(index) = u32::from_f64(value) {
return Self::Index(index);
}
Self::String(ryu_js::Buffer::new().format(value).into())
}
}
impl PartialEq<[u16]> for PropertyKey {
fn eq(&self, other: &[u16]) -> bool {
match self {
Self::String(ref string) => string == other,
_ => false,
}
}
}
#[derive(Debug, Clone, Copy)]
pub(crate) enum PropertyNameKind {
Key,
Value,
KeyAndValue,
}