Iteradores
La sobrecarga de operadores se implementa mediante traits en std::ops
:
#[derive(Debug, Copy, Clone)] struct Point { x: i32, y: i32, } impl std::ops::Add for Point { type Output = Self; fn add(self, other: Self) -> Self { Self { x: self.x + other.x, y: self.y + other.y } } } fn main() { let p1 = Point { x: 10, y: 20 }; let p2 = Point { x: 100, y: 200 }; println!("{:?} + {:?} = {:?}", p1, p2, p1 + p2); }
This slide should take about 10 minutes.
Cuestiones de debate:
- You could implement
Add
for&Point
. In which situations is that useful?- Respuesta:
Add:add
consume aself
. Si el tipoT
para el que se sobrecarga el operador no esCopy
, deberías plantearte también sobrecargar el operador para&T
. Así se evita la clonación innecesaria en el sitio de la llamada.
- Respuesta:
- ¿Por qué
Output
es un tipo asociado? ¿Se podría convertir en un parámetro tipo del método?- Short answer: Function type parameters are controlled by the caller, but associated types (like
Output
) are controlled by the implementer of a trait.
- Short answer: Function type parameters are controlled by the caller, but associated types (like
- Se podría implementar
Add
para dos tipos distintos; por ejemplo,impl Add<(i32, i32)> for Point
añadiría una tupla a unPoint
.