1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
use std::ops::{Add, Mul, Neg, Sub};

use crate::{Scalar, curve::scalar_mul::double_and_add};

use super::DecafPoint;

/// Scalar Mul Operations
impl<'s, 'p> Mul<&'s Scalar> for &'p DecafPoint {
    type Output = DecafPoint;
    fn mul(self, scalar: &'s Scalar) -> DecafPoint {
        // XXX: We can do better than double and add
        DecafPoint(double_and_add(&self.0, &scalar))
    }
}
impl<'p, 's> Mul<&'p DecafPoint> for &'s Scalar {
    type Output = DecafPoint;
    fn mul(self, point: &'p DecafPoint) -> DecafPoint {
        DecafPoint(double_and_add(&point.0,self))
    }
}
impl Mul<DecafPoint> for Scalar {
    type Output = DecafPoint;
    fn mul(self, point: DecafPoint) -> DecafPoint {
        DecafPoint(double_and_add(&point.0,&self))
    }
}
impl Mul<Scalar> for DecafPoint {
    type Output = DecafPoint;
    fn mul(self, scalar : Scalar) -> DecafPoint {
        DecafPoint(double_and_add(&self.0, &scalar))
    }
}

// Point addition 

impl<'a, 'b> Add<&'a DecafPoint> for &'b DecafPoint {
    type Output = DecafPoint;
    fn add(self, other: &'a DecafPoint) -> DecafPoint {
        DecafPoint(self.0.to_extensible().add_extended(&other.0).to_extended())
    }
}
impl Add<DecafPoint> for DecafPoint {
    type Output = DecafPoint;
    fn add(self, other: DecafPoint) -> DecafPoint {
        (&self).add(&other)
    }
}

// Point Subtraction 

impl<'a, 'b> Sub<&'a DecafPoint> for &'b DecafPoint {
    type Output = DecafPoint;
    fn sub(self, other: &'a DecafPoint) -> DecafPoint {
        DecafPoint(self.0.to_extensible().sub_extended(&other.0).to_extended())
    }
}
impl Sub<DecafPoint> for DecafPoint {
    type Output = DecafPoint;
    fn sub(self, other: DecafPoint) -> DecafPoint {
        (&self).sub(&other)
    }
}

// Point Negation 

impl<'b> Neg for &'b DecafPoint {
    type Output = DecafPoint;
    fn neg(self) -> DecafPoint {
        DecafPoint(self.0.negate())
    }
}
impl Neg for DecafPoint {
    type Output = DecafPoint;
    fn neg(self) -> DecafPoint {
        (&self).neg()
    }
}