繁体   English   中英

定期更新静态变量的正确方法

[英]Proper way to update static variable periodically

我在课程开始时加载了一个静态变量。 我想每小时更新一次变量。 问题是这样做的正确方法是什么?

我尝试执行的方法如下,但是它需要更新静态变量的方法在每个构造函数中:

import java.util.Date;

public class MyClass {

    private static String globalString = "";

    // initialize lastUpdate with two hours back to make sure first update happens
    private static Date lastUpdate = new Date(System.currentTimeMillis() - (2 * (3600 * 1000)));


    MyClass() {
        updateGlobalString();

        // DO MORE STUFF HERE...
    }


    MyClass(String string) {
        updateGlobalString();

        // DO MORE STUFF HERE...
    }

    private synchronized void updateGlobalString() {
        // check if we need to update
        if (lastUpdate.before(new Date(System.currentTimeMillis() - (3600 * 1000)))) {

            // DO THINGS TO UPDATE globalString HERE...

            lastUpdate = new Date();
        }
    }
}

还有其他想法/更好的方法吗?

您应该使用某种计时器来进行更新。

例如,使用ScheduledExecutorService每小时运行一次任务,这将更新该字段。 像这样:

public class MyClass {

    private static volatile String globalString;
    private static ScheduledExecutorService exec = Executors.newSingleThreadScheduledExecutor();

    static {
        exec.scheduleAtFixedRate(new Runnable() {
            public void run() {
               // DO THINGS TO UPDATE globalString HERE...
            }
        },
        0, 1, TimeUnit.HOUR);
    }

    // Rest of class, without having to worry about the updateGlobalString
    // method, or the lastUpdate variable, or anything like that
    ...
}

请注意,由于该变量正在被多个线程访问,因此您需要确保代码是线程安全的。 (上面的计时器示例肯定是这种情况,但当前的方法也可能是这种情况。)

简单地确保可以看到更新的最简单方法是将globalString变量标记为volatile ,但是根据类的使用方式,其他方法可能更合适。

一个简单的解决方案是使用Executors框架:

public class MyClass {
   public static String globalString = "";

   private static ScheduledExecutorService s = Executors.newSingleThreadScheduledExecutor();

   //static block of code
   static {
     s.scheduleAtFixedRate(new Runnable() {
        public void run() {
           globalString = System.currentTimeMillis() + "";
        }
     }, 0, 1, TimeUnit.HOUR);
   } 
}

暂无
暂无

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM