Crearía un » ImageProcesssor « (o cualquier nombre que se adapte a su proyecto) y un objeto de configuración ProcessConfiguration , que contiene todos los parámetros necesarios.
ImageProcessor p = new ImageProcessor();
ProcessConfiguration config = new processConfiguration().setTranslateX(100)
.setTranslateY(100)
.setRotationAngle(45);
p.process(image, config);
Dentro del procesador de imágenes, encapsulas todo el proceso detrás de un método process()
public class ImageProcessor {
public Image process(Image i, ProcessConfiguration c){
Image processedImage=i.getCopy();
shift(processedImage, c);
rotate(processedImage, c);
return processedImage;
}
private void rotate(Image i, ProcessConfiguration c) {
//rotate
}
private void shift(Image i, ProcessConfiguration c) {
//shift
}
}
Este método llama a los métodos de transformación en el orden correcto shift()
, rotate()
. Cada método obtiene los parámetros apropiados de la ProcessConfiguration pasada .
public class ProcessConfiguration {
private int translateX;
private int rotationAngle;
public int getRotationAngle() {
return rotationAngle;
}
public ProcessConfiguration setRotationAngle(int rotationAngle){
this.rotationAngle=rotationAngle;
return this;
}
public int getTranslateY() {
return translateY;
}
public ProcessConfiguration setTranslateY(int translateY) {
this.translateY = translateY;
return this;
}
public int getTranslateX() {
return translateX;
}
public ProcessConfiguration setTranslateX(int translateX) {
this.translateX = translateX;
return this;
}
private int translateY;
}
Solía interfaces de fluidos
public ProcessConfiguration setRotationAngle(int rotationAngle){
this.rotationAngle=rotationAngle;
return this;
}
que permite una inicialización ingeniosa (como se ve arriba).
La ventaja obvia, encapsulando los parámetros necesarios en un objeto. Sus firmas de métodos se vuelven legibles:
private void shift(Image i, ProcessConfiguration c)
Se trata de cambiar una imagen y los parámetros detallados están configurados de alguna manera .
Alternativamente, puede crear una línea de procesamiento :
public class ProcessingPipeLine {
Image i;
public ProcessingPipeLine(Image i){
this.i=i;
};
public ProcessingPipeLine shift(Coordinates c){
shiftImage(c);
return this;
}
public ProcessingPipeLine rotate(int a){
rotateImage(a);
return this;
}
public Image getResultingImage(){
return i;
}
private void rotateImage(int angle) {
//shift
}
private void shiftImage(Coordinates c) {
//shift
}
}
Una llamada a un método processImage
crearía una instancia de dicha canalización y haría transparente qué y en qué orden se realiza: desplazar , rotar
public Image processImage(Image i, ProcessConfiguration c){
Image processedImage=i.getCopy();
processedImage=new ProcessingPipeLine(processedImage)
.shift(c.getCoordinates())
.rotate(c.getRotationAngle())
.getResultingImage();
return processedImage;
}