swt:如何仅更新(重绘)画布的一部分



我正在尝试在 SWT 中仅更新画布的一部分,但我不知道该怎么做。

我读到我必须使用 setClipping,文档确实说: "将接收器的区域设置为参数指定的矩形区域,该区域可以通过绘制操作进行更改。为矩形指定 null 会将接收器的剪切区域恢复为其原始值。

所以我刚刚尝试过但没有运气,这里有一个简单的例子:

import org.eclipse.swt.SWT;
import org.eclipse.swt.events.*;
import org.eclipse.swt.graphics.*;
import org.eclipse.swt.layout.*;
import org.eclipse.swt.widgets.*;

public class SimpleCanvas {
boolean manualDraw=false;
public void run() {
Display display = new Display();
Shell shell = new Shell(display);
shell.setText("Canvas Example");
createContents(shell);
shell.open();
while (!shell.isDisposed()) {
if (!display.readAndDispatch()) {
display.sleep();
}
}
display.dispose();
}
/**
* Creates the main window's contents
* 
* @param shell the main window
*/
private void createContents(Shell shell) {
shell.setLayout(new FillLayout());
// Create a canvas
Canvas canvas = new Canvas(shell, SWT.NONE);
// Create a button on the canvas
Button button = new Button(shell, SWT.PUSH);
button.setBounds(10, 10, 300, 40);
button.setText("TEST");
button.addListener(SWT.Selection, new Listener() {
public void handleEvent(Event e) {
switch (e.type) {
case SWT.Selection:
manualDraw=true;
canvas.redraw();
break;
}
}
});
// Create a paint handler for the canvas
canvas.addPaintListener(new PaintListener() {
public void paintControl(PaintEvent e) {
if (manualDraw){
e.gc.setForeground(e.display.getSystemColor(SWT.COLOR_GREEN));
e.gc.setClipping(90,90,60,60);
e.gc.drawRectangle(90,90,30,30);
return ;
}

Rectangle rect = ((Canvas) e.widget).getBounds();
e.gc.setForeground(e.display.getSystemColor(SWT.COLOR_RED));
e.gc.drawText("DRAW TEXT", 0, 0);
e.gc.dispose();
}
});
}
/**
* The application entry point
* 
* @param args the command line arguments
*/
public static void main(String[] args) {
new SimpleCanvas().run();
}
}

你能帮我了解我做错了什么吗?

提前谢谢你。

我发现了问题。为了仅更新画布的一部分,我不必调用:

canvas.redraw();

并在那里绘制画布的一部分,但从画布获取 GC 并在那里使用 setClipping,因此调用类似这样的东西:

public void redrawCanvas (Canvas canvas) {
GC gc = new GC(canvas);
gc.setClipping(90,90,60,60);
gc.drawRectangle(90,90,30,30);
gc.dispose();
}

最新更新