Bir » ImageProcesssor « (ya da projenize uygun herhangi bir ad) ve gerekli tüm parametreleri tutan ProcessConfiguration yapılandırma nesnesini yaratacağım .
ImageProcessor p = new ImageProcessor();
ProcessConfiguration config = new processConfiguration().setTranslateX(100)
.setTranslateY(100)
.setRotationAngle(45);
p.process(image, config);
Görüntü işlemcisinin içinde, tüm süreci bir mehtodun arkasına kapsüllersiniz 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
}
}
Bu yöntem, doğru sırayla dönüşüm yöntemlerini çağırır shift()
, rotate()
. Her yöntem, geçirilen ProcessConfiguration öğesinden uygun parametreleri alır .
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;
}
Sıvı arayüzleri kullandım
public ProcessConfiguration setRotationAngle(int rotationAngle){
this.rotationAngle=rotationAngle;
return this;
}
bu da şık bir başlatmaya izin verir (yukarıda görüldüğü gibi).
Bariz avantaj, bir parametrede gerekli parametreleri kapsüllemek. Yöntem imzalarınız okunabilir hale gelir:
private void shift(Image i, ProcessConfiguration c)
Yaklaşık olduğu kayması bir görüntü ve ayrıntılı parametreler nasılsa edilir yapılandırılmış .
Alternatif olarak, bir ProcessingPipeline oluşturabilirsiniz :
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
}
}
Bir yönteme yapılan bir çağrı, processImage
böyle bir boru hattını başlatır ve neyin hangi sırayla yapıldığını şeffaf hale getirir: kaydırma , döndürme
public Image processImage(Image i, ProcessConfiguration c){
Image processedImage=i.getCopy();
processedImage=new ProcessingPipeLine(processedImage)
.shift(c.getCoordinates())
.rotate(c.getRotationAngle())
.getResultingImage();
return processedImage;
}