use std::{
collections::HashMap,
convert::{TryFrom, TryInto},
ffi::CString,
fmt::Debug,
iter::FromIterator,
ptr::NonNull,
u64,
};
use crate::{
boxed::{ZBox, ZBoxable},
convert::{FromZval, IntoZval},
error::{Error, Result},
ffi::{
_Bucket, _zend_new_array, zend_array_destroy, zend_array_dup, zend_hash_clean,
zend_hash_index_del, zend_hash_index_find, zend_hash_index_update,
zend_hash_next_index_insert, zend_hash_str_del, zend_hash_str_find, zend_hash_str_update,
HT_MIN_SIZE,
},
flags::DataType,
types::Zval,
};
pub type ZendHashTable = crate::ffi::HashTable;
#[allow(clippy::len_without_is_empty)]
impl ZendHashTable {
pub fn new() -> ZBox<Self> {
Self::with_capacity(HT_MIN_SIZE)
}
pub fn with_capacity(size: u32) -> ZBox<Self> {
unsafe {
let ptr = _zend_new_array(size);
ZBox::from_raw(
ptr.as_mut()
.expect("Failed to allocate memory for hashtable"),
)
}
}
pub fn len(&self) -> usize {
self.nNumOfElements as usize
}
pub fn is_empty(&self) -> bool {
self.len() == 0
}
pub fn clear(&mut self) {
unsafe { zend_hash_clean(self) }
}
pub fn get(&self, key: &'_ str) -> Option<&Zval> {
let str = CString::new(key).ok()?;
unsafe { zend_hash_str_find(self, str.as_ptr(), key.len() as _).as_ref() }
}
pub fn get_index(&self, key: u64) -> Option<&Zval> {
unsafe { zend_hash_index_find(self, key).as_ref() }
}
pub fn remove(&mut self, key: &str) -> Option<()> {
let result =
unsafe { zend_hash_str_del(self, CString::new(key).ok()?.as_ptr(), key.len() as _) };
if result < 0 {
None
} else {
Some(())
}
}
pub fn remove_index(&mut self, key: u64) -> Option<()> {
let result = unsafe { zend_hash_index_del(self, key) };
if result < 0 {
None
} else {
Some(())
}
}
pub fn insert<V>(&mut self, key: &str, val: V) -> Result<()>
where
V: IntoZval,
{
let mut val = val.into_zval(false)?;
unsafe { zend_hash_str_update(self, CString::new(key)?.as_ptr(), key.len(), &mut val) };
val.release();
Ok(())
}
pub fn insert_at_index<V>(&mut self, key: u64, val: V) -> Result<()>
where
V: IntoZval,
{
let mut val = val.into_zval(false)?;
unsafe { zend_hash_index_update(self, key, &mut val) };
val.release();
Ok(())
}
pub fn push<V>(&mut self, val: V) -> Result<()>
where
V: IntoZval,
{
let mut val = val.into_zval(false)?;
unsafe { zend_hash_next_index_insert(self, &mut val) };
val.release();
Ok(())
}
pub fn has_numerical_keys(&self) -> bool {
!self.iter().any(|(_, k, _)| k.is_some())
}
pub fn has_sequential_keys(&self) -> bool {
!self
.iter()
.enumerate()
.any(|(i, (k, strk, _))| i as u64 != k || strk.is_some())
}
#[inline]
pub fn iter(&self) -> Iter {
Iter::new(self)
}
#[inline]
pub fn values(&self) -> Values {
Values::new(self)
}
}
unsafe impl ZBoxable for ZendHashTable {
fn free(&mut self) {
unsafe { zend_array_destroy(self) }
}
}
impl Debug for ZendHashTable {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
f.debug_map()
.entries(
self.iter()
.map(|(k, k2, v)| (k2.unwrap_or_else(|| k.to_string()), v)),
)
.finish()
}
}
impl ToOwned for ZendHashTable {
type Owned = ZBox<ZendHashTable>;
fn to_owned(&self) -> Self::Owned {
unsafe {
let ptr = zend_array_dup(self as *const ZendHashTable as *mut ZendHashTable);
ZBox::from_raw(
ptr.as_mut()
.expect("Failed to allocate memory for hashtable"),
)
}
}
}
pub struct Iter<'a> {
ht: &'a ZendHashTable,
pos: Option<NonNull<_Bucket>>,
end: Option<NonNull<_Bucket>>,
}
impl<'a> Iter<'a> {
pub fn new(ht: &'a ZendHashTable) -> Self {
#[cfg(not(php82))]
return Self {
ht,
pos: NonNull::new(ht.arData),
end: NonNull::new(unsafe { ht.arData.offset(ht.nNumUsed as isize) }),
};
#[cfg(php82)]
return Self {
ht,
pos: NonNull::new(unsafe { ht.__bindgen_anon_1.arData }),
end: NonNull::new(unsafe { ht.__bindgen_anon_1.arData.offset(ht.nNumUsed as isize) }),
};
}
}
impl<'a> Iterator for Iter<'a> {
type Item = (u64, Option<String>, &'a Zval);
fn next(&mut self) -> Option<Self::Item> {
let pos = self.pos?;
if pos == self.end? {
return None;
}
let bucket = unsafe { pos.as_ref() };
let key = unsafe { bucket.key.as_ref() }.and_then(|s| s.try_into().ok());
self.pos = NonNull::new(unsafe { pos.as_ptr().offset(1) });
Some((bucket.h, key, &bucket.val))
}
fn count(self) -> usize
where
Self: Sized,
{
self.ht.len()
}
}
impl<'a> ExactSizeIterator for Iter<'a> {
fn len(&self) -> usize {
self.ht.len()
}
}
impl<'a> DoubleEndedIterator for Iter<'a> {
fn next_back(&mut self) -> Option<Self::Item> {
let end = self.end?;
if end == self.pos? {
return None;
}
let new_end = NonNull::new(unsafe { end.as_ptr().offset(-1) })?;
let bucket = unsafe { new_end.as_ref() };
let key = unsafe { bucket.key.as_ref() }.and_then(|s| s.try_into().ok());
self.end = Some(new_end);
Some((bucket.h, key, &bucket.val))
}
}
pub struct Values<'a>(Iter<'a>);
impl<'a> Values<'a> {
pub fn new(ht: &'a ZendHashTable) -> Self {
Self(Iter::new(ht))
}
}
impl<'a> Iterator for Values<'a> {
type Item = &'a Zval;
fn next(&mut self) -> Option<Self::Item> {
self.0.next().map(|(_, _, zval)| zval)
}
fn count(self) -> usize
where
Self: Sized,
{
self.0.count()
}
}
impl<'a> ExactSizeIterator for Values<'a> {
fn len(&self) -> usize {
self.0.len()
}
}
impl<'a> DoubleEndedIterator for Values<'a> {
fn next_back(&mut self) -> Option<Self::Item> {
self.0.next_back().map(|(_, _, zval)| zval)
}
}
impl Default for ZBox<ZendHashTable> {
fn default() -> Self {
ZendHashTable::new()
}
}
impl Clone for ZBox<ZendHashTable> {
fn clone(&self) -> Self {
(**self).to_owned()
}
}
impl IntoZval for ZBox<ZendHashTable> {
const TYPE: DataType = DataType::Array;
fn set_zval(self, zv: &mut Zval, _: bool) -> Result<()> {
zv.set_hashtable(self);
Ok(())
}
}
impl<'a> FromZval<'a> for &'a ZendHashTable {
const TYPE: DataType = DataType::Array;
fn from_zval(zval: &'a Zval) -> Option<Self> {
zval.array()
}
}
impl<'a, V> TryFrom<&'a ZendHashTable> for HashMap<String, V>
where
V: FromZval<'a>,
{
type Error = Error;
fn try_from(value: &'a ZendHashTable) -> Result<Self> {
let mut hm = HashMap::with_capacity(value.len());
for (idx, key, val) in value.iter() {
hm.insert(
key.unwrap_or_else(|| idx.to_string()),
V::from_zval(val).ok_or_else(|| Error::ZvalConversion(val.get_type()))?,
);
}
Ok(hm)
}
}
impl<K, V> TryFrom<HashMap<K, V>> for ZBox<ZendHashTable>
where
K: AsRef<str>,
V: IntoZval,
{
type Error = Error;
fn try_from(value: HashMap<K, V>) -> Result<Self> {
let mut ht = ZendHashTable::with_capacity(
value.len().try_into().map_err(|_| Error::IntegerOverflow)?,
);
for (k, v) in value.into_iter() {
ht.insert(k.as_ref(), v)?;
}
Ok(ht)
}
}
impl<K, V> IntoZval for HashMap<K, V>
where
K: AsRef<str>,
V: IntoZval,
{
const TYPE: DataType = DataType::Array;
fn set_zval(self, zv: &mut Zval, _: bool) -> Result<()> {
let arr = self.try_into()?;
zv.set_hashtable(arr);
Ok(())
}
}
impl<'a, T> FromZval<'a> for HashMap<String, T>
where
T: FromZval<'a>,
{
const TYPE: DataType = DataType::Array;
fn from_zval(zval: &'a Zval) -> Option<Self> {
zval.array().and_then(|arr| arr.try_into().ok())
}
}
impl<'a, T> TryFrom<&'a ZendHashTable> for Vec<T>
where
T: FromZval<'a>,
{
type Error = Error;
fn try_from(value: &'a ZendHashTable) -> Result<Self> {
let mut vec = Vec::with_capacity(value.len());
for (_, _, val) in value.iter() {
vec.push(T::from_zval(val).ok_or_else(|| Error::ZvalConversion(val.get_type()))?);
}
Ok(vec)
}
}
impl<T> TryFrom<Vec<T>> for ZBox<ZendHashTable>
where
T: IntoZval,
{
type Error = Error;
fn try_from(value: Vec<T>) -> Result<Self> {
let mut ht = ZendHashTable::with_capacity(
value.len().try_into().map_err(|_| Error::IntegerOverflow)?,
);
for val in value.into_iter() {
ht.push(val)?;
}
Ok(ht)
}
}
impl<T> IntoZval for Vec<T>
where
T: IntoZval,
{
const TYPE: DataType = DataType::Array;
fn set_zval(self, zv: &mut Zval, _: bool) -> Result<()> {
let arr = self.try_into()?;
zv.set_hashtable(arr);
Ok(())
}
}
impl<'a, T> FromZval<'a> for Vec<T>
where
T: FromZval<'a>,
{
const TYPE: DataType = DataType::Array;
fn from_zval(zval: &'a Zval) -> Option<Self> {
zval.array().and_then(|arr| arr.try_into().ok())
}
}
impl FromIterator<Zval> for ZBox<ZendHashTable> {
fn from_iter<T: IntoIterator<Item = Zval>>(iter: T) -> Self {
let mut ht = ZendHashTable::new();
for item in iter.into_iter() {
let _ = ht.push(item);
}
ht
}
}
impl FromIterator<(u64, Zval)> for ZBox<ZendHashTable> {
fn from_iter<T: IntoIterator<Item = (u64, Zval)>>(iter: T) -> Self {
let mut ht = ZendHashTable::new();
for (key, val) in iter.into_iter() {
let _ = ht.insert_at_index(key, val);
}
ht
}
}
impl<'a> FromIterator<(&'a str, Zval)> for ZBox<ZendHashTable> {
fn from_iter<T: IntoIterator<Item = (&'a str, Zval)>>(iter: T) -> Self {
let mut ht = ZendHashTable::new();
for (key, val) in iter.into_iter() {
let _ = ht.insert(key, val);
}
ht
}
}