How do i save a php script?

Create a file named hello.php and put it in your web server's root directory (DOCUMENT_ROOT) with the following content:

Example #1 Our first PHP script: hello.php

<html>
 <head>
  <title>PHP Test</title>
 </head>
 <body>
 <?php echo '<p>Hello World</p>'?> 
 </body>
</html>

Use your browser to access the file with your web server's URL, ending with the /hello.php file reference. When developing locally this URL will be something like http://localhost/hello.php or http://127.0.0.1/hello.php but this depends on the web server's configuration. If everything is configured correctly, this file will be parsed by PHP and the following output will be sent to your browser:

<html>
 <head>
  <title>PHP Test</title>
 </head>
 <body>
 <p>Hello World</p>
 </body>
</html>

This program is extremely simple and you really did not need to use PHP to create a page like this. All it does is display: Hello World using the PHP echo statement. Note that the file does not need to be executable or special in any way. The server finds out that this file needs to be interpreted by PHP because you used the ".php" extension, which the server is configured to pass on to PHP. Think of this as a normal HTML file which happens to have a set of special tags available to you that do a lot of interesting things.

If you tried this example and it did not output anything, it prompted for download, or you see the whole file as text, chances are that the server you are on does not have PHP enabled, or is not configured properly. Ask your administrator to enable it for you using the Installation chapter of the manual. If you are developing locally, also read the installation chapter to make sure everything is configured properly. Make sure that you access the file via http with the server providing you the output. If you just call up the file from your file system, then it will not be parsed by PHP. If the problems persist anyway, do not hesitate to use one of the many » PHP support options.

The point of the example is to show the special PHP tag format. In this example we used <?php to indicate the start of a PHP tag. Then we put the PHP statement and left PHP mode by adding the closing tag, ?>. You may jump in and out of PHP mode in an HTML file like this anywhere you want. For more details, read the manual section on the basic PHP syntax.

Note: A Note on Line Feeds

Line feeds have little meaning in HTML, however it is still a good idea to make your HTML look nice and clean by putting line feeds in. A linefeed that follows immediately after a closing ?> will be removed by PHP. This can be extremely useful when you are putting in many blocks of PHP or include files containing PHP that aren't supposed to output anything. At the same time it can be a bit confusing. You can put a space after the closing ?> to force a space and a line feed to be output, or you can put an explicit line feed in the last echo/print from within your PHP block.

Note: A Note on Text Editors

There are many text editors and Integrated Development Environments (IDEs) that you can use to create, edit and manage PHP files. A partial list of these tools is maintained at » PHP Editors List. If you wish to recommend an editor, please visit the above page and ask the page maintainer to add the editor to the list. Having an editor with syntax highlighting can be helpful.

Note: A Note on Word Processors

Word processors such as StarOffice Writer, Microsoft Word and Abiword are not optimal for editing PHP files. If you wish to use one for this test script, you must ensure that you save the file as plain text or PHP will not be able to read and execute the script.

Now that you have successfully created a working PHP script, it is time to create the most famous PHP script! Make a call to the phpinfo() function and you will see a lot of useful information about your system and setup such as available predefined variables, loaded PHP modules, and configuration settings. Take some time and review this important information.

Example #2 Get system information from PHP

(PHP 5, PHP 7, PHP 8)

file_put_contentsWrite data to a file

Description

file_put_contents(
    string $filename,
    mixed $data,
    int $flags = 0,
    ?resource $context = null
): int|false

If filename does not exist, the file is created. Otherwise, the existing file is overwritten, unless the FILE_APPEND flag is set.

Parameters

filename

Path to the file where to write the data.

data

The data to write. Can be either a string, an array or a stream resource.

If data is a stream resource, the remaining buffer of that stream will be copied to the specified file. This is similar with using stream_copy_to_stream().

You can also specify the data parameter as a single dimension array. This is equivalent to file_put_contents($filename, implode('', $array)).

flags

The value of flags can be any combination of the following flags, joined with the binary OR (|) operator.

Available flags
FlagDescription
FILE_USE_INCLUDE_PATH Search for filename in the include directory. See include_path for more information.
FILE_APPEND If file filename already exists, append the data to the file instead of overwriting it.
LOCK_EX Acquire an exclusive lock on the file while proceeding to the writing. In other words, a flock() call happens between the fopen() call and the fwrite() call. This is not identical to an fopen() call with mode "x".
context

A valid context resource created with stream_context_create().

Return Values

This function returns the number of bytes that were written to the file, or false on failure.

Warning

This function may return Boolean false, but may also return a non-Boolean value which evaluates to false. Please read the section on Booleans for more information. Use the === operator for testing the return value of this function.

Examples

Example #1 Simple usage example

<?php
$file 
'people.txt';
// Open the file to get existing content
$current file_get_contents($file);
// Append a new person to the file
$current .= "John Smith\n";
// Write the contents back to the file
file_put_contents($file$current);
?>

Example #2 Using flags

<?php
$file 
'people.txt';
// The new person to add to the file
$person "John Smith\n";
// Write the contents to the file, 
// using the FILE_APPEND flag to append the content to the end of the file
// and the LOCK_EX flag to prevent anyone else writing to the file at the same time
file_put_contents($file$personFILE_APPEND LOCK_EX);
?>

Notes

Note: This function is binary-safe.

Tip

A URL can be used as a filename with this function if the fopen wrappers have been enabled. See fopen() for more details on how to specify the filename. See the Supported Protocols and Wrappers for links to information about what abilities the various wrappers have, notes on their usage, and information on any predefined variables they may provide.

See Also

  • fopen() - Opens file or URL
  • fwrite() - Binary-safe file write
  • file_get_contents() - Reads entire file into a string
  • stream_context_create() - Creates a stream context

TrentTompkins at gmail dot com

14 years ago

File put contents fails if you try to put a file in a directory that doesn't exist. This creates the directory.

<?php
   
function file_force_contents($dir, $contents){
       
$parts = explode('/', $dir);
       
$file = array_pop($parts);
       
$dir = '';
        foreach(
$parts as $part)
            if(!
is_dir($dir .= "/$part")) mkdir($dir);
       
file_put_contents("$dir/$file", $contents);
    }
?>

justin dot carlson at gmail dot com

11 years ago

It should be obvious that this should only be used if you're making one write, if you are writing multiple times to the same file you should handle it yourself with fopen and fwrite, the fclose when you are done writing.

Benchmark below:

file_put_contents() for 1,000,000 writes - average of 3 benchmarks:

real 0m3.932s
user 0m2.487s
sys 0m1.437s

fopen() fwrite() for 1,000,000 writes, fclose() -  average of 3 benchmarks:

real 0m2.265s
user 0m1.819s
sys 0m0.445s

maksam07 at gmail dot com

3 years ago

A slightly simplified version of the method: http://php.net/manual/ru/function.file-put-contents.php#84180

<?php
function file_force_contents( $fullPath, $contents, $flags = 0 ){
   
$parts = explode( '/', $fullPath );
   
array_pop( $parts );
   
$dir = implode( '/', $parts );

        if( !

is_dir( $dir ) )
       
mkdir( $dir, 0777, true );file_put_contents( $fullPath, $contents, $flags );
}
file_force_contents( ROOT.'/newpath/file.txt', 'message', LOCK_EX );
?>

deqode at felosity dot nl

12 years ago

Please note that when saving using an FTP host, an additional stream context must be passed through telling PHP to overwrite the file.

<?php
/* set the FTP hostname */
$user = "test";
$pass = "myFTP";
$host = "example.com";
$file = "test.txt";
$hostname = $user . ":" . $pass . "@" . $host . "/" . $file; /* the file content */
$content = "this is just a test."; /* create a stream context telling PHP to overwrite the file */
$options = array('ftp' => array('overwrite' => true));
$stream = stream_context_create($options); /* and finally, put the contents */
file_put_contents($hostname, $content, 0, $stream);
?>

chris at ocportal dot com

9 years ago

It's important to understand that LOCK_EX will not prevent reading the file unless you also explicitly acquire a read lock (shared locked) with the PHP 'flock' function.

i.e. in concurrent scenarios file_get_contents may return empty if you don't wrap it like this:

<?php
$myfile
=fopen('test.txt','rt');
flock($myfile,LOCK_SH);
$read=file_get_contents('test.txt');
fclose($myfile);
?>

If you have code that does a file_get_contents on a file, changes the string, then re-saves using file_put_contents, you better be sure to do this correctly or your file will randomly wipe itself out.

Anonymous

5 years ago

Make sure not to corrupt anything in case of failure.

<?phpfunction file_put_contents_atomically($filename, $data, $flags = 0, $context = null) {
    if (
file_put_contents($filename."~", $data, $flags, $context) === strlen($contents)) {
        return
rename($filename."~",$filename,$context);
    }

    @

unlink($filename."~", $context);
    return
FALSE;
}
?>

gurjindersingh at SPAM dot hotmail dot com

7 years ago

File put contents fails if you try to put a file in a directory that doesn't exist. This function creates the directory.

i have updated code of "TrentTompkins at gmail dot com". thanks
<?php
/**
* @param string $filename <p>file name including folder.
* example :: /path/to/file/filename.ext or filename.ext</p>
* @param string $data <p> The data to write.
* </p>
* @param int $flags same flags used for file_put_contents.
* more info: http://php.net/manual/en/function.file-put-contents.php
* @return bool <b>TRUE</b> file created succesfully <br> <b>FALSE</b> failed to create file.
*/
function file_force_contents($filename, $data, $flags = 0){
    if(!
is_dir(dirname($filename)))
       
mkdir(dirname($filename).'/', 0777, TRUE);
    return
file_put_contents($filename, $data,$flags);
}
// usagefile_force_contents('test1.txt','test1 content');  // test1.txt createdfile_force_contents('test2/test2.txt','test2 content');
// test2/test2.txt created "test2" folder.  file_force_contents('~/test3/test3.txt','test3 content');
// /path/to/user/directory/test3/test3.txt created "test3" folder in user directory (check on linux "ll ~/ | grep test3"). 
?>

Brandon Lockaby

11 years ago

Calling file_put_contents within a destructor will cause the file to be written in SERVER_ROOT...

error at example dot com

11 years ago

It's worth noting that you must make sure to use the correct path when working with this function. I was using it to help with logging in an error handler and sometimes it would work - while other times it wouldn't. In the end it was because sometimes it was called from different paths resulting in a failure to write to the log file.

__DIR__ is your friend.

egingell at sisna dot com

16 years ago

In reply to the previous note:

If you want to emulate this function in PHP4, you need to return the bytes written as well as support for arrays, flags.

I can only figure out the FILE_APPEND flag and array support. If I could figure out "resource context" and the other flags, I would include those too.

<?

define('FILE_APPEND', 1);
function file_put_contents($n, $d, $flag = false) {
    $mode = ($flag == FILE_APPEND || strtoupper($flag) == 'FILE_APPEND') ? 'a' : 'w';
    $f = @fopen($n, $mode);
    if ($f === false) {
        return 0;
    } else {
        if (is_array($d)) $d = implode($d);
        $bytes_written = fwrite($f, $d);
        fclose($f);
        return $bytes_written;
    }
}

?>

ravianshmsr08 at gmail dot com

11 years ago

To upload file from your localhost to any FTP server.
pease note 'ftp_chdir' has been used instead of putting direct remote file path....in ftp_put ...remoth file should be only file name

<?php
$host
= '*****';
$usr = '*****';
$pwd = '**********';        
$local_file = './orderXML/order200.xml';
$ftp_path = 'order200.xml';
$conn_id = ftp_connect($host, 21) or die ("Cannot connect to host");     
ftp_pasv($resource, true);
ftp_login($conn_id, $usr, $pwd) or die("Cannot login");
// perform file upload
ftp_chdir($conn_id, '/public_html/abc/');
$upload = ftp_put($conn_id, $ftp_path, $local_file, FTP_ASCII);
if(
$upload) { $ftpsucc=1; } else { $ftpsucc=0; }
// check upload status:
print (!$upload) ? 'Cannot upload' : 'Upload complete';
print
"\n";
// close the FTP stream
ftp_close($conn_id);
?>

Anonymous

5 months ago

A more simplified version of the method that creates subdirectories:

function path_put_contents($filePath, $contents, $flags = 0) {

    if (! is_dir($dir = implode('/', explode('/', $filePath, -1))))
        mkdir($dir, 0777, true);
    file_put_contents($filePath, $contents, $flags);
}

daniel at garcianoriega dot com

4 years ago

I faced the problem of converting a downloaded csv file that had Windows-1252 encoding, so to convert it to UTF-8 this worked for me:

$from = 'Windows-1252';
$to = 'UTF-8';

$content = file_get_contents($this->path());

file_put_contents($this->path(), mb_convert_encoding($content, $to, $from));

where "$this->path()" has the path of the file... Using this the file is converted from Windows-1252 to UTF-8.

With this you can import it with mysqlimport with no problems.

briethings at gmail dot com

4 years ago

Here is a stupid pitfall I just fell into.
I think it may happen rather frequently, so I report it.

A common situation is that the $filename argument is built from two variables:
file_put_contents($path . $file, $content);

Say that $path = 'path/to' and $file = 'file.txt': you see that $path lacks its ending "/", so the resulting full path is 'path/tofile.txt'.

Then you look at 'path/to' and don't see any 'file.txt', although no warning or notice was thrown!
And may be (like for me :D) it'll take time before you realize that a bad 'tofile.txt' was created in the *parent* directory of the one where you were looking for your file.

vaneatona at gmail dot com

5 years ago

I'm updating a function that was posted, as it would fail if there was no directory. It also returns the final value so you can determine if the actual file was written.

    public static function file_force_contents($dir, $contents){
        $parts = explode('/', $dir);
        $file = array_pop($parts);
        $dir = '';

        foreach($parts as $part) {
            if (! is_dir($dir .= "{$part}/")) mkdir($dir);
        }

        return file_put_contents("{$dir}{$file}", $contents);
    }

aabaev arroba gmail coma com

6 years ago

I suggest to expand file_force_contents() function of TrentTompkins at gmail dot com by adding verification if patch is like: "../foo/bar/file"

if (strpos($dir, "../") === 0)
    $dir = str_replace("..", substr(__DIR__, 0, strrpos(__DIR__, "/")), $dir);

John Galt

13 years ago

I use file_put_contents() as a method of very simple hit counters. These are two different examples of extremely simple hit counters, put on one line of code, each.

Keep in mind that they're not all that efficient. You must have a file called counter.txt with the initial value of 0.

For a text hit counter:
<?php
$counter
= file_get_contents("counter.txt"); $counter++; file_put_contents("counter.txt", $counter); echo $counter;
?>

Or a graphic hit counter:
<?php
$counter
= file_get_contents("counter.txt"); $counter++; file_put_contents("counter.txt", $counter); for($i = 0; $i < strlen($counter); $i++) echo "<img src=\"counter/".substr($counter, $i, 1).".gif\" alt=\"".substr($counter, $i, 1)."\" />";
?>

wjsams at gmail dot com

13 years ago

file_put_contents() strips the last line ending

If you really want an extra line ending at the end of a file when writing with file_put_contents(), you must append an extra PHP_EOL to the end of the line as follows.

<?php
$a_str
= array("these","are","new","lines");
$contents = implode(PHP_EOL, $a_str);
$contents .= PHP_EOL . PHP_EOL;
file_put_contents("newfile.txt", $contents);
print(
"|$contents|");
?>

You can see that when you print $contents you get two extra line endings, but if you view the file newfile.txt, you only get one.

vahkos at mail dot ru

10 years ago

file_put_contents does not issue an error message if file name is incorrect(for example has improper symbols on the end of it /n,/t)
that is why use trim() for file name.
$name=trim($name);
file_put_contents($name,$content);

caiofior at gmail dot com

10 years ago

I had some troubles using file_put_contents with an absolute but no canonicalized path (eg. w:/htdocs/pri/../test/log.txt): on windows environment php was unable to create the file also using the realpath function .
I had to use fopen and frwite functions to write the data.

kola_lola at hotmail dot com

13 years ago

I wrote this script implementing the file_put_contents() and file_get_contents() functions to be compatible with both php4.* and php 5.*. It is a PHP Command line interface script which searches and replaces a specific word recursively through all files in the supplied directory hierarchy.

Usage from a Linux command line: ./scriptname specifieddirectory searchString replaceString

#!/usr/bin/php
<?php
$argc
= $_SERVER['argc'];
$argv = $_SERVER['argv'];

if(

$argc != 4)
{
echo
"This command replaces a search string with a replacement string\n for the contents of all files in a directory hierachy\n";
echo
"command usage: $argv[0]  directory searchString replaceString\n";
echo
"\n";
exit;
}
?><?phpif (!function_exists('file_put_contents')) {
    function
file_put_contents($filename, $data) {
       
$f = @fopen($filename, 'w');
        if (!
$f) {
            return
false;
        } else {
           
$bytes = fwrite($f, $data);
           
fclose($f);
            return
$bytes;
        }
    }
}

function

get_file_contents($filename)/* Returns the contents of file name passed

      */

{
      if (!
function_exists('file_get_contents'))
      {
     
$fhandle = fopen($filename, "r");
     
$fcontents = fread($fhandle, filesize($filename));
     
fclose($fhandle);
      }
      else
      {
     
$fcontents = file_get_contents($filename);
      }
      return
$fcontents;
      }
?><?phpfunction openFileSearchAndReplace($parentDirectory, $searchFor, $replaceWith)
{
//echo "debug here- line 1a\n";
//echo "$parentDirectory\n";
//echo "$searchFor\n";
//echo "$replaceWith\n";
if ($handle = opendir("$parentDirectory")) {
    while (
false !== ($file = readdir($handle))) {
        if ((
$file != "." && $file != "..") && !is_dir($file)) {
         
chdir("$parentDirectory"); //to make sure you are always in right directory
         // echo "$file\n";
        
$holdcontents = file_get_contents($file);
        
$holdcontents2 = str_replace($searchFor, $replaceWith, $holdcontents);
        
file_put_contents($file, $holdcontents2);
        
// echo "debug here- line 1\n";
         // echo "$file\n";
}
        if(
is_dir($file) && ($file != "." && $file != ".."))
        {
       
$holdpwd = getcwd();
       
//echo "holdpwd = $holdpwd \n";
       
$newdir = "$holdpwd"."/$file";
       
//echo "newdir = $newdir \n";  //for recursive call
       
openFileSearchAndReplace($newdir, $searchFor, $replaceWith);
       
//echo "debug here- line 2\n";
        //echo "$file\n";
       
}
    }
   
closedir($handle);
}
}
$parentDirectory2 = $argv[1];
$searchFor2 = $argv[2];
$replaceWith2 = $argv[3];//Please do not edit below to keep the rights to this script
//Free license, if contents below this line is not edited
echo "REPLACED\n'$searchFor2' with '$replaceWith2' recursively through directory listed below\nFor all files that current user has write permissions for\nDIRECTORY: '$parentDirectory2'\n";
echo
"command written by Kolapo Akande :) all rights reserved :)\n";$holdpwd = getcwd();
//echo "$holdpwd\n";
chdir($parentDirectory2);
openFileSearchAndReplace($parentDirectory2, $searchFor2, $replaceWith2);
exit;
?>

Curtis

15 years ago

As to the previous user note, it would be wise to include that code within a conditional statement, as to prevent re-defining file_put_contents and the FILE_APPEND constant in PHP 5:

<?php
  
if ( !function_exists('file_put_contents') && !defined('FILE_APPEND') ) {
   ...
   }
?>

Also, if the file could not be accessed for writing, the function should return boolean false, not 0. An error is different from 0 bytes written, in this case.

moura dot kadu at gmail dot com

11 years ago

I made ​​a ftp_put_contents function.

hope you enjoy.

<?phpfunction ftp_put_contents($fpc_path_and_name, $fpc_content) {//Temporary folder in the server
   
$cfg_temp_folder = str_replace("//", "/", $_SERVER['DOCUMENT_ROOT']."/_temp/");//Link to FTP
   
$cfg_ftp_server = "ftp://ftp.com";//FTP username
   
$cfg_user = "user";//FTP password
   
$cfg_pass = "password";//Document Root of FTP
   
$cfg_document_root = "DOCUMENT ROOT OF FTP";//Link to the website
   
$cfg_site_link = "Link to the website";//Check if conteins slash on the path of the file
   
$cotains_slash = strstr($fpc_path_and_name, "/");//Get filename and paths
   
if ($cotains_slash) {
       
$fpc_path_and_name_array = explode("/", $fpc_path_and_name);
       
$fpc_file_name = end($fpc_path_and_name_array);
    }
    else {
       
$fpc_file_name = $fpc_path_and_name;
    }
//Create local temp dir
   
if (!file_exists($cfg_temp_folder)) {
        if (!
mkdir($cfg_temp_folder, 0777)) {
            echo
"Unable to generate a temporary folder on the local server - $cfg_temp_folder.<br />";
            die();
        }
    }
//Create local file in temp dir
   
if (!file_put_contents(str_replace("//", "/", $cfg_temp_folder.$fpc_file_name), $fpc_content)) {
        echo
"Unable to generate the file in the temporary location - ".str_replace("//", "/", $cfg_temp_folder.$fpc_file_name).".<br />";
        die();
    }
//Connection to the FTP Server
   
$fpc_ftp_conn = ftp_connect("$cfg_ftp_server");//Check connection
   
if (!$fpc_ftp_conn) {
        echo
"Could not connect to server <b>$cfg_ftp_server</b>.<br />";
        die();
    }
    else {
// login
        // check username and password
       
if (!ftp_login($fpc_ftp_conn, "$cfg_user", "$cfg_pass")) {
            echo
"User or password.<br />";
            die();
        }
        else {
//Document Root
           
if (!ftp_chdir($fpc_ftp_conn, $cfg_document_root)) {
                echo
"Error to set Document Root.<br />";
                die();
            }
//Check if there are folders to create
           
if ($cotains_slash) {//Check if have folders and is not just the file name
               
if (count($fpc_path_and_name_array) > 1) {//Remove last array
                   
$fpc_remove_last_array = array_pop($fpc_path_and_name_array);//Checks if there slashs on the path
                   
if (substr($fpc_path_and_name,0,1) == "/") {
                       
$fpc_remove_first_array = array_shift($fpc_path_and_name_array);
                    }
//Create each folder on ftp
                   
foreach ($fpc_path_and_name_array as $fpc_ftp_path) {
                        if (!@
ftp_chdir($fpc_ftp_conn, $fpc_ftp_path)) {
                            if (!
ftp_mkdir($fpc_ftp_conn, $fpc_ftp_path)) {
                                echo
"Error creating directory $fpc_ftp_path.<br />";
                            }
                            else {
                                if (!
ftp_chdir($fpc_ftp_conn, $fpc_ftp_path)) {
                                    echo
"Error go to the directory $fpc_ftp_path.<br />";
                                }
                            }
                        }
                    }
                }
                else {

                                    }
            }

//Check upload file
           
if (!ftp_put($fpc_ftp_conn, $fpc_file_name, str_replace("//", "/", $cfg_temp_folder.$fpc_file_name), FTP_ASCII)) {
                echo
"File upload <b>$fpc_path_and_name</b> failed!<br />";
                die();
            }
            else {
                if (!
unlink(str_replace("//", "/", $cfg_temp_folder.$fpc_file_name))) {
                    echo
"Error deleting temporary file.<br />";
                    die();
                }
                else {
                    echo
"File upload <a href='$cfg_site_link".str_replace("//", "/", "/$fpc_path_and_name")."'><b>$cfg_site_link".str_replace("//", "/", "/$fpc_path_and_name")."</a></b> successfully performed.<br />";
                }
            }
//Close connection to FTP server
           
ftp_close($fpc_ftp_conn);
        }
    }
}
#Sample$content_file = "<!DOCTYPE html PUBLIC \"-//W3C//DTD XHTML 1.0 Transitional//EN\" \"http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd\">
<html xmlns=\"http://www.w3.org/1999/xhtml\">
<head>
<meta http-equiv=\"Content-Type\" content=\"text/html; charset=utf-8\" />
<title>Title</title>
</head>
<body>
<p>Test</p>
</body>
</html>"
;ftp_put_contents("test.php", $content_file);
?>

the geek man at hot mail point com

14 years ago

I use the following code to create a rudimentary text editor. It's not fancy, but then it doesn't have to be. You could easily add a parameter to specify a file to edit; I have not done so to avoid the potential security headaches.

There are still obvious security holes here, but for most applications it should be reasonably safe if implemented for brief periods in a counterintuitive spot. (Nobody says you have to make a PHP file for that purpose; you can tack it on anywhere, so long as it is at the beginning of a file.)

<?php
$random1
= 'randomly_generated_string';
$random2 = 'another_randomly_generated_string';
$target_file = 'file_to_edit.php';
$this_file = 'the_current_file.php';

if (

$_REQUEST[$random1] === $random2) {
    if (isset(
$_POST['content']))
       
file_put_contents($target_file, get_magic_quotes_qpc() ? stripslashes($_POST['content']) : $_POST['content']);

        die(

'<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.1//EN" "http://www.w3.org/TR/xhtml11/DTD/xhtml11.dtd">
<html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en">
    <head>
        <title>Editing...</title>
    </head>
    <body>
        <form method="post" action="'
. $this_file . '" />
        <input type="hidden" name="'
. $random1 . '" value="' . $random2 . '" />
        <textarea name="content" rows="50" cols="100">'
. file_get_contents($target_file) . '</textarea><br />
        <input type="submit" value="Save Changes" />
        </form>
    </body>
</html>'
);
}
?>

Then simply browse to hxxp://www.example.com/{$this_file}?{$random1}={$random2}, with the appropriate values substituted for each bracketed variable. Please note that this code assumes the target file to be world writable (-rw-rw-rw- or 666) and will fail to save properly without error if it is not.

Once again, this is by no means secure or permanent, but as a quick fix for brief edits to noncritical files it should be sufficient, and its small size is a definite bonus.

marc at gutt dot it

5 years ago

This php.net example could be confusing:
<?php
file_put_contents
($file, $person, FILE_APPEND | LOCK_EX);
?>

You do not need LOCK_EX if you write only to a file (like log files). Multiple writing processes are already queued. Test it on your own by calling this script 4 times simultaneously:
<?php
function string_rand($len, $split="\n") {
    return
substr(chunk_split(bin2hex(openssl_random_pseudo_bytes(ceil($len / 2))), 1023, $split), 0, $len);
}
ini_set('memory_limit', '200M');

if (!

file_put_contents('../cache4/file.txt', string_rand(102400000), FILE_APPEND)) {
    exit(
'file_put_contents() error!');
}
clearstatcache();
echo
'filesize: ' . filesize('../cache4/file.txt') . PHP_EOL;$fp = fopen('../cache4/file.txt', 'r');
if (
$fp) {
    while ((
$line = fgets($fp)) !== false) {
        if (
strlen($line) != 1024) {
            exit(
'Line length error!');
        }
    }
   
fclose($fp);
}
?>

You will not see an error, the last called script needs the longest time (as it is the last one in the queue) and the final size will be 409600000 bytes as it should be.

vilhar at hotmail dot com

6 years ago

This should also handle $filename from other than root and also $filename without path.

function file_force_contents($filename, $data, $per = 0755, $flags = 0) {
        $fn = "";
    if(substr($filename, 0, 1) === "/") $fn .= "/";
    $parts = explode("/", $filename);
        $file = array_pop($parts);

             foreach($parts as $part) {
            if(!is_dir($fn .= "$part")) mkdir($fn, $per, true);
        $fn .= "/";
    }

        file_put_contents($fn.$file, $data, $flags);  
}

egingell at sisna dot com

14 years ago

There is a better way. www.php.net/touch

Since you're not adding anything to the file,

<?php
function updateFile($filename) {
    if (!
file_exists($filename)) return;
   
touch($filename);
}
?>

Nadeem

7 years ago

Log custom or error messages to a file.

<?phpclass Logger{

    protected

$file;

            protected

$content;

        protected

$writeFlag;

        protected

$endRow;

        public function

__construct($file,$endRow="\n",$writeFlag=FILE_APPEND) { $this->file=$file;$this->writeFlag=$writeFlag;$this->endRow=$endRow;

            }

            public function

AddRow($content="",$newLines=1){

                for (

$m=0;$m<$newLines;$m++)
        {
$newRow .= $this->endRow;

                    }

$this->content .= $content . $newRow;

            }

            public function

Commit(){

                return

file_put_contents($this->file,$this->content,$this->writeFlag);

            }

        public function

LogError($error,$newLines=1)
    {
        if (
$error!=""){$this->AddRow($error,$newLines);
            echo
$error;

                    }

            }

}

$logFileDirectoryAndName="/yourDirectory/yourFileName.xxx";$logger = new Logger($logFileDirectoryAndName);$logger->AddRow("Your Log Message");#log a system error and echo a message
$logger->LogError(mysql_error($conn));$logger->Commit();
?>

klunker dot roox at gmail dot com

7 years ago

if path to the file not exist function file_put_contents can't create it. This simple function make it on UNIX-based and Windows servers.
<?php
function file_put_contents_force(){
   
$args = func_get_args();
   
$path = str_replace(array('/','\\'), DIRECTORY_SEPARATOR, $args[0]);
   
$parts = explode(DIRECTORY_SEPARATOR, $path);
   
array_pop($parts);
   
$directory '';
    foreach(
$parts as $part):
       
$check_path = $directory.$part;
            if(
is_dir($check_path.DIRECTORY_SEPARATOR) === FALSE) {
               
mkdir($check_path, 0755);
            }
           
$directory = $check_path.DIRECTORY_SEPARATOR;
    endforeach;    
   
call_user_func_array('file_put_contents',$args);
}
?>

clement dot delmas at gmail dot com

12 years ago

NOTE : file_put_contents doesn't add a valid BOM while creating the file

<?php
$myFile
= 'test.txt';
$myContent = 'I love PHP'; file_put_contents($myFile, "\xEF\xBB\xBF".$myContent);
?>

hilton at allcor dot com dot br

11 years ago

NOTE : file_put_contents create files UTF-8

<?php
$myFile
= 'test.txt';
$myContent = 'I love PHP'; file_put_contents($myFile, utf8_encode($myContent));
?>

Abe

4 years ago

If you need to read a file, process the contents, and then write the contents back, all inside a lock so that no other process can interfere, then you probably can't use file_put_contents in lock mode.

As a work around, you can consider trying the following code to do a file write (fwrite) inside of a file lock.

Play with the $overwriting= setting to switch from simply appending to completely overwriting.

      <?php
     
// Tested in PHP7.0.18$trackErrors = ini_get('track_errors');
     
ini_set('track_errors', 1);$filename="c:/temp/test.txt";

      if ( !

file_exists($filename) ) {
        
touch($filename);
      }
$mode="r+";
     
$fh=fopen($filename, $mode);
      if ( !
$fh ) {
         echo
"<LI style='color:red'>Failed to open $filename in $mode";
         die();
      }

      if (

1==1 ) {
        
flock($fh, LOCK_EX);

         if (

1==1 ) {
             if (
filesize($filename) > 0) {
              
$txt = fread($fh, filesize($filename));
               echo
"BEFORE:<OL>$txt</OL>";
            }
            else {
              
$txt = "empty";
            }
$txt = "<LI>Date is now " . gmdate("Y-m-d H:i:s", time());

            echo

"<HR>WRITING:<OL>";
            if (
1==1 ) {$overwrite = false;
               if (
$overwrite) {
                  echo
"(Overwrite)<BR><BR>";
                 
ftruncate($fh, 0);
                 
// ftruncate is here as rewind will move the pointer
                  // to the beginning of the file and allow overwrite,
                  // but it will not remove existing content that
                  // extends beyond the length of the new write
                 
rewind($fh);
               }
               else {
                  echo
"(Appending)<BR><BR>";
               }

               if (

fwrite($fh, $txt) == FALSE) {
                  echo
"<LI style='color:red'>Failed to write to $filename";
                  die();
               }
               else {
                  echo
"$txt";
               }
              
fflush($fh);

            }
            echo

"</OL>";
         }
        
flock($fh, LOCK_UN);
      }
     
fclose($fh);// -------------------------------------------------------------------echo "<HR>AFTER:<OL>";
      if (
1==2 ) {
         
// I've noticed that this block fails to pick up the newly
          // written content when run with fread, but does work with
          // the fgets logic below - possibly there is caching going on.
         
$mode = "r";
         
$fh2 = fopen($filename, $mode);
         
$contents = fread($fh2, filesize($filename));
          echo
"$contents";
         
fclose($fh2);
      }
      else {
         
$fh3 = fopen($filename, "r");
          while (!
feof($fh3)) {
             
$line = fgets($fh3);
              echo
$line;
          }
         
fclose($fh3);
      }
      echo
"</OL>";

      echo

"<HR>Fin";
     
?>

josemiguel at likeik dot com

6 years ago

Under PHP7.0, I have seen that using an empty string as $data, the function returns FALSE instead of 0 as it should:

        $data = ''
        $size = file_put_contents($filename, $data, FILE_APPEND);
        if ($size == FALSE)
        {
               echo "error writing file"
        }

Code will give error when $data is an empty string even using == operator.

Hope it helps somebody...

admin at nabito dot net

14 years ago

This is example, how to save Error Array into simple log file

<?php

$error

[] = 'some error';
$error[] = 'some error 2';

@

file_put_contents('log.txt',date('c')."\n".implode("\n", $error),FILE_APPEND);?>

jul dot rosset at gmail dot com

1 year ago

This function doesn't return False if all data isn't write, especially when data is a stream resource

You must check yourself using return value.
<?php
    $url
= 'https://monsite.fr/image.png';
   
$size = filesize($url);
   
$written = file_put_contents('image.png', fopen($url, 'r'));
    if (
$size === false || $size != $written) {
        die(
'Download failed');
    }
?>

How do I save and run a PHP file?

php” file is placed inside the “htdocs” folder. If you want to run it, open any web browser and enter “localhost/demo. php” and press enter. Your program will run.

Where do I save PHP programs?

Note: PHP program must be saved in the htdocs folder, which resides inside the xampp folder, where you installed the XAMPP.

How do you create a PHP file?

PHP Create File - fopen() The fopen() function is also used to create a file. Maybe a little confusing, but in PHP, a file is created using the same function used to open files. If you use fopen() on a file that does not exist, it will create it, given that the file is opened for writing (w) or appending (a).

How do I write a PHP script?

After saving your code file into the htdocs folder follow the below steps..
Open XAMPP control panel..
Start Apache and MySQL servers..
Go to any browser and type localhost/filename. php in the search box..
If you save your PHP code in a subfolder in htdocs, then type localhost/subfolder_name/filename.php..

Can I write PHP in Notepad?

You don't need any fancy programs to work with the PHP programming language. PHP code is written in plain text. All Windows computers including those running Windows 10 come with a program called Notepad that creates and modifies plain-text documents.

Can PHP file be saved as HTML?

If you really want to serve your PHP code with . html files, it can be done. Your web server is configured to detect the file type by looking at the extension. By default it will route .