0

我正在编写一个程序来绘制 [x(t),y(t)] 与变量 t 在一定范围内(由用户输入)。到目前为止,我已经创建了 3 个向量来保存 t、x(t) 和 y(t) 的值。我目前的方法是创建点向量(大约 1000 个点),然后在向量中的两个相邻点之间画一条线(或路径)。然而,结果并不如我所料。

来自用户的完整格式:

Plot [x(t),y(t)] x=a..b y=a..b t=a..b where a,b are the range of x,y,t 

例如,用户可以输入函数:

x(t) = 5*sin(3t + 5), t=-19..19
y(t) = 4*cos(2t), t=-19.19

这是我的绘图代码:

public static void drawGraph(String sf, String sx, String sy, String st) {
  JFrame mygraph = new JFrame("PlotGraph v0.1");

  final Vector<Double> range_t = getRangeT(st); //get the range of t
  //create a corresponding vectors of x and y based on values of t
  final Vector<Double> range_x = getRangeX(range_t,funcX,var);
  final Vector<Double> range_y = getRangeY(range_t,funcY,var);

  //draw the graph to a JPanel, our graph is actually just a collection of points connecting 2 points
  mygraph.add(new JPanel() {


 public void paintComponent(Graphics g) {
          super.paintComponent(g);
          Graphics2D g2 = (Graphics2D) g;      g2.setRenderingHint(RenderingHints.KEY_ANTIALIASING,RenderingHints.VALUE_ANTIALIAS_ON);
          g2.setColor(Color.BLUE );
          g2.setStroke(new BasicStroke(1));
          GeneralPath gpx = new GeneralPath();
          GeneralPath gpy = new GeneralPath();
          for (int i=0; i<998; i++) {
            gpy.moveTo(range_t.get(i),range_y.get(i));
                  gpy.curveTo(range_t.get(i),range_y.get(i),range_t.get(i+1),range_y.get(i+1),range_t.get(i+2),range_y.get(i+2));
            gpx.moveTo(range_t.get(i),range_x.get(i));
            gpx.curveTo(range_t.get(i),range_x.get(i),range_t.get(i+1),range_x.get(i+1),range_t.get(i+2),range_x.get(i+2));

            //g2.draw(lineY);
            g2.draw(gpx);
            g2.draw(gpy);
          }
          g2.dispose(); 
        }
      });

  mygraph.setBounds(125,25,650,600);
  mygraph.setLocationRelativeTo(null);
  mygraph.setDefaultCloseOperation(mygraph.EXIT_ON_CLOSE);
  mygraph.setVisible(true);
}

这是我从上面的 2 个函数中得到的: 在此处输入图像描述

问题: 有什么办法可以让情节变得更好(按比例放大)?!

4

1 回答 1

2

在我看来,您在绘制参数方程时是错误的。

t对于参数方程,您应该从 t min迭代到 t max。在每个值处,计算 x(t) 和 y(t),并在那里绘制一个点 - 在 (x(t), y(t))。

看起来您正在 (t, y(t)) 等处绘制点。您需要一个辅助函数来评估每个变量的用户输入函数,例如:

public double evaluateX(double t) { ... }
public double evaluateY(double t) { ... }

在这些函数中,您必须将用户的文本解析为代码(可能是标记化?),然后对其进行评估。

然后,你可以有一个这样的循环:

GeneralPath gp = new GeneralPath();
double tstep = (tmax - tmin) / 998;
for (double t=tmin; t += tstep; t<tmax) {
    double x = evaluateX(t);
    double y = evaluateY(t);
    if (t == 0) {
        gp.moveTo(x, y);
    } else {
        gp.lineTo(x, y);
    }
}
g2d.draw(gp);

从那里开始,比例因子应该很容易实现。尝试这样的事情:

GeneralPath gp = new GeneralPath();
final double scale = 3.0;
double tstep = (tmax - tmin) / 998;
for (double t=tmin; t += tstep; t<tmax) {
    double x = scale * evaluateX(t);
    double y = scale * evaluateY(t);
    if (t == 0) {
        gp.moveTo(x, y);
    } else {
        gp.lineTo(x, y);
    }
}
g2d.draw(gp);
于 2013-03-11T22:01:18.827 回答