rust: qom: add casting functionality

Add traits that let client cast typecast safely between object types.
In particular, an upcast is compile-time guaranteed to succeed, and a
YOLO C-style downcast must be marked as unsafe.

The traits are based on an IsA<> trait that declares what
is a subclass of what, which is an idea taken from glib-rs
(https://docs.rs/glib/latest/glib/object/trait.IsA.html).
The four primitives are also taken from there
(https://docs.rs/glib/latest/glib/object/trait.Cast.html).  However,
the implementation of casting itself is a bit different and uses the
Deref trait.

This removes some pointer arithmetic from the pl011 device; it is also a
prerequisite for the definition of methods, so that they can be invoked
on all subclass structs.  This will use the IsA<> trait to detect the
structs that support the methods.

glib also has a "monadic" casting trait which could be implemented on
Option (as in https://docs.rs/glib/latest/glib/object/trait.CastNone.html)
and perhaps even Result.  For now I'm leaving it out, as the patch is
already big enough and the benefit seems debatable.

Reviewed-by: Zhao Liu <zhao1.liu@intel.com>
Signed-off-by: Paolo Bonzini <pbonzini@redhat.com>
This commit is contained in:
Paolo Bonzini 2024-12-19 14:32:16 +01:00
parent c2f41c1b15
commit f50cd85c84
7 changed files with 366 additions and 13 deletions

View file

@ -38,6 +38,7 @@ should_implement_trait = "deny"
unused_self = "allow" unused_self = "allow"
# default-allow lints # default-allow lints
as_ptr_cast_mut = "deny"
as_underscore = "deny" as_underscore = "deny"
assertions_on_result_states = "deny" assertions_on_result_states = "deny"
bool_to_int_with_if = "deny" bool_to_int_with_if = "deny"

View file

@ -106,6 +106,8 @@ pub struct PL011State {
device_id: DeviceId, device_id: DeviceId,
} }
qom_isa!(PL011State : SysBusDevice, DeviceState, Object);
unsafe impl ObjectType for PL011State { unsafe impl ObjectType for PL011State {
type Class = <SysBusDevice as ObjectType>::Class; type Class = <SysBusDevice as ObjectType>::Class;
const TYPE_NAME: &'static CStr = crate::TYPE_PL011; const TYPE_NAME: &'static CStr = crate::TYPE_PL011;
@ -140,8 +142,6 @@ impl PL011State {
unsafe fn init(&mut self) { unsafe fn init(&mut self) {
const CLK_NAME: &CStr = c_str!("clk"); const CLK_NAME: &CStr = c_str!("clk");
let sbd = unsafe { &mut *(addr_of_mut!(*self).cast::<SysBusDevice>()) };
// SAFETY: // SAFETY:
// //
// self and self.iomem are guaranteed to be valid at this point since callers // self and self.iomem are guaranteed to be valid at this point since callers
@ -155,15 +155,16 @@ impl PL011State {
Self::TYPE_NAME.as_ptr(), Self::TYPE_NAME.as_ptr(),
0x1000, 0x1000,
); );
let sbd: &mut SysBusDevice = self.upcast_mut();
sysbus_init_mmio(sbd, addr_of_mut!(self.iomem)); sysbus_init_mmio(sbd, addr_of_mut!(self.iomem));
} }
for irq in self.interrupts.iter() { for irq in self.interrupts.iter() {
let sbd: &SysBusDevice = self.upcast();
sbd.init_irq(irq); sbd.init_irq(irq);
} }
let dev = addr_of_mut!(*self).cast::<DeviceState>();
// SAFETY: // SAFETY:
// //
// self.clock is not initialized at this point; but since `NonNull<_>` is Copy, // self.clock is not initialized at this point; but since `NonNull<_>` is Copy,
@ -172,6 +173,7 @@ impl PL011State {
// calls this function to initialize the fields; therefore no code is // calls this function to initialize the fields; therefore no code is
// able to access an invalid self.clock value. // able to access an invalid self.clock value.
unsafe { unsafe {
let dev: &mut DeviceState = self.upcast_mut();
self.clock = NonNull::new(qdev_init_clock_in( self.clock = NonNull::new(qdev_init_clock_in(
dev, dev,
CLK_NAME.as_ptr(), CLK_NAME.as_ptr(),
@ -632,6 +634,8 @@ impl PL011Luminary {
} }
} }
qom_isa!(PL011Luminary : PL011State, SysBusDevice, DeviceState, Object);
unsafe impl ObjectType for PL011Luminary { unsafe impl ObjectType for PL011Luminary {
type Class = <PL011State as ObjectType>::Class; type Class = <PL011State as ObjectType>::Class;
const TYPE_NAME: &'static CStr = crate::TYPE_PL011_LUMINARY; const TYPE_NAME: &'static CStr = crate::TYPE_PL011_LUMINARY;

View file

@ -7,4 +7,11 @@ pub use crate::bitops::IntegerExt;
pub use crate::cell::BqlCell; pub use crate::cell::BqlCell;
pub use crate::cell::BqlRefCell; pub use crate::cell::BqlRefCell;
pub use crate::qom::IsA;
pub use crate::qom::Object;
pub use crate::qom::ObjectCast;
pub use crate::qom::ObjectCastMut;
pub use crate::qom::ObjectDeref;
pub use crate::qom::ObjectType; pub use crate::qom::ObjectType;
pub use crate::qom_isa;

View file

@ -144,3 +144,4 @@ unsafe impl ObjectType for DeviceState {
const TYPE_NAME: &'static CStr = const TYPE_NAME: &'static CStr =
unsafe { CStr::from_bytes_with_nul_unchecked(bindings::TYPE_DEVICE) }; unsafe { CStr::from_bytes_with_nul_unchecked(bindings::TYPE_DEVICE) };
} }
qom_isa!(DeviceState: Object);

View file

@ -4,15 +4,22 @@
//! Bindings to access QOM functionality from Rust. //! Bindings to access QOM functionality from Rust.
//! //!
//! This module provides automatic creation and registration of `TypeInfo` //! The QEMU Object Model (QOM) provides inheritance and dynamic typing for QEMU
//! for classes that are written in Rust, and mapping between Rust traits //! devices. This module makes QOM's features available in Rust through two main
//! and QOM vtables. //! mechanisms:
//!
//! * Automatic creation and registration of `TypeInfo` for classes that are
//! written in Rust, as well as mapping between Rust traits and QOM vtables.
//!
//! * Type-safe casting between parent and child classes, through the [`IsA`]
//! trait and methods such as [`upcast`](ObjectCast::upcast) and
//! [`downcast`](ObjectCast::downcast).
//! //!
//! # Structure of a class //! # Structure of a class
//! //!
//! A leaf class only needs a struct holding instance state. The struct must //! A leaf class only needs a struct holding instance state. The struct must
//! implement the [`ObjectType`] trait, as well as any `*Impl` traits that exist //! implement the [`ObjectType`] and [`IsA`] traits, as well as any `*Impl`
//! for its superclasses. //! traits that exist for its superclasses.
//! //!
//! If a class has subclasses, it will also provide a struct for instance data, //! If a class has subclasses, it will also provide a struct for instance data,
//! with the same characteristics as for concrete classes, but it also needs //! with the same characteristics as for concrete classes, but it also needs
@ -31,11 +38,57 @@
//! the source for this is the `*Impl` trait; the associated consts and //! the source for this is the `*Impl` trait; the associated consts and
//! functions if needed are wrapped to map C types into Rust types. //! functions if needed are wrapped to map C types into Rust types.
use std::{ffi::CStr, os::raw::c_void}; use std::{
ffi::CStr,
ops::{Deref, DerefMut},
os::raw::c_void,
};
pub use bindings::{Object, ObjectClass}; pub use bindings::{Object, ObjectClass};
use crate::bindings::{self, TypeInfo}; use crate::bindings::{self, object_dynamic_cast, TypeInfo};
/// Marker trait: `Self` can be statically upcasted to `P` (i.e. `P` is a direct
/// or indirect parent of `Self`).
///
/// # Safety
///
/// The struct `Self` must be `#[repr(C)]` and must begin, directly or
/// indirectly, with a field of type `P`. This ensures that invalid casts,
/// which rely on `IsA<>` for static checking, are rejected at compile time.
pub unsafe trait IsA<P: ObjectType>: ObjectType {}
// SAFETY: it is always safe to cast to your own type
unsafe impl<T: ObjectType> IsA<T> for T {}
/// Macro to mark superclasses of QOM classes. This enables type-safe
/// up- and downcasting.
///
/// # Safety
///
/// This macro is a thin wrapper around the [`IsA`] trait and performs
/// no checking whatsoever of what is declared. It is the caller's
/// responsibility to have $struct begin, directly or indirectly, with
/// a field of type `$parent`.
#[macro_export]
macro_rules! qom_isa {
($struct:ty : $($parent:ty),* ) => {
$(
// SAFETY: it is the caller responsibility to have $parent as the
// first field
unsafe impl $crate::qom::IsA<$parent> for $struct {}
impl AsRef<$parent> for $struct {
fn as_ref(&self) -> &$parent {
// SAFETY: follows the same rules as for IsA<U>, which is
// declared above.
let ptr: *const Self = self;
unsafe { &*ptr.cast::<$parent>() }
}
}
)*
};
}
unsafe extern "C" fn rust_instance_init<T: ObjectImpl>(obj: *mut Object) { unsafe extern "C" fn rust_instance_init<T: ObjectImpl>(obj: *mut Object) {
// SAFETY: obj is an instance of T, since rust_instance_init<T> // SAFETY: obj is an instance of T, since rust_instance_init<T>
@ -96,8 +149,224 @@ pub unsafe trait ObjectType: Sized {
/// The name of the type, which can be passed to `object_new()` to /// The name of the type, which can be passed to `object_new()` to
/// generate an instance of this type. /// generate an instance of this type.
const TYPE_NAME: &'static CStr; const TYPE_NAME: &'static CStr;
/// Return the receiver as an Object. This is always safe, even
/// if this type represents an interface.
fn as_object(&self) -> &Object {
unsafe { &*self.as_object_ptr() }
} }
/// Return the receiver as a const raw pointer to Object.
/// This is preferrable to `as_object_mut_ptr()` if a C
/// function only needs a `const Object *`.
fn as_object_ptr(&self) -> *const Object {
self.as_ptr().cast()
}
/// Return the receiver as a mutable raw pointer to Object.
///
/// # Safety
///
/// This cast is always safe, but because the result is mutable
/// and the incoming reference is not, this should only be used
/// for calls to C functions, and only if needed.
unsafe fn as_object_mut_ptr(&self) -> *mut Object {
self.as_object_ptr() as *mut _
}
}
/// This trait provides safe casting operations for QOM objects to raw pointers,
/// to be used for example for FFI. The trait can be applied to any kind of
/// reference or smart pointers, and enforces correctness through the [`IsA`]
/// trait.
pub trait ObjectDeref: Deref
where
Self::Target: ObjectType,
{
/// Convert to a const Rust pointer, to be used for example for FFI.
/// The target pointer type must be the type of `self` or a superclass
fn as_ptr<U: ObjectType>(&self) -> *const U
where
Self::Target: IsA<U>,
{
let ptr: *const Self::Target = self.deref();
ptr.cast::<U>()
}
/// Convert to a mutable Rust pointer, to be used for example for FFI.
/// The target pointer type must be the type of `self` or a superclass.
/// Used to implement interior mutability for objects.
///
/// # Safety
///
/// This method is unsafe because it overrides const-ness of `&self`.
/// Bindings to C APIs will use it a lot, but otherwise it should not
/// be necessary.
unsafe fn as_mut_ptr<U: ObjectType>(&self) -> *mut U
where
Self::Target: IsA<U>,
{
#[allow(clippy::as_ptr_cast_mut)]
{
self.as_ptr::<U>() as *mut _
}
}
}
/// Trait that adds extra functionality for `&T` where `T` is a QOM
/// object type. Allows conversion to/from C objects in generic code.
pub trait ObjectCast: ObjectDeref + Copy
where
Self::Target: ObjectType,
{
/// Safely convert from a derived type to one of its parent types.
///
/// This is always safe; the [`IsA`] trait provides static verification
/// trait that `Self` dereferences to `U` or a child of `U`.
fn upcast<'a, U: ObjectType>(self) -> &'a U
where
Self::Target: IsA<U>,
Self: 'a,
{
// SAFETY: soundness is declared via IsA<U>, which is an unsafe trait
unsafe { self.unsafe_cast::<U>() }
}
/// Attempt to convert to a derived type.
///
/// Returns `None` if the object is not actually of type `U`. This is
/// verified at runtime by checking the object's type information.
fn downcast<'a, U: IsA<Self::Target>>(self) -> Option<&'a U>
where
Self: 'a,
{
self.dynamic_cast::<U>()
}
/// Attempt to convert between any two types in the QOM hierarchy.
///
/// Returns `None` if the object is not actually of type `U`. This is
/// verified at runtime by checking the object's type information.
fn dynamic_cast<'a, U: ObjectType>(self) -> Option<&'a U>
where
Self: 'a,
{
unsafe {
// SAFETY: upcasting to Object is always valid, and the
// return type is either NULL or the argument itself
let result: *const U =
object_dynamic_cast(self.as_object_mut_ptr(), U::TYPE_NAME.as_ptr()).cast();
result.as_ref()
}
}
/// Convert to any QOM type without verification.
///
/// # Safety
///
/// What safety? You need to know yourself that the cast is correct; only
/// use when performance is paramount. It is still better than a raw
/// pointer `cast()`, which does not even check that you remain in the
/// realm of QOM `ObjectType`s.
///
/// `unsafe_cast::<Object>()` is always safe.
unsafe fn unsafe_cast<'a, U: ObjectType>(self) -> &'a U
where
Self: 'a,
{
unsafe { &*(self.as_ptr::<Self::Target>().cast::<U>()) }
}
}
impl<T: ObjectType> ObjectDeref for &T {}
impl<T: ObjectType> ObjectCast for &T {}
/// Trait for mutable type casting operations in the QOM hierarchy.
///
/// This trait provides the mutable counterparts to [`ObjectCast`]'s conversion
/// functions. Unlike `ObjectCast`, this trait returns `Result` for fallible
/// conversions to preserve the original smart pointer if the cast fails. This
/// is necessary because mutable references cannot be copied, so a failed cast
/// must return ownership of the original reference. For example:
///
/// ```ignore
/// let mut dev = get_device();
/// // If this fails, we need the original `dev` back to try something else
/// match dev.dynamic_cast_mut::<FooDevice>() {
/// Ok(foodev) => /* use foodev */,
/// Err(dev) => /* still have ownership of dev */
/// }
/// ```
pub trait ObjectCastMut: Sized + ObjectDeref + DerefMut
where
Self::Target: ObjectType,
{
/// Safely convert from a derived type to one of its parent types.
///
/// This is always safe; the [`IsA`] trait provides static verification
/// that `Self` dereferences to `U` or a child of `U`.
fn upcast_mut<'a, U: ObjectType>(self) -> &'a mut U
where
Self::Target: IsA<U>,
Self: 'a,
{
// SAFETY: soundness is declared via IsA<U>, which is an unsafe trait
unsafe { self.unsafe_cast_mut::<U>() }
}
/// Attempt to convert to a derived type.
///
/// Returns `Ok(..)` if the object is of type `U`, or `Err(self)` if the
/// object if the conversion failed. This is verified at runtime by
/// checking the object's type information.
fn downcast_mut<'a, U: IsA<Self::Target>>(self) -> Result<&'a mut U, Self>
where
Self: 'a,
{
self.dynamic_cast_mut::<U>()
}
/// Attempt to convert between any two types in the QOM hierarchy.
///
/// Returns `Ok(..)` if the object is of type `U`, or `Err(self)` if the
/// object if the conversion failed. This is verified at runtime by
/// checking the object's type information.
fn dynamic_cast_mut<'a, U: ObjectType>(self) -> Result<&'a mut U, Self>
where
Self: 'a,
{
unsafe {
// SAFETY: upcasting to Object is always valid, and the
// return type is either NULL or the argument itself
let result: *mut U =
object_dynamic_cast(self.as_object_mut_ptr(), U::TYPE_NAME.as_ptr()).cast();
result.as_mut().ok_or(self)
}
}
/// Convert to any QOM type without verification.
///
/// # Safety
///
/// What safety? You need to know yourself that the cast is correct; only
/// use when performance is paramount. It is still better than a raw
/// pointer `cast()`, which does not even check that you remain in the
/// realm of QOM `ObjectType`s.
///
/// `unsafe_cast::<Object>()` is always safe.
unsafe fn unsafe_cast_mut<'a, U: ObjectType>(self) -> &'a mut U
where
Self: 'a,
{
unsafe { &mut *self.as_mut_ptr::<Self::Target>().cast::<U>() }
}
}
impl<T: ObjectType> ObjectDeref for &mut T {}
impl<T: ObjectType> ObjectCastMut for &mut T {}
/// Trait a type must implement to be registered with QEMU. /// Trait a type must implement to be registered with QEMU.
pub trait ObjectImpl: ObjectType + ClassInitImpl<Self::Class> { pub trait ObjectImpl: ObjectType + ClassInitImpl<Self::Class> {
/// The parent of the type. This should match the first field of /// The parent of the type. This should match the first field of

View file

@ -7,7 +7,11 @@ use std::{ffi::CStr, ptr::addr_of};
pub use bindings::{SysBusDevice, SysBusDeviceClass}; pub use bindings::{SysBusDevice, SysBusDeviceClass};
use crate::{ use crate::{
bindings, cell::bql_locked, irq::InterruptSource, prelude::*, qdev::DeviceClass, bindings,
cell::bql_locked,
irq::InterruptSource,
prelude::*,
qdev::{DeviceClass, DeviceState},
qom::ClassInitImpl, qom::ClassInitImpl,
}; };
@ -16,6 +20,7 @@ unsafe impl ObjectType for SysBusDevice {
const TYPE_NAME: &'static CStr = const TYPE_NAME: &'static CStr =
unsafe { CStr::from_bytes_with_nul_unchecked(bindings::TYPE_SYS_BUS_DEVICE) }; unsafe { CStr::from_bytes_with_nul_unchecked(bindings::TYPE_SYS_BUS_DEVICE) };
} }
qom_isa!(SysBusDevice: DeviceState, Object);
// TODO: add SysBusDeviceImpl // TODO: add SysBusDeviceImpl
impl<T> ClassInitImpl<SysBusDeviceClass> for T impl<T> ClassInitImpl<SysBusDeviceClass> for T

View file

@ -2,7 +2,11 @@
// Author(s): Manos Pitsidianakis <manos.pitsidianakis@linaro.org> // Author(s): Manos Pitsidianakis <manos.pitsidianakis@linaro.org>
// SPDX-License-Identifier: GPL-2.0-or-later // SPDX-License-Identifier: GPL-2.0-or-later
use std::ffi::CStr; use std::{
ffi::CStr,
os::raw::c_void,
ptr::{addr_of, addr_of_mut},
};
use qemu_api::{ use qemu_api::{
bindings::*, bindings::*,
@ -31,6 +35,8 @@ pub struct DummyState {
migrate_clock: bool, migrate_clock: bool,
} }
qom_isa!(DummyState: Object, DeviceState);
declare_properties! { declare_properties! {
DUMMY_PROPERTIES, DUMMY_PROPERTIES,
define_property!( define_property!(
@ -81,3 +87,63 @@ fn test_object_new() {
object_unref(object_new(DummyState::TYPE_NAME.as_ptr()).cast()); object_unref(object_new(DummyState::TYPE_NAME.as_ptr()).cast());
} }
} }
// a note on all "cast" tests: usually, especially for downcasts the desired
// class would be placed on the right, for example:
//
// let sbd_ref = p.dynamic_cast::<SysBusDevice>();
//
// Here I am doing the opposite to check that the resulting type is correct.
#[test]
#[allow(clippy::shadow_unrelated)]
/// Test casts on shared references.
fn test_cast() {
init_qom();
let p: *mut DummyState = unsafe { object_new(DummyState::TYPE_NAME.as_ptr()).cast() };
let p_ref: &DummyState = unsafe { &*p };
let obj_ref: &Object = p_ref.upcast();
assert_eq!(addr_of!(*obj_ref), p.cast());
let sbd_ref: Option<&SysBusDevice> = obj_ref.dynamic_cast();
assert!(sbd_ref.is_none());
let dev_ref: Option<&DeviceState> = obj_ref.downcast();
assert_eq!(addr_of!(*dev_ref.unwrap()), p.cast());
// SAFETY: the cast is wrong, but the value is only used for comparison
unsafe {
let sbd_ref: &SysBusDevice = obj_ref.unsafe_cast();
assert_eq!(addr_of!(*sbd_ref), p.cast());
object_unref(p_ref.as_object_mut_ptr().cast::<c_void>());
}
}
#[test]
#[allow(clippy::shadow_unrelated)]
/// Test casts on mutable references.
fn test_cast_mut() {
init_qom();
let p: *mut DummyState = unsafe { object_new(DummyState::TYPE_NAME.as_ptr()).cast() };
let p_ref: &mut DummyState = unsafe { &mut *p };
let obj_ref: &mut Object = p_ref.upcast_mut();
assert_eq!(addr_of_mut!(*obj_ref), p.cast());
let sbd_ref: Result<&mut SysBusDevice, &mut Object> = obj_ref.dynamic_cast_mut();
let obj_ref = sbd_ref.unwrap_err();
let dev_ref: Result<&mut DeviceState, &mut Object> = obj_ref.downcast_mut();
let dev_ref = dev_ref.unwrap();
assert_eq!(addr_of_mut!(*dev_ref), p.cast());
// SAFETY: the cast is wrong, but the value is only used for comparison
unsafe {
let sbd_ref: &mut SysBusDevice = obj_ref.unsafe_cast_mut();
assert_eq!(addr_of_mut!(*sbd_ref), p.cast());
object_unref(p_ref.as_object_mut_ptr().cast::<c_void>());
}
}