8

使用 Eclipse 制作 java Applet。每次从 IDE 运行它时,applet 查看器都会显示在左上角 (0,0) 处。如何在开发过程中可编程地将其更改为屏幕中间?我知道在浏览器中部署时,我们无法从小程序内部更改窗口,因为 html 确定位置。

4

2 回答 2

7

与另一张海报相比,我认为这是一个毫无意义的练习,并且更喜欢他们的建议,即制作一个混合应用程序/小程序以使开发更容易。

OTOH - “我们拥有技术”。小程序查看器中小程序的顶级容器通常是Window. 获取对此的参考,您可以将其设置在您希望的位置。

试试这个(恼人的)小例子。

// <applet code=CantCatchMe width=100 height=100></applet>
import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
import java.util.Random;

public class CantCatchMe extends JApplet {

    Window window;
    Dimension screenSize;
    JPanel gui;
    Random r = new Random();

    public void init() {
        ActionListener al = new ActionListener() {
            public void actionPerformed(ActionEvent ae) {
                moveAppletViewer();
            }
        };
        gui = new JPanel();
        gui.setBackground(Color.YELLOW);
        add(gui);

        screenSize = Toolkit.getDefaultToolkit().getScreenSize();
        // change 2000 (every 2 secs.) to 200 (5 times a second) for REALLY irritating!
        Timer timer = new Timer(2000, al);
        timer.start();
    }

    public void start() {
        Container c = gui.getParent();
        while (c.getParent()!=null) {
            c = c.getParent();
        }
        if (c instanceof Window) {
            window = (Window)c;
        } else {
            System.out.println(c);
        }
    }

    private void moveAppletViewer() {
        if (window!=null) {
            int x = r.nextInt((int)screenSize.getWidth());
            int y = r.nextInt((int)screenSize.getHeight());
            window.setLocation(x,y);
        }
    }
}
于 2012-05-16T02:33:42.190 回答
2

有趣的问题。

我还没有找到影响 AppletViewer 的可靠方法,而不是在 Windows 上使用脚本从批处理文件模式启动它,即使这样也效果不佳。

另一种方法是编写您的测试代码,以便 Applet 从 JFrame 开始,您可以轻松地将其居中。

向您的 Applet 添加一个主要方法:

 public class TheApplet extends JApplet {

   int width, height;

   public void init() {
      width = getSize().width;
      height = getSize().height;
      setBackground( Color.black );
   }

   public void paint( Graphics g ) {
      g.setColor( Color.orange );
      for ( int i = 0; i < 10; ++i ) {
         g.drawLine( width / 2, height / 2, i * width / 10, 0 );
      }
   }

    public static void main(String args[]) {
        TheApplet applet = new TheApplet();

        JFrame frame = new JFrame("Your Test Applet");
        frame.getContentPane().add(applet);
        frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        frame.setSize(640,480);
        frame.setLocationRelativeTo(null);
        frame.setVisible(true);
        applet.init();

    }
}

这应该可以工作,除非我错过了什么——我更新了我在我的机器上运行的工作代码。

于 2012-05-15T12:44:05.530 回答