Stworzyłbym » ImageProcesssor « (lub dowolną nazwę odpowiednią dla twojego projektu) oraz obiekt konfiguracyjny ProcessConfiguration , który przechowuje wszystkie niezbędne parametry.
ImageProcessor p = new ImageProcessor();
ProcessConfiguration config = new processConfiguration().setTranslateX(100)
.setTranslateY(100)
.setRotationAngle(45);
p.process(image, config);
Wewnątrz procesora obrazu zawarto cały proces za jednym mehtodem 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
}
}
Metoda ta nazywa metod transformacyjnych w odpowiedniej kolejności shift()
, rotate()
. Każda metoda pobiera odpowiednie parametry z przekazanej konfiguracji procesu .
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;
}
Użyłem płynnych interfejsów
public ProcessConfiguration setRotationAngle(int rotationAngle){
this.rotationAngle=rotationAngle;
return this;
}
co pozwala na dobrą inicjalizację (jak pokazano powyżej).
Oczywista zaleta polegająca na enkapsulacji niezbędnych parametrów w jednym obiekcie. Podpisy twojej metody stają się czytelne:
private void shift(Image i, ProcessConfiguration c)
Chodzi o przesuwanie się obrazu i szczegółowe parametry są w jakiś sposób skonfigurowane .
Alternatywnie możesz utworzyć ProcessingPipeline :
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
}
}
Wywołanie metody do metody processImage
utworzyłoby instancję takiego potoku i uczyniło przezroczystym co i w jakiej kolejności jest wykonywana: przesunięcie , obrót
public Image processImage(Image i, ProcessConfiguration c){
Image processedImage=i.getCopy();
processedImage=new ProcessingPipeLine(processedImage)
.shift(c.getCoordinates())
.rotate(c.getRotationAngle())
.getResultingImage();
return processedImage;
}