Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

php never ending loop

Tags:

loops

php

I need a function that executes by itself in php without the help of crone. I have come up with the following code that works for me well but as it is a never-ending loop will it cause any problem to my server or script, if so could you give me some suggestion or alternatives, please. Thanks.

$interval=60; //minutes
set_time_limit(0);

while (1){
    $now=time();
    #do the routine job, trigger a php function and what not.
    sleep($interval*60-(time()-$now));
}
like image 942
alagu Avatar asked Sep 05 '14 03:09

alagu


Video Answer


2 Answers

We have used the infinite loop in a live system environment to basically wait for incoming SMS and then process it. We found out that doing it this way makes the server resource intensive over time and had to restart the server in order to free up memory.

Another issue we encountered is when you execute a script with an infinite loop in your browser, even if you hit the stop button it will continue to run unless you restart Apache.

    while (1){ //infinite loop
    // write code to insert text to a file
    // The file size will still continue to grow 
    //even when you click 'stop' in your browser.
    }

The solution is to run the PHP script as a deamon on the command line. Here's how:

nohup php myscript.php &

the & puts your process in the background.

Not only we found this method to be less memory intensive but you can also kill it without restarting apache by running the following command :

kill processid

Edit: As Dagon pointed out, this is not really the true way of running PHP as a 'Daemon' but using the nohup command can be considered as the poor man's way of running a process as a daemon.

like image 172
Hyder B. Avatar answered Sep 20 '22 13:09

Hyder B.


You can use time_sleep_until() function. It will return TRUE OR FALSE

$interval=60; //minutes
  set_time_limit( 0 );
  $sleep = $interval*60-(time());

  while ( 1 ){
     if(time() != $sleep) {
       // the looping will pause on the specific time it was set to sleep
       // it will loop again once it finish sleeping.
       time_sleep_until($sleep); 
     }
     #do the routine job, trigger a php function and what not.
   }
like image 43
loki9 Avatar answered Sep 22 '22 13:09

loki9