0

我正在学习android开发,我想做的是有一个从40分钟开始倒计时的标签,当它达到0时它会停止计数并做其他事情。这是我的代码:

@Override
protected void onStart() {
        super.onStart();
        count = 2400;
        final Timer t = new Timer();//Create the object
        t.scheduleAtFixedRate(new TimerTask() {
            @Override
            public void run() {
                minLeft = (int) Math.floor(count / 60);
                secLeft = count - minLeft * 60;
                counter = minLeft + ":" + secLeft;
                TextView tv = (TextView) findViewById(R.id.timer);

                Log.i(MainActivity.TAG,minLeft+", "+secLeft+", "+counter);
                tv.setText(counter);
                count--;
                if (minLeft <= 0 && secLeft <= 0) {
                    t.cancel();
                    count = 2400;
                    onFinish();
                }
            }
        }, 1000, 1000);
    }

但是,当我通过单击主活动中的按钮进入该活动时,标签具有文本“计时器”(其原始文本),几秒钟后应用程序因 CalledFromWrongThreadException 而崩溃,但导致问题的行似乎成为我设置 TextView 文本的地方。

请帮助,提前谢谢。

4

1 回答 1

0

您的计划任务在后台线程上运行。你尝试从这个后台线程将文本设置为文本视图。但是在 Android 中,所有与视图相关的操作都必须在主线程上完成。

这就是在您的计划任务中,您必须使用以下内容:

@Override
protected void onStart() {
    super.onStart();
    count = 2400;
    final Timer t = new Timer();//Create the object
    t.scheduleAtFixedRate(new TimerTask() {
        @Override
        public void run() {
            minLeft = (int) Math.floor(count / 60);
            secLeft = count - minLeft * 60;
            counter = minLeft + ":" + secLeft;
            // the name of your actual activity
            MyActivity.this.runOnUiThread(new Runnable() {
               @Override
               public void run() {
                 TextView tv = (TextView) findViewById(R.id.timer);
                 Log.i(MainActivity.TAG,minLeft+", "+secLeft+", "+counter);
                 tv.setText(counter);
               }
            });

            count--;
            if (minLeft <= 0 && secLeft <= 0) {
                t.cancel();
                count = 2400;
                onFinish();
            }
        }
    }, 1000, 1000);
}

另请注意,这段代码可以写得更优雅,没有所有/那么多匿名类,但它应该可以解决问题。

于 2014-04-12T16:01:19.177 回答