opaque_typedef

Build Status
opaquetypedef: Latest version Documentation
opaque
typedef_macros: Latest version

This is a proc-macro crate for the Rust programming language.

This crate helps developers to define opaque typedef (strong typedef) types easily with less boilerplates.

NOTE: This library is under development and unstable.

Opaque typedef

You may want to define a new type, with the same internal representation as other types but without implicit type conversion. Real world example:

These types usually have additional restriction to internal type (UncasedStr has looser comparison function and NotNan cannot have NaN) and you may want to implement some traits and don't want to implement some other traits (for example, you may want From<&str> for &UncasedStr but don't want Deref<Target=str> for UncasedStr).

opaque_typedef crate helps you "derive" specific traits (i.e. reuse the traits implemented for internal types) for your type.

To see example, see files under the opaque_typedef_tests/src/ directory.

Terms

Think struct Outer(Inner);:

How to use

Examples are in opaque_typedef_tests/src/.

1. Specify "extern crate"

Cargo.toml:

toml [dependencies] opaque_typedef = "^0.0.3" opaque_typedef_macros = "^0.0.3"

lib.rs or main.rs:

```rust extern crate opaque_typedef;

[macro_use]

extern crate opaquetypedefmacros; ```

2. Derive OpaqueTypedef for sized types, OpaqueTypedefUnsized for unsized types

Sized type:

```rust /// My owned string.

[derive(Default, Debug, PartialEq, Eq, PartialOrd, Ord, Hash, OpaqueTypedef)]

pub struct MyString(String); ```

Unsized type:

```rust /// My string slice.

[derive(Debug, PartialEq, Eq, PartialOrd, Ord, Hash, OpaqueTypedefUnsized)]

[repr(C)]

pub struct MyStr(str); ```

Note that #[repr(C)] (or #[repr(transparent)]) is necessary for unsized types.

Then you can use OpaqueTypedef trait or OpaqueTypedefUnsized trait. It will be useful to implement methods for your types!

About the necessity of #[repr(*)], see https://github.com/lo48576/opaque_typedef/issues/1.

3. Specify if the mutable reference can be used for deriving traits (optional)

If you want opaque_typedef to derive traits who might return mutable reference to inner value (such as DerefMut, AsMut) or traits who might mutate inner value (such as AddAssign), you should specify #[opaque_typedef(allow_mut_ref)].

```rust /// My string slice.

[derive(Debug, PartialEq, Eq, PartialOrd, Ord, Hash, OpaqueTypedefUnsized)]

[repr(C)]

[opaquetypedef(allowmut_ref)]

pub struct MyStr(str); ```

If you don't specify it, opaque_typedef refuses "derive"s such as #[opaque_typedef(derive(DerefMut))]

4. "Derive" more traits

You can specify traits with #[opaque_typedef(derive(Trait1, Trait2, ...))].

For example:

```rust

[derive(Debug, PartialEq, Eq, PartialOrd, Ord, Hash, OpaqueTypedefUnsized)]

[repr(C)]

[opaquetypedef(derive(AsciiExt, AsMut(Deref, Self), AsRef(Deref, Self_), DefaultRef, Deref,

                    DerefMut, Display, FromInner, Into(Arc, Box, Rc, Inner),
                    PartialEq(Inner, InnerRev, InnerCow, InnerCowRev, SelfCow, SelfCowRev),
                    PartialOrd(Inner, InnerRev, InnerCow, InnerCowRev, SelfCow, SelfCowRev)))]

[opaquetypedef(allowmut_ref)]

pub struct MyStr(str); ```

Note that some traits can be shortened:

To see lists of "derive"-able items, read the rest of the document or see the source (Derive enum in opaque_typedef_macros/src/derives/mod.rs).

To see full list of shortened notations for "derive"-able items, see Derive::append_from_nested_names method at opaque_typedef_macros/src/derives/mod.rs).

4.1. Specify deref target (optional)

If you specify Deref, DerefMut, AsRefDeref or something related to Deref, you can also specify "deref target" by #[opaque_typedef(deref(...))].

```rust /// My owned string.

[derive(Default, Debug, PartialEq, Eq, PartialOrd, Ord, Hash, OpaqueTypedef)]

[opaque_typedef(derive(AsMut(Deref, Inner), AsRef(Deref, Inner), Deref, DerefMut, Display,

                    FromInner, IntoInner, PartialEq(Inner, InnerRev),
                    PartialOrd(Inner, InnerRev)))]

[opaquetypedef(deref(target = "str", deref = "String::asstr",

                   deref_mut = "String::as_mut_str"))]

[opaquetypedef(allowmut_ref)]

pub struct MyString { inner: String, } ```

Opaque_typedef uses the inner type as the default deref target type, but you can use a different type as the example above.

In the example, AsMutInner implements AsMut<String> for MyString, and AsMutDeref implements AsMut<str> for MyString.

If you don't specify #[opaque_typedef(allow_mut_ref)], deref_mut would not be used and you can omit it.

5. Specify custom validator (optional)

You can specify custom validator. The value of inner type is validated on conversion into outer type. By custom validator, you can restrict the inner value.

To use custom validator, specify these attributes:

The example below is taken from opaque_typedef_tests/src/even32.rs and opaque_typedef_tests/tests/even32.rs.

``rust /// Eveni32`.

[derive(Default, Debug, Clone, Copy, PartialEq, Eq, PartialOrd, Ord, Hash, OpaqueTypedef)]

[opaque_typedef(derive(Binary, Deref, Display, FromInner, PartialEq(Inner, InnerRev),

                    PartialOrd(Inner, InnerRev), LowerHex, Octal, UpperHex))]

[opaquetypedef(validation(validator = "validateeven32", error_type = "OddError",

                        error_msg = "Failed to create `Even32`"))]

pub struct Even32(i32);

impl Even32 { /// Returns the inner i32 even value. pub fn to_i32(&self) -> i32 { self.0 } }

/// A type of an error indicating the integer is an odd number, not even.

[derive(Debug, Clone, Copy, PartialEq, Eq, PartialOrd, Ord, Hash)]

pub struct OddError;

fn validate_even32(v: i32) -> Result { if v % 2 == 0 { Ok(v) } else { Err(OddError) } }

[cfg(test)]

mod tests { #[test] fn ok() { let v = Even32::from(42); asserteq!(v.toi32(), 42); }

#[test]
#[should_panic]
fn from_odd() {
    // Panics with message "Failed to create `Even32`: OddError".
    let _ = Even32::from(3);
}

} ```

6. Specify custom comparator (optional)

You can use custom implementations for PartialEq and PartialOrd.

To use custom comparator, specify these attributes:

The example below is taken from opaque_typedef_tests/src/reverse_order.rs and opaque_typedef_tests/tests/reverse_order.rs.

```rust /// A wrapper type with reverse order.

[derive(Default, Debug, Clone, Copy, PartialEq, Eq, Ord, Hash, OpaqueTypedef)]

[opaque_typedef(derive(AsciiExt, AsMut(Deref), AsRef(Deref), Binary, Deref, DerefMut, Display,

                    FromInner, LowerHex, Octal, PartialOrdSelf, UpperHex))]

[opaquetypedef(cmp(partialord = "(|a, b| PartialOrd::partial_cmp(a, b).map(|o| o.reverse()))",

                 ord = "(|a, b| Ord::cmp(a, b).reverse())"))]

[opaquetypedef(allowmut_ref)]

pub struct ReverseOrderSized(pub T);

[test]

fn reversei32() { use std::cmp::Ordering; asserteq!(ReverseOrderSized(3i32).partialcmp(&ReverseOrderSized(2i32)), Some(Ordering::Less)); assert!(ReverseOrderSized(3i32) < ReverseOrderSized(2i32)); asserteq!(ReverseOrderSized(3i32).cmp(&ReverseOrderSized(2i32)), Ordering::Less); asserteq!(ReverseOrderSized(3i32).cmp(&ReverseOrderSized(3i32)), Ordering::Equal); asserteq!(ReverseOrderSized(3i32).cmp(&ReverseOrderSized(4i32)), Ordering::Greater); } ```

Features

Defining basic constructions and casts

For sized type

#[derive(OpaqueTypedef)] implements opaque_typedef::OpaqueTypedef trait, and it has some basic and useful methods.

See https://docs.rs/opaque_typedef/*/opaque_typedef/trait.OpaqueTypedef.html for detail.

For unsized type

#[derive(OpaqueTypedefUnsized)] implements opaque_typedef::OpaqueTypedefUnsized trait, and it has some basic and useful methods. Especially OpaqueTypedefUnsized::from_inner() would be very useful.

See https://docs.rs/opaque_typedef/*/opaque_typedef/trait.OpaqueTypedefUnsized.html for detail.

Automatic derive for many std traits

The traits below are supported.

Note that some (such as DefaultRef) are available only for sized types.

std::convert, type conversion

std::fmt

std::cmp

std::ops

(Poor documentation but it's ok because syntax will soon change largely.)

Others

TODO

License

Licensed under either of

at your option.

Contribution

Unless you explicitly state otherwise, any contribution intentionally submitted for inclusion in the work by you, as defined in the Apache-2.0 license, shall be dual licensed as above, without any additional terms or conditions.