Thread sleep java аналоги

How to Add Delay in Java For Few Seconds

In this tutorial, I will be sharing how to add a delay in java for a few seconds. Sometimes we need to introduce a delay in the execution of our java program. It can be achieved in 3 ways.

1. Using Thread.sleep() method
2. Using TimeUnit.XXX.sleep() method
3. Using ScheduledExecutorService

Let’s dive deep into the topic.

Add Delay in Java For Few Seconds

1. Using Thread.sleep() method

The easiest way to delay a java program is by using Thread.sleep() method. The sleep() method is present in the Thread class. It simply pauses the current thread to sleep for a specific time.
Syntax:

Thread.sleep( time In Milliseconds) 

Note: Unit of time for Thread’s class static sleep method is in milliseconds. So, in order to delay for 7 seconds, we need to pass 7000 as an argument in the sleep method.

public class JavaHungry  public static void main(String args[])  try  System.out.println("Start of delay: "+ new Date()); // Delay for 7 seonds Thread.sleep(7000); System.out.println("End of delay: "+ new Date()); > catch(InterruptedException ex)  ex.printStackTrace(); > > > 

Output:
Start of delay: Tue Oct 13 09:04:52 GMT 2020
End of delay: Tue Oct 13 09:04:59 GMT 2020

2. Using TimeUnit.XXX.sleep() method

There is also another way to add a delay in the Java program i.e by using TimeUnit’s sleep method.

TimeUnit.SECONDS.sleep(time In Seconds) 
TimeUnit.MINUTES.sleep(time In Minutes) 
TimeUnit.MILLISECONDS.sleep(time In Milliseconds) 
import java.util.concurrent.TimeUnit; import java.util.Date; public class JavaHungry  public static void main(String args[])  try  System.out.println("Start of delay: "+ new Date()); // Delay for 7 seonds TimeUnit.SECONDS.sleep(7); System.out.println("End of delay: "+ new Date()); // Delay for 1 minute TimeUnit.MINUTES.sleep(1); // Delay for 5000 Milliseconds TimeUnit.MILLISECONDS.sleep(5000); > catch(InterruptedException ex)  ex.printStackTrace(); > > > 


Output:

Start of delay: Tue Oct 13 09:26:39 GMT 2020
End of delay: Tue Oct 13 09:26:46 GMT 2020

3. Using ScheduledExecutorService

The Executor framework’s ScheduledExecutorService interface can also be used to add a delay in the java program for a few seconds. Among all the methods described in this post, this is the most precise way to add delay. We will use the schedule() method to run the piece of code once after a delay.

import java.util.concurrent.TimeUnit; import java.util.concurrent.Executors; import java.util.concurrent.ScheduledExecutorService;
public class JavaHungry  public static void main(String args[])  ScheduledExecutorService service = Executors.newSingleThreadScheduledExecutor(); /* schedule(ClassName::anyTask, delayInSeconds, TimeUnit.SECONDS) where anyTask() is the name of the method we want to execute and ClassName is the class containing the anyTask() method */ service.schedule(JavaHungry::executeTask, 5, TimeUnit.SECONDS); > public static void executeTask() System.out.println(" Task is running after 5 seconds"); > > 

Output:
Task is running after 5 seconds

That’s all for today. Please mention in the comments in case you have any questions related to how to add a delay in java for a few seconds.

About The Author

Subham Mittal has worked in Oracle for 3 years.
Enjoyed this post? Never miss out on future posts by subscribing JavaHungry

Источник

Java — альтернатива thread.sleep

У меня есть требование приостановить цикл while для определенного количества миллисекунд. Я попытался использовать Thread.sleep(продолжительность), но это не точно, особенно в сценарии цикла. Миллисекундная точность важна в моей программе. Вот алгоритм, в котором я не хочу возвращаться, чтобы проверить условие до тех пор, пока expectedElapsedTime не пройдет.

while (condition) < time = System.currentTimeMillis(); //do something if (elapsedTime(time) < expectedElapsedTime) ) < pause the loop // NEED SUBSTITUTE FOR Thread.sleep() >// Alternative that I have tried but not giving good results is while ((elapsedTime(time) < expectedElapsedTime)) < //do nothing >> long elapsedTime(long time)

8 ответов

Попробуйте ScheduledThreadPoolExecutor. Это должно дать более надежные результаты синхронизации.

Это рекомендуемый способ сейчас (Java 6). Таким образом, вам не нужно выполнять непрерывный опрос и не нужно использовать цикл while. Затем вы помещаете код, который необходимо периодически запускать, в объект Runnable.

Вот код, который я пробовал с ScheduledThreadPoolExecutor. Это довольно грязный способ приостановить цикл, но хотелось бы знать, если что-то не так с ним, потому что пауза не точна. while (<условие>) >), dummyCounter, TimeUnit.MILLISECONDS); >

@Bill: Билл: Вы можете сделать это, когда временной интервал меняется? Я имею в виду, для точности, вы должны учитывать работу машины.

Если вы пойдете спать, то, как только ваш процесс снова будет работать, ему придется подождать, пока планировщик потоков заплатит его снова.

Я имею в виду, если вы идете спать в течение 50 секунд, это не значит, что ваш процесс будет работать ровно через 50 секунд. Поскольку он просыпается и запускается, ему придется ждать, чтобы запланировать процессор, который занимает дополнительное время плюс время, которое у вас есть для переключения контекста.

Нет ничего, что можно было бы сделать, чтобы контролировать его, чтобы вы не могли точно сказать то, что вы говорите.

В вашем случае я бы предложил круговую петлю.

long now = System.currentTimeMillis(); while(now

Это не даст 100% точности либо из моего понимания, верно? Разве не было бы лучше создать другой поток, который обрабатывает это?

@aleroot:Yes Да, конечно, это будет отходы. Но в любом случае это не будет долго. Он говорит, миллисекунды

@warbio:No.AnotherНет. Другой поток не вариант, так как у вас есть издержки переключения контекста (в самом списке)

Как я уже упоминал в своем исходном посте с кодом, я попробовал эту опцию, она дает лучшие результаты, чем Thread.sleep, но она несколько раз срабатывает.

@user1189747:In user1189747: В вашем ОП вы в комментарии указали, что «он не дает хороших результатов». Я нигде не видел обновления текущего времени, и я предположил, что вы сделали это неправильно. Во всяком случае, если вы отказываетесь от процессора через sleep или wait невозможно вернуть его предсказуемым образом по причинам, которые я объясняю в своем ответе. Единственный способ — это занятое ожидание. Поэтому лучше всего использовать цикл while. Теперь, если даже этот цикл иногда отключен, Это может быть связано с использованием System.currentMillisec() Используйте цикл while, но вместо этого имитируйте время. Я имею в виду, найдите подходящее вам значение и продолжайте увеличивать.

@user1189747:Just user1189747: Просто увеличивает счетчик и как только вы превысите предел выход из в while loop.The идее заключается в том, чтобы имитировать время , прошедшее через счетчик как — то так , что в while петли как можно плотнее.

Хотел бы упомянуть, что у меня есть несколько экземпляров этого потока, и просто добавление цикла while, как описано выше, фактически повысило производительность машины.

@user1189747:Yes user1189747: Да, конечно, так как при использовании опроса у вас есть потоки, которые связаны с процессором. Но из вашего комментария я не уверен, жалоба ли это от вас или нет

Ну, у вас не может быть всего этого. Извините. Либо вы sleep либо wait что означает, что вы теряете процессор, и в результате ваши потоки не связаны с процессором, и вы не видите этого всплеска, вы говорите, НО вы не можете НЕ иметь нужную вам точность в мс (после того, как вы отказываетесь от процессора, вы не можете точно контролировать, когда вы получите его обратно — это невозможно) ИЛИ вы используете опрос и имеете потоки, которые связаны с процессором, а процессор работает постоянно, но так как вы не Не отказывайтесь от процессора, у вас есть настолько высокая точность, насколько это возможно, НО у вас будет всплеск, на который вы жалуетесь. Посмотрите, на какой компромисс вы готовы жить

Да, это единственный способ сделать мои изображения плавными. Процессор очень загружен, но, по крайней мере, анимация теперь плавная. В моих тестах (Galaxy Note) Thread.sleep() бесполезен менее 100 мс.

Java не является системой реального времени, вы не можете заставить поток уйти и вернуться к такому жесткому графику. Чтобы запланировать выполнение вашей программы до миллисекунды, вам нужно использовать другую платформу — например, простое расширение RRJ или Java Real-Time.

Источник

How to Delay Code Execution in Java

announcement - icon

As always, the writeup is super practical and based on a simple application that can work with documents with a mix of encrypted and unencrypted fields.

We rely on other people’s code in our own work. Every day.

It might be the language you’re writing in, the framework you’re building on, or some esoteric piece of software that does one thing so well you never found the need to implement it yourself.

The problem is, of course, when things fall apart in production — debugging the implementation of a 3rd party library you have no intimate knowledge of is, to say the least, tricky.

Lightrun is a new kind of debugger.

It’s one geared specifically towards real-life production environments. Using Lightrun, you can drill down into running applications, including 3rd party dependencies, with real-time logs, snapshots, and metrics.

Learn more in this quick, 5-minute Lightrun tutorial:

announcement - icon

Slow MySQL query performance is all too common. Of course it is. A good way to go is, naturally, a dedicated profiler that actually understands the ins and outs of MySQL.

The Jet Profiler was built for MySQL only, so it can do things like real-time query performance, focus on most used tables or most frequent queries, quickly identify performance issues and basically help you optimize your queries.

Critically, it has very minimal impact on your server’s performance, with most of the profiling work done separately — so it needs no server changes, agents or separate services.

Basically, you install the desktop application, connect to your MySQL server, hit the record button, and you’ll have results within minutes:

announcement - icon

DbSchema is a super-flexible database designer, which can take you from designing the DB with your team all the way to safely deploying the schema.

The way it does all of that is by using a design model, a database-independent image of the schema, which can be shared in a team using GIT and compared or deployed on to any database.

And, of course, it can be heavily visual, allowing you to interact with the database using diagrams, visually compose queries, explore the data, generate random data, import data or build HTML5 database reports.

Источник

Читайте также:  Php http get variable
Оцените статью