Is this how to schedule a java method to run 1 second later?

后端 未结 4 687
日久生厌
日久生厌 2021-02-05 17:34

In my method, I want to call another method that will run 1 second later. This is what I have.

final Timer timer = new Timer();

timer.schedule(new TimerTask() {         


        
相关标签:
4条回答
  • 2021-02-05 17:59

    ScheduledExecutorService or AsyncTask for UI related.

    Note that if you are to update UI, that code should be posted to UI thread. as in Processes and Threads Guide

            final Bitmap bitmap = loadImageFromNetwork("http://example.com/image.png");
            mImageView.post(new Runnable() {
                public void run() {
                    mImageView.setImageBitmap(bitmap);
                }
            });
    

    There is also nice postDelayed method in View

        mImageView.postDelayed(new Runnable(){
            @Override
            public void run() {
                mImageView.setImageResource(R.drawable.ic_inactive);
            }
        }, 1000);
    

    that will update UI after 1 sec.

    0 讨论(0)
  • 2021-02-05 18:00

    If you are not in UI thread, consider adding a very simple:

    try
    {
      Thread.sleep( 1000 );
    }//try
    catch( Exception ex)
    { ex.printStackTrace(); }//catch
    
    //call your method
    
    0 讨论(0)
  • 2021-02-05 18:06

    Instead of a Timer, I'd recommend using a ScheduledExecutorService

    final ScheduledExecutorService exec = Executors.newScheduledThreadPool(1);
    
    exec.schedule(new Runnable(){
        @Override
        public void run(){
            MyMethod();
        }
    }, 1, TimeUnit.SECONDS);
    
    0 讨论(0)
  • 2021-02-05 18:06

    There are several alternatives. But here is Android specific one.

    If you thread is using Looper (and Normally all Activity's, BroadcastRecevier's and Service's methods onCreate, onReceive, onDestroy, etc. are called from such a thread), then you can use Handler. Here is an example:

    Handler handler = new Handler();
    handler.postDelayed(new Runnable()
    {
         @Override
         public void run()
         {
             myMethod();
         }
    }, 1000);
    

    Note that you do not have to cancel anything here. This will be run only once on the same thread your Handler was created.

    0 讨论(0)
提交回复
热议问题