利用Java Swing完成基本绘图
本绘图包来自于浙大MOOC。
1.Swing介绍
Swing 是一个为Java设计的GUI工具包。
Swing是JAVA基础类的一部分。
Swing包括了图形用户界面(GUI)器件如:文本框,按钮,分隔窗格和表。
Swing提供许多比AWT更好的屏幕显示元素。它们用纯Java写成,所以同Java本身一样可以跨平台运行,这一点不像AWT。它们是JFC的一部分。它们支持可更换的面板和主题(各种操作系统默认的特有主题),然而不是真的使用原生平台提供的设备,而是仅仅在表面上模仿它们。这意味着你可以在任意平台上使用JAVA支持的任意面板。轻量级组件的缺点则是执行速度较慢,优点就是可以在所有平台上采用统一的行为。
2.具体实现
2.1.窗口
利用抽象类JFrame创建自身定义的窗口类,需要包含以下几个要素。
2.1.1.成员变量
1.窗口高度 height
2.窗口宽度 width
3.图像容器 listShape
4.
2.1.2.方法
1.构造方法
public Picture(int width, int height) {
add(new ShapesPanel());//初始化图像容器
this.setDefaultCloseOperation(EXIT_ON_CLOSE);//设定结束方式为使用System exit方法退出应用程序。
this.width = width;//设置窗口高度和宽度
this.height = height;
}
2.添加图像方法
public void add(Shape s) {
listShape.add(s);
}
3.绘图
//绘制窗口
public void draw() {
setLocationRelativeTo(null);//将窗口设置为正中央。
setSize(width, height);
setVisible(true);
}
private class ShapesPanel extends JPanel {
private static final long serialVersionUID = 1L;
@Override
protected void paintComponent(Graphics g) {
super.paintComponent(g);
//打印图像组件
for ( Shape s : listShape ) {
s.draw(g);
}
}
}
2.2.图像组件
由于所有图像组件都要完成绘图操作,所以创建抽象类Shape。
核心方法是Graphics类的draw函数。
2.2.1.Shape
public abstract class Shape {
public abstract void draw(Graphics g);
}
2.2.2.线段
public class Line extends Shape {
private int x1;
private int y1;
private int x2;
private int y2;
/**
* 创建一条线.
* @param x1 起点横坐标
* @param y1 起点纵坐标
* @param x2 终点横坐标
* @param y2 终点纵坐标
*/
public Line(int x1, int y1, int x2, int y2) {
this.x1 = x1;
this.y1 = y1;
this.x2 = x2;
this.y2 = y2;
}
@Override
public void draw(Graphics g) {
g.drawLine(x1, y1, x2, y2);
}
}
2.2.3.字符
public class StringW extends Shape {
private int x;
private int y;
private String name;
/**
* 创建字符串的实例化.
* @param name 字符串
* @param x 横坐标
* @param y 纵坐标
*/
public StringW(String name, int x, int y) {
this.x = x;
this.y = y;
this.name = name;
}
@Override
public void draw(Graphics g) {
g.drawString(name, x, y);
}
}
2.2.4.圆
public class Circle extends Shape {
private int x;
private int y;
private int radius;
/**
* 创建一个圆的实例化.
* @param x 横坐标
* @param y 纵坐标
* @param radius 圆的半径
*/
public Circle(int x, int y, int radius) {
this.x = x;
this.y = y;
this.radius = radius;
}
@Override
public void draw(Graphics g) {
g.drawOval(x - radius, y - radius, radius * 2, radius * 2);
}
}
3.实例
public void getGui() {
Picture pic = new Picture(1500,1000);
Circle cent = new Circle(750, 500, 8);//中心点
StringW s1 = new StringW("hello", 750, 500);
pic.add(s1);
pic.add(cent);
pic.draw();
}