Skip to content Skip to sidebar Skip to footer

Redirect Page After Process Complete In Php

I have some process in page. It's downloading a file.

Solution 1:

I think set a callback when the header is complete is the best solution.

$ch = curl_init();
curl_setopt($ch, CURLOPT_URL, 'http://www.php.net/');

// here is the hack - Set callback function for headers
curl_setopt($ch, CURLOPT_HEADERFUNCTION, 'read_header');

curl_exec($ch);
curl_close($ch);

//Callback function for headerfunctionread_header($ch, $string)
{   
    if (trim($string) == 'HTTP/1.1 200 OK')
        header("location: http://www.php.net"); 
}

Solution 2:

Your code should be fine, and should complete the process before redirecting.

PHP runs in a single thread, so the next statement won't be executed until the previous one completes. This means that your header() line won't execute until fwrite() has finished writing the file.

In fact, setting a Location header doesn't even mean the PHP script stops. You can test this by creating a dummy file and running unlink() on it after issuing the Location header. The file will still be deleted. All that Location does is sends a new location to your browser. Your browser then retrieves the new page before the old one is done running.

Solution 3:

You can set sleep(seconds) and check if it's enough for complete process.

Also you can put a simple check:

$start_size = 0;
while (1) {
   $new_file_size = filesize($filename);

   if ($start_size != $new_file_size) {
      $start_size = $new_file_size;
      sleep(30)
   } else {
      break;
   }
}

Solution 4:

If you aren't returning the file to the client, you can do the following:

ignore_user_abort();
  header("Content-Length: 0", true, HTTP_RESPONSE_204_NO_CONTENT);
  header("Connection: close", true);
  flush();

This will return control back to the client and close the browser connection, but the server-side process will continue to work.

However, I agree with @AgentConundrum that the header() line won't be executed until the other processes are complete.

Post a Comment for "Redirect Page After Process Complete In Php"