Trait core::ops::Shl1.0.0 [] [src]

pub trait Shl<RHS> {
    type Output;
    fn shl(self, rhs: RHS) -> Self::Output;
}

The Shl trait is used to specify the functionality of <<.

Examples

An implementation of Shl that lifts the << operation on integers to a Scalar struct.

use std::ops::Shl; #[derive(PartialEq, Debug)] struct Scalar(usize); impl Shl<Scalar> for Scalar { type Output = Self; fn shl(self, Scalar(rhs): Self) -> Scalar { let Scalar(lhs) = self; Scalar(lhs << rhs) } } fn main() { assert_eq!(Scalar(4) << Scalar(2), Scalar(16)); }
use std::ops::Shl;

#[derive(PartialEq, Debug)]
struct Scalar(usize);

impl Shl<Scalar> for Scalar {
    type Output = Self;

    fn shl(self, Scalar(rhs): Self) -> Scalar {
        let Scalar(lhs) = self;
        Scalar(lhs << rhs)
    }
}
fn main() {
    assert_eq!(Scalar(4) << Scalar(2), Scalar(16));
}Run

An implementation of Shl that spins a vector leftward by a given amount.

use std::ops::Shl; #[derive(PartialEq, Debug)] struct SpinVector<T: Clone> { vec: Vec<T>, } impl<T: Clone> Shl<usize> for SpinVector<T> { type Output = Self; fn shl(self, rhs: usize) -> SpinVector<T> { // rotate the vector by `rhs` places let (a, b) = self.vec.split_at(rhs); let mut spun_vector: Vec<T> = vec![]; spun_vector.extend_from_slice(b); spun_vector.extend_from_slice(a); SpinVector { vec: spun_vector } } } fn main() { assert_eq!(SpinVector { vec: vec![0, 1, 2, 3, 4] } << 2, SpinVector { vec: vec![2, 3, 4, 0, 1] }); }
use std::ops::Shl;

#[derive(PartialEq, Debug)]
struct SpinVector<T: Clone> {
    vec: Vec<T>,
}

impl<T: Clone> Shl<usize> for SpinVector<T> {
    type Output = Self;

    fn shl(self, rhs: usize) -> SpinVector<T> {
        // rotate the vector by `rhs` places
        let (a, b) = self.vec.split_at(rhs);
        let mut spun_vector: Vec<T> = vec![];
        spun_vector.extend_from_slice(b);
        spun_vector.extend_from_slice(a);
        SpinVector { vec: spun_vector }
    }
}

fn main() {
    assert_eq!(SpinVector { vec: vec![0, 1, 2, 3, 4] } << 2,
               SpinVector { vec: vec![2, 3, 4, 0, 1] });
}Run

Associated Types

The resulting type after applying the << operator

Required Methods

The method for the << operator

Implementors