Method 1: Using file_get_contents() function: The file_get_contents() function is used to read a file into a string. This function uses memory mapping techniques which are supported by the server and thus enhances the performances making it a preferred way of reading contents of a file.
Syntax:
file_get_contents($path, $include_path, $context, $start, $max_length)
Method - 1:
Method 1 Code Start Here
<?php
// Initialize a file URL to the variable
// Use basename() function to return the base name of file
$file_name = basename($url);
// Use file_get_contents() function to get the file
// from url and use file_put_contents() function to
// save the file by using base name
if(file_put_contents( $file_name,file_get_contents($url))) {
echo "File downloaded successfully";
}
else {
echo "File downloading failed.";
}
?>
Method 1 Code End Here
Method 2:
Using PHP Curl: The cURL stands for ‘Client for URLs’, originally with URL spelled in uppercase to make it obvious that it deals with URLs. It is pronounced as ‘see URL’. The cURL project has two products libcurl and curl.
Steps to download file:
Initialize a file URL to the variable
Create cURL session
Declare a variable and store the directory name where downloaded file will save.
Use basename() function to return the file base name if the file path is provided as a parameter.
Save the file to the given location.
Open the saved file location in write string mode
Set the option for cURL transfer
Perform cURL session and close cURL session and free all resources
Close the file
Method 2 Code Start Here
<?php
// Initialize a file URL to the variable
// Initialize the cURL session
$ch = curl_init($url);
// Inintialize directory name where
// file will be save
$dir = './';
// Use basename() function to return
// the base name of file
$file_name = basename($url);
// Save file into file location
$save_file_loc = $dir . $file_name;
// Open file
$fp = fopen($save_file_loc, 'wb');
// It set an option for a cURL transfer
curl_setopt($ch, CURLOPT_FILE, $fp);
curl_setopt($ch, CURLOPT_HEADER, 0);
// Perform a cURL session
curl_exec($ch);
// Closes a cURL session and frees all resources
curl_close($ch);
// Close file
fclose($fp);
?>
Method 2 Code End Here