In Clean Code di Uncle Bob, pagina 124-125 afferma
Procedural code (code using data structures) makes it easy to add new functions without changing the existing data structures. OO code, on the other hand, makes it easy to add new classes without changing existing functions.
Sto leggendo su Multiple Dispatches come in questo articolo su più spedizioni e chiedendosi se risolve il problema.
Jörg W Mittag dice che questo è stato definito come Problema di espressione di Phil Wadler , ma afferma che per risolvere il problema dovremmo
define a datatype by cases, where one can add new cases to the datatype and new functions over the datatype, without recompiling existing code, and while retaining static type safety [...]
Sono più interessato all'estensibilità di un software, ad esempio se è "facile" aggiungere nuove funzionalità in modo incrementale. In questo caso, ho una definizione intuitiva di "facile" e include resistenza agli errori e nessun codice duplicato.
Ecco gli esempi di Uncle Bob dal libro
Forme polimorfiche
public class Square implements Shape {
private Point topLeft;
private double side;
public double area() {
return side * side;
}
}
public class Rectangle implements Shape {
private Point topLeft;
private double height;
private double width;
public double area() {
return height * width;
}
}
public class Circle implements Shape {
private Point center;
private double radius;
public final double PI = 3.141592653589793;
public double area() {
return PI * radius * radius;
}
}
Forma procedurale
public class Square {
public Point topLeft;
public double side;
}
public class Rectangle {
public Point topLeft;
public double height;
public double width;
}
public class Circle {
public Point center;
public double radius;
}
public class Geometry {
public final double PI = 3.141592653589793;
public double area(Object shape) throws NoSuchShapeException {
if (shape instanceof Square) {
Square s = (Square) shape;
return s.side * s.side;
}
else if (shape instanceof Rectangle) {
Rectangle r = (Rectangle) shape;
return r.height * r.width;
}
else if (shape instanceof Circle) {
Circle c = (Circle) shape;
return PI * c.radius * c.radius;
}
throw new NoSuchShapeException();
}
}