java – 设置一个运行一段时间的方法?

我得到一些帮助,如何使方法运行5分钟然后停止,请通过布尔函数调用.我可以让方法运行正常,但似乎无法设置任何有效的计时器,该方法要么在被调用时连续运行,要么根本不运行.我在这里搜索并找到了一些建议,但到目前为止还没有运气.

以下是调用该方法的代码部分,满足布尔条件

 public void start()
{
    super.start();
    drawing(true);
}

public void msgCollision(Actor actor, String s, String s1)
{
    if(boom)
    {
        t1 = Time.current();
        t2 = Time.current() + 30000L;
        if(t1 < t2)
            MarkTarget();
    } else
    if(!boom)
    {
        Point3d point3d = new Point3d();
        super.pos.getTime(Time.current(), point3d);
        Vector3d vector3d = new Vector3d();
        getSpeed(vector3d);
        vector3d.x = vector3d.y = vector3d.z = 0.0D;
        setSpeed(vector3d);

我是编程和java的新手,所以请原谅我,如果我错过了一些明显的东西,它让MarkTarget()方法运行5分钟我遇到了麻烦,它似乎在用t1

最佳答案 发生这种情况是因为在实例化变量后立即将t1的值评估为t2的值.

if(boom)
{
    t1 = Time.current();  //t1 is now the current time
    t2 = Time.current() + 30000L; //t2 is now the current time + 5 minutes
    if(t1 < t2) //Is t1 smaller then t2? Yes it is!
        MarkTarget(); //call the function
    //Anything else? no so we will have had 1 call to it
}

你可以这样做,如果你真的想这样做:

if (boom)
{
    t1 = Time.current();
    t2 = t1 + 30000L;
    while (t1 < t2) {
        MarkTarget();
        t1 = Time.current();
    }
}

用这种方式意识到,MarkTarget()会在很长一段时间内被调用5分钟.如果你想要只调用一次然后等待5分钟:

MarkTarget();
while (t1 < t2) {
    t1 = Time.current();
}
点赞