从java中的另一个类访问变量

时间:2016-10-15 00:49:51

标签: java swing class object jframe

我正在尝试编写java中应该是一个非常简单的项目。我正在尝试创建2个类,其中主类在第2类中执行一个方法来创建一个新的JFrame对象。然后,主类在类2中取消该方法以设置2个变量的值。然后,应在JFrame面板上以设置的x和y值打印字符串。但是,它好像没有更改xPos和yPos,并且字符串打印在0,0。

这是代码:

import java.awt.*;
import javax.swing.*;

public class Test {
        public static void main(String[] args){
                Class2 obj = new Class2();
                obj.createJFrame();
                obj.setVal(100, 200);
        }
}

class Class2 extends JPanel{
        private int xPos, yPos;
        public void createJFrame(){
                JFrame window = new JFrame();
                Class2 obj2 = new Class2();
                window.setVisible(true);
                window.setSize(300, 300);
                window.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
                Container c = window.getContentPane();
                c.add(obj2);
        }
        public void setVal(int x, int y){
                xPos = x;
                yPos = y;
                repaint();
        }
        public void paintComponent(Graphics g){
                super.paintComponent(g);
                g.drawString("This string should be at 100, 200", xPos, yPos);
        }
}

作为旁注,我不认为我的标题是准确的,所以如果有人可以通过编辑标题来帮助我,那将会很棒。如果标题与问题不符,我很抱歉,但我是java的新手。此外,这个程序正在建模一个更复杂的程序,所以如果这个方法看起来效率低下,那是因为更复杂的程序会使用这样的结构。提前谢谢。

1 个答案:

答案 0 :(得分:2)

class Class2 extends JPanel{
        private int xPos, yPos;
        public void createJFrame(){
                JFrame window = new JFrame();
                // Class2 obj2 = new Class2();
                window.setVisible(true);
                window.setSize(300, 300);
                window.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
                Container c = window.getContentPane();
                c.add(this); // now the setValue will update the object
        }
...

您没有更新添加到JFrame的对象。顺便说一下,我会在静态方法或不同的类中创建JFrame,并将Class2作为参数。类似的东西:

class Class2 extends JPanel{
    private int xPos, yPos;
    public static void createJFrame(Class2 obj){
            JFrame window = new JFrame();
            window.setVisible(true);
            window.setSize(300, 300);
            window.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            Container c = window.getContentPane();
            c.add(obj);
    }
    public void setVal(int x, int y){
            xPos = x;
            yPos = y;
            repaint();
    }
    public void paintComponent(Graphics g){
            super.paintComponent(g);
            g.drawString("This string should be at 100, 200", xPos, yPos);
    }
 }

public class Test {
   public static void main(String[] args){
         Class2 obj = new Class2();
         obj.setVal(100, 200);
         Class2.createJFrame(obj);
   }
}