use crate::rustbus_core;
use rustbus_core::signature::{Base, Type};
use rustbus_core::wire::marshal::traits::{Marshal, Signature, SignatureBuffer};
use rustbus_core::wire::marshal::MarshalContext;
use rustbus_core::wire::unmarshal::traits::Unmarshal;
use rustbus_core::wire::unmarshal::Error as UnmarshalError;
use rustbus_core::wire::unmarshal::{UnmarshalContext, UnmarshalResult};
use std::borrow::{Borrow, ToOwned};
use std::cmp::Ordering;
use std::convert::TryFrom;
use std::ffi::{OsStr, OsString};
use std::fmt::{Display, Formatter};
use std::hash::{Hash, Hasher};
use std::ops::Deref;
use std::os::unix::ffi::{OsStrExt, OsStringExt};
use std::path::{Component, Path, PathBuf, StripPrefixError};
use std::str::FromStr;
#[derive(Debug)]
pub enum InvalidObjectPath {
NoRoot,
ContainsInvalidCharacters,
ConsecutiveSlashes,
TrailingSlash,
}
#[derive(PartialEq, Eq, Hash, PartialOrd, Ord, Debug)]
pub struct ObjectPath {
inner: Path,
}
impl ObjectPath {
fn validate_skip_root(path_str: &str) -> Result<(), InvalidObjectPath> {
let mut last_was_sep = false;
for character in path_str.chars() {
match character {
'A'..='Z' | 'a'..='z' | '0'..='9' | '_' => {
last_was_sep = false;
}
'/' => {
if last_was_sep {
return Err(InvalidObjectPath::ConsecutiveSlashes);
} else {
last_was_sep = true;
}
}
_ => return Err(InvalidObjectPath::ContainsInvalidCharacters),
}
}
if path_str.len() != 1 && path_str.ends_with('/') {
return Err(InvalidObjectPath::TrailingSlash);
}
Ok(())
}
fn validate_str(path_str: &str) -> Result<(), InvalidObjectPath> {
if !path_str.starts_with('/') {
return Err(InvalidObjectPath::NoRoot);
}
Self::validate_skip_root(path_str)
}
fn validate<P: AsRef<Path>>(path: P) -> Result<(), InvalidObjectPath> {
let path = path.as_ref();
if !path.has_root() {
return Err(InvalidObjectPath::NoRoot);
}
let path_str = path
.to_str()
.ok_or(InvalidObjectPath::ContainsInvalidCharacters)?;
Self::validate_skip_root(path_str)
}
fn debug_assert_validitity(&self) {
#[cfg(debug_assertions)]
Self::validate(self).expect("Failed to validate the object path!");
}
#[inline]
pub fn from_path<P: AsRef<Path> + ?Sized>(p: &P) -> Result<&ObjectPath, InvalidObjectPath> {
let path = p.as_ref();
let ret = unsafe {
Self::validate(path)?;
Self::new_no_val(path)
};
Ok(ret)
}
#[inline]
#[allow(clippy::should_implement_trait)]
pub fn from_str(s: &str) -> Result<&ObjectPath, InvalidObjectPath> {
ObjectPath::validate_str(s)?;
unsafe { Ok(ObjectPath::new_no_val(s.as_ref())) }
}
unsafe fn new_no_val(p: &Path) -> &ObjectPath {
&*(p as *const Path as *const ObjectPath)
}
#[inline]
pub fn as_bytes(&self) -> &[u8] {
self.inner.as_os_str().as_bytes()
}
#[inline]
pub fn as_str(&self) -> &str {
self.debug_assert_validitity();
let bytes = self.as_bytes();
unsafe { std::str::from_utf8_unchecked(bytes) }
}
pub fn strip_prefix<P: AsRef<Path> + ?Sized>(
&self,
p: &P,
) -> Result<&ObjectPath, StripPrefixError> {
let stripped = self.inner.strip_prefix(p.as_ref())?;
if stripped == Path::new("") {
Ok(unsafe { ObjectPath::new_no_val("/".as_ref()) })
} else {
let self_bytes = self.as_bytes();
let self_len = self_bytes.len();
let stripped_len = stripped.as_os_str().len();
let ret_bytes = &self_bytes[self_len - 1 - stripped_len..];
let ret = OsStr::from_bytes(ret_bytes);
let ret = unsafe { ObjectPath::new_no_val(ret.as_ref()) };
ret.debug_assert_validitity();
Ok(ret)
}
}
pub fn parent(&self) -> Option<&ObjectPath> {
let pp = self.inner.parent()?;
let ret = unsafe { Self::new_no_val(pp) };
ret.debug_assert_validitity();
Some(ret)
}
#[inline]
pub fn file_name(&self) -> Option<&str> {
self.debug_assert_validitity();
let bytes = self.inner.file_name()?.as_bytes();
unsafe { Some(std::str::from_utf8_unchecked(bytes)) }
}
#[inline]
pub fn root_path() -> &'static Self {
unsafe { ObjectPath::new_no_val("/".as_ref()) }
}
pub fn components(&self) -> impl Iterator<Item = &str> {
self.debug_assert_validitity();
self.inner.components().skip(1).map(|c| match c {
Component::Normal(os) => unsafe { std::str::from_utf8_unchecked(os.as_bytes()) },
_ => unreachable!("All the components of a ObjectPath are normal!"),
})
}
pub fn to_object_path_buf(&self) -> ObjectPathBuf {
ObjectPathBuf::from(self)
}
}
impl Display for ObjectPath {
fn fmt(&self, f: &mut Formatter<'_>) -> std::fmt::Result {
write!(f, "{}", self.as_str())
}
}
impl Display for ObjectPathBuf {
fn fmt(&self, f: &mut Formatter<'_>) -> std::fmt::Result {
self.deref().fmt(f)
}
}
impl Marshal for &ObjectPath {
fn marshal(&self, ctx: &mut MarshalContext) -> Result<(), rustbus_core::Error> {
self.as_str().marshal(ctx)
}
}
impl Marshal for ObjectPathBuf {
fn marshal(&self, ctx: &mut MarshalContext) -> Result<(), rustbus_core::Error> {
self.deref().marshal(ctx)
}
}
impl Deref for ObjectPath {
type Target = std::path::Path;
#[inline]
fn deref(&self) -> &Self::Target {
&self.inner
}
}
impl ToOwned for ObjectPath {
type Owned = ObjectPathBuf;
#[inline]
fn to_owned(&self) -> Self::Owned {
self.to_object_path_buf()
}
}
impl Borrow<Path> for ObjectPath {
#[inline]
fn borrow(&self) -> &Path {
self.deref()
}
}
impl AsRef<Path> for ObjectPath {
#[inline]
fn as_ref(&self) -> &Path {
self.deref()
}
}
impl AsRef<ObjectPath> for ObjectPath {
#[inline]
fn as_ref(&self) -> &ObjectPath {
self
}
}
impl AsRef<str> for ObjectPath {
#[inline]
fn as_ref(&self) -> &str {
self.as_str()
}
}
impl AsRef<OsStr> for ObjectPath {
#[inline]
fn as_ref(&self) -> &OsStr {
self.inner.as_ref()
}
}
impl<'a> From<&'a ObjectPath> for &'a str {
#[inline]
fn from(path: &'a ObjectPath) -> Self {
path.as_str()
}
}
impl<'a> TryFrom<&'a str> for &'a ObjectPath {
type Error = InvalidObjectPath;
#[inline]
fn try_from(s: &'a str) -> Result<Self, Self::Error> {
ObjectPath::from_str(s)
}
}
impl<'a> TryFrom<&'a Path> for &'a ObjectPath {
type Error = InvalidObjectPath;
#[inline]
fn try_from(p: &'a Path) -> Result<Self, Self::Error> {
ObjectPath::from_path(p)
}
}
impl Signature for &ObjectPath {
#[inline]
fn signature() -> Type {
Type::Base(Base::ObjectPath)
}
#[inline]
fn alignment() -> usize {
Self::signature().get_alignment()
}
#[inline]
fn sig_str(s_buf: &mut SignatureBuffer) {
s_buf.push_static("o");
}
}
impl<'buf, 'fds> Unmarshal<'buf, 'fds> for &'buf ObjectPath {
fn unmarshal(ctx: &mut UnmarshalContext<'fds, 'buf>) -> UnmarshalResult<Self> {
let (bytes, val) = <&str>::unmarshal(ctx)?;
let path = ObjectPath::from_str(val).map_err(|_| UnmarshalError::InvalidType)?;
Ok((bytes, path))
}
}
impl Signature for ObjectPathBuf {
#[inline]
fn signature() -> Type {
<&ObjectPath>::signature()
}
#[inline]
fn alignment() -> usize {
<&ObjectPath>::alignment()
}
#[inline]
fn sig_str(s_buf: &mut SignatureBuffer) {
<&ObjectPath>::sig_str(s_buf);
}
}
impl<'buf, 'fds> Unmarshal<'buf, 'fds> for ObjectPathBuf {
fn unmarshal(ctx: &mut UnmarshalContext<'fds, 'buf>) -> UnmarshalResult<Self> {
<&ObjectPath>::unmarshal(ctx).map(|(size, op)| (size, op.to_owned()))
}
}
#[derive(Eq, Clone, Debug, Default)]
pub struct ObjectPathBuf {
inner: Option<PathBuf>,
}
impl Hash for ObjectPathBuf {
fn hash<H: Hasher>(&self, state: &mut H) {
self.deref().hash(state);
}
}
impl PartialEq<ObjectPathBuf> for ObjectPathBuf {
fn eq(&self, other: &ObjectPathBuf) -> bool {
self.deref().eq(other.deref())
}
}
impl PartialOrd<ObjectPathBuf> for ObjectPathBuf {
fn partial_cmp(&self, other: &ObjectPathBuf) -> Option<Ordering> {
self.deref().partial_cmp(other)
}
}
impl Ord for ObjectPathBuf {
fn cmp(&self, other: &Self) -> Ordering {
self.deref().cmp(other)
}
}
impl ObjectPathBuf {
#[inline]
pub fn new() -> ObjectPathBuf {
ObjectPathBuf { inner: None }
}
pub fn with_capacity(capacity: usize) -> ObjectPathBuf {
let inner = if capacity == 0 {
None
} else {
let mut pb = PathBuf::with_capacity(capacity);
pb.push("/");
Some(pb)
};
ObjectPathBuf { inner }
}
#[inline]
pub fn as_object_path(&self) -> &ObjectPath {
self.deref()
}
unsafe fn from_path_buf(pb: PathBuf) -> Self {
Self { inner: Some(pb) }
}
#[inline]
pub fn clear(&mut self) {
if let Some(buf) = &mut self.inner {
buf.clear();
}
}
#[inline]
pub fn push(&mut self, path: &ObjectPath) {
let path = Path::strip_prefix(path, "/").expect("All object paths start with '/'");
unsafe {
self.push_path_unchecked(path);
}
}
unsafe fn push_path_unchecked(&mut self, path: &Path) {
let len = path.as_os_str().len();
if len == 0 {
return;
}
self.reserve(len + 1);
let inner = self
.inner
.as_mut()
.expect("The reserve call cause a PathBuf to allows be allocated.");
inner.push(path);
self.debug_assert_validitity();
}
#[inline]
pub fn push_path<P: AsRef<Path>>(&mut self, path: P) {
self.push_path_checked(path)
.expect("Invalid path was passed!");
}
pub fn push_path_checked<P: AsRef<Path>>(&mut self, path: P) -> Result<(), InvalidObjectPath> {
let path = path.as_ref();
let path = path.strip_prefix("/").unwrap_or(path);
let path_str = path
.to_str()
.ok_or(InvalidObjectPath::ContainsInvalidCharacters)?;
ObjectPath::validate_skip_root(path_str)?;
unsafe {
self.push_path_unchecked(path);
};
Ok(())
}
#[inline]
pub fn pop(&mut self) -> bool {
self.inner.as_mut().map_or(false, PathBuf::pop)
}
pub fn reserve(&mut self, additional: usize) {
if additional == 0 {
return;
}
match &mut self.inner {
Some(buf) => buf.reserve(additional),
None => *self = Self::with_capacity(additional + 1),
}
}
pub fn reserve_exact(&mut self, additional: usize) {
if additional == 0 {
return;
}
match &mut self.inner {
Some(buf) => buf.reserve_exact(additional),
None => {
let mut buf = PathBuf::new();
buf.reserve_exact(additional + 1);
self.inner = Some(buf);
}
}
}
#[inline]
pub fn capacity(&self) -> usize {
self.inner.as_ref().map_or(0, PathBuf::capacity)
}
}
impl TryFrom<OsString> for ObjectPathBuf {
type Error = InvalidObjectPath;
fn try_from(value: OsString) -> Result<Self, Self::Error> {
ObjectPath::validate(&value)?;
Ok(unsafe { ObjectPathBuf::from_path_buf(value.into()) })
}
}
impl TryFrom<String> for ObjectPathBuf {
type Error = InvalidObjectPath;
#[inline]
fn try_from(value: String) -> Result<Self, Self::Error> {
Self::try_from(OsString::from(value))
}
}
impl TryFrom<PathBuf> for ObjectPathBuf {
type Error = InvalidObjectPath;
#[inline]
fn try_from(value: PathBuf) -> Result<Self, Self::Error> {
ObjectPath::validate(&value)?;
Ok(unsafe { ObjectPathBuf::from_path_buf(value) })
}
}
impl TryFrom<&str> for ObjectPathBuf {
type Error = InvalidObjectPath;
#[inline]
fn try_from(value: &str) -> Result<Self, Self::Error> {
ObjectPathBuf::from_str(value)
}
}
impl TryFrom<&OsStr> for ObjectPathBuf {
type Error = InvalidObjectPath;
#[inline]
fn try_from(value: &OsStr) -> Result<Self, Self::Error> {
ObjectPath::from_path(value).map(ToOwned::to_owned)
}
}
impl TryFrom<&Path> for ObjectPathBuf {
type Error = InvalidObjectPath;
#[inline]
fn try_from(value: &Path) -> Result<Self, Self::Error> {
ObjectPath::from_path(value).map(ToOwned::to_owned)
}
}
impl Deref for ObjectPathBuf {
type Target = ObjectPath;
fn deref(&self) -> &Self::Target {
match &self.inner {
Some(buf) => unsafe { ObjectPath::new_no_val(&buf) },
None => ObjectPath::root_path(),
}
}
}
impl Borrow<ObjectPath> for ObjectPathBuf {
#[inline]
fn borrow(&self) -> &ObjectPath {
self.deref()
}
}
impl AsRef<ObjectPath> for ObjectPathBuf {
#[inline]
fn as_ref(&self) -> &ObjectPath {
self.deref()
}
}
impl AsRef<str> for ObjectPathBuf {
#[inline]
fn as_ref(&self) -> &str {
self.deref().as_ref()
}
}
impl AsRef<Path> for ObjectPathBuf {
#[inline]
fn as_ref(&self) -> &Path {
self.deref().as_ref()
}
}
impl FromStr for ObjectPathBuf {
type Err = InvalidObjectPath;
#[inline]
fn from_str(s: &str) -> Result<Self, Self::Err> {
ObjectPath::from_str(s).map(ToOwned::to_owned)
}
}
impl From<ObjectPathBuf> for PathBuf {
#[inline]
fn from(buf: ObjectPathBuf) -> Self {
match buf.inner {
Some(buf) => buf,
None => PathBuf::from("/"),
}
}
}
impl From<ObjectPathBuf> for String {
fn from(path: ObjectPathBuf) -> Self {
path.debug_assert_validitity();
let bytes = match path.inner {
Some(buf) => buf.into_os_string().into_vec(),
None => Vec::from(&b"/"[..]),
};
unsafe { std::string::String::from_utf8_unchecked(bytes) }
}
}
impl From<&ObjectPath> for ObjectPathBuf {
fn from(path: &ObjectPath) -> Self {
let ret = if path == ObjectPath::root_path() {
ObjectPathBuf::new()
} else {
unsafe { ObjectPathBuf::from_path_buf(path.into()) }
};
ret.debug_assert_validitity();
ret
}
}
impl PartialEq<ObjectPath> for ObjectPathBuf {
#[inline]
fn eq(&self, other: &ObjectPath) -> bool {
self.deref().eq(other)
}
}
#[cfg(test)]
mod tests {
use super::{ObjectPath, ObjectPathBuf};
use std::borrow::Borrow;
use std::collections::hash_map::DefaultHasher;
use std::hash::{Hash, Hasher};
use std::path::Path;
fn test_objpaths() -> Vec<&'static ObjectPath> {
vec![
ObjectPath::from_str("/org/freedesktop/NetworkManager").unwrap(),
ObjectPath::from_str("/org/freedesktop/NetworkManager/ActiveConnection").unwrap(),
]
}
fn test_objpathbufs() -> Vec<ObjectPathBuf> {
test_objpaths()
.into_iter()
.map(|op| op.to_owned())
.collect()
}
fn compare_ord_borrow<A, T, U>(pre: &[A]) -> Option<(usize, usize)>
where
T: Ord + Borrow<U> + ?Sized,
U: Ord + ?Sized,
A: Borrow<T>,
{
let pre_iter = pre.iter().map(|p| p.borrow());
for (i, pre_i) in pre_iter.clone().enumerate() {
for (j, pre_j) in pre_iter.clone().enumerate().skip(i) {
let pre_ord = pre_i.cmp(pre_j);
let post_i = pre_i.borrow();
let post_j = pre_j.borrow();
let post_ord = post_i.cmp(post_j);
if pre_ord != post_ord {
return Some((i, j));
}
}
}
None
}
fn compare_hasher_borrow<A, T, U>(pre: &[A]) -> Option<usize>
where
T: Hash + Borrow<U> + ?Sized,
U: Hash + ?Sized,
A: Borrow<T>,
{
let pre_iter = pre.iter().map(|p| p.borrow());
for (i, (pre, post)) in pre_iter
.clone()
.zip(pre_iter.map(|p| p.borrow()))
.enumerate()
{
let mut pre_borrow_hasher = DefaultHasher::new();
let mut post_borrow_hasher = DefaultHasher::new();
pre.hash(&mut pre_borrow_hasher);
post.hash(&mut post_borrow_hasher);
if pre_borrow_hasher.finish() != post_borrow_hasher.finish() {
return Some(i);
}
}
None
}
#[test]
fn test_objectpathbuf_borrow_objectpath() {
let objpathbufs = test_objpathbufs();
if let Some(i) =
compare_hasher_borrow::<ObjectPathBuf, ObjectPathBuf, ObjectPath>(&objpathbufs[..])
{
panic!("Hash didn't match: {}", i);
}
if let Some((i, j)) =
compare_ord_borrow::<ObjectPathBuf, ObjectPathBuf, ObjectPath>(&objpathbufs[..])
{
panic!("Ord didn't match for: {} {}", i, j);
}
}
#[test]
fn test_objectpath_borrow_path() {
let objpaths = test_objpaths();
if let Some(i) = compare_hasher_borrow::<&ObjectPath, ObjectPath, Path>(&objpaths[..]) {
panic!("Hash didn't match: {}", i);
}
if let Some((i, j)) = compare_ord_borrow::<&ObjectPath, ObjectPath, Path>(&objpaths[..]) {
panic!("Ord didn't match for: {} {}", i, j);
}
}
#[test]
fn test_push() {
let objpath = ObjectPath::from_str("/dbus/test").unwrap();
let objpath2 = ObjectPath::from_str("/freedesktop/more").unwrap();
let mut objpathbuf = ObjectPathBuf::new();
objpathbuf.push(objpath);
assert_eq!(objpathbuf, *objpath);
objpathbuf.push(objpath2);
assert_eq!(
&objpathbuf,
ObjectPath::from_str("/dbus/test/freedesktop/more").unwrap()
);
assert!(objpathbuf.starts_with(objpath));
assert!(!objpathbuf.starts_with(objpath2));
assert_eq!(objpathbuf.strip_prefix(objpath).unwrap(), objpath2);
}
}