在Android SDK中, android.widget.Toast
是一条小消息,它会在屏幕底部弹出以显示信息。 烤面包将在指定的持续时间后自行消失。 这是烤面包看起来和如何展示的示例:
Context context = getApplicationContext();
Toast.makeText(context, "Hello world, I am a toast.", Toast.LENGTH_SHORT).show();
不幸的是,在屏幕上显示烤面包的持续时间由标志定义:您可以将其显示为2秒钟的SHORT持续时间,或3,5秒钟的LONG持续时间。 但是,如果您有一条较长的错误消息需要显示更长的时间,该怎么办? 还是需要显示每秒更新的倒计时?
在没有重新实现应用程序中整个Toast
类的情况下,无法使用show()
方法直接更改show()
Toast
的持续时间,但是有一种解决方法。 您可以使用android.os.CountDownTimer
倒计时显示吐司的时间。 CountDownTimer
类在指定的时间间隔内以毫秒为单位安排倒数计时,直到结束倒数为止。
在此示例中,当按下按钮时,倒计时用于显示敬酒消息特定时间:
private Toast mToastToShow;
public void showToast(View view) {
// Set the toast and duration
int toastDurationInMilliSeconds = 10000;
mToastToShow = Toast.makeText(this, "Hello world, I am a toast.", Toast.LENGTH_LONG);
// Set the countdown to display the toast
CountDownTimer toastCountDown;
toastCountDown = new CountDownTimer(toastDurationInMilliSeconds, 1000 /*Tick duration*/) {
public void onTick(long millisUntilFinished) {
mToastToShow.show();
}
public void onFinish() {
mToastToShow.cancel();
}
};
// Show the toast and starts the countdown
mToastToShow.show();
toastCountDown.start();
}
它是这样工作的:倒计时的通知时间比根据标志显示吐司的持续时间短,因此,如果倒计时尚未结束,则可以再次显示吐司。 如果在屏幕上仍显示该吐司,它将在整个过程中保持不变而不会闪烁。 倒计时完成后,即使吐司的显示时间尚未结束,吐司也将被隐藏起来。
即使必须以比默认持续时间短的持续时间显示吐司,此方法仍然有效:倒计时完成后,显示的第一个吐司将被简单地取消。
翻译自: https://www.javacodegeeks.com/2015/05/how-to-show-a-toast-for-a-specific-duration-in-android.html