我有一个蓝牙聊天示例应用程序的修改版本。我已设置ScheduledExecutorService
,使用scheduleAtFixedRate
以预定义的速率通过蓝牙发送命令。
我已设置PreferenceActivity
以允许用户修改期间。但我不确定如何在更新的时段内完成实际的重复任务。我是否需要以某种方式取消并重新启动ScheduledExecutorService
?
这是我的代码的相关部分。
private ScheduledExecutorService scheduleTaskExecutor;
public long ReadInterval = 1;
...
@Override
public void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
scheduleTaskExecutor = Executors.newScheduledThreadPool(5);
...
// This schedule a task to run every 1 second:
scheduleTaskExecutor.scheduleAtFixedRate(new Runnable() {
public void run() {
// If you need update UI, simply do this:
runOnUiThread(new Runnable() {
public void run() {
// update your UI component here.
if (connected == true) {
sendMessage("READ");
if (D) Log.i(TAG, "In Run!");
}
}
});
}
}, 0, ReadInterval, TimeUnit.SECONDS);
}
我试图在这里更新ReadInterval
。 ReadInterval
正在更新,但定期命令期间不会更新。
@Override
public void onActivityResult(int requestCode, int resultCode, Intent data) {
if (D)
Log.d(TAG, "onActivityResult " + resultCode);
switch (requestCode) {
case REQUEST_CONNECT_DEVICE:
...
case REQUEST_ENABLE_BT:
...
case REQUEST_SETTINGS:
// When returning from settings activity
SharedPreferences sharedPref = PreferenceManager.getDefaultSharedPreferences(this);
String Pref = sharedPref.getString(SettingsActivity.KEY_PREF_READINTERVAL, "");
ReadInterval = Long.valueOf(Pref);
Toast.makeText(this, Pref,
Toast.LENGTH_SHORT).show();
Log.d(TAG, "Settings Activity Result");
}
}
答案 0 :(得分:15)
我稍微改进了答案(主要是因为我也不得不使用ScheduledExecutorService
)。请使用此代码而不是我之前发布的代码,因为之前的代码实际上是在性能上,没有充分的理由。
private ScheduledExecutorService scheduledExecutorService;
private ScheduledFuture<?> futureTask;
private Runnable myTask;
@Override
public void onCreate(Bundle savedInstanceState)
{
super.onCreate(savedInstanceState);
// Your executor, you should instanciate it once for all
scheduledExecutorService = Executors.newScheduledThreadPool(5);
// Since your task won't change during runtime, you can instanciate it too once for all
myTask = new Runnable()
{
@Override
public void run()
{
// Your code to run periodically
}
};
}
/**
* This method will reschedule "myTask" with the new param time
*/
public void changeReadInterval(long time)
{
if(time > 0)
{
if (futureTask != null)
{
futureTask.cancel(true);
}
futureTask = scheduledExecutorService.scheduleAtFixedRate(myTask, 0, time, TimeUnit.SECONDS);
}
}
现在,要在运行时重新安排任务,请使用方法changeReadInterval(time);
如果已经设置,它将取消之前的“计时器”并重新安排新计时器。