Let’s count how many ways there are
One of the joys of working with a modern programming language like PHP is the vast number of options available. PHP easily wins Perl's motto "There's more than one way to do it", especially when it comes to file handling. But with so many options available, which one is the best tool for the job? Of course, the actual answer depends on your goals for parsing the file, so it's worth taking the time to explore all options.
Back to top
The traditional fopen method
The fopen method is probably most familiar to former C and C++ programmers, because if you've used those languages, they're more or less tools you've had at your disposal for years. For either of these methods, the file is opened by the standard method of using fopen (the function used to read data), and then closed using fclose, as shown in Listing 1.
Listing 1. Open and read files with fgets
$file_handle = fopen("myfile", "r");
while (!feof($file_handle)) {
$line = fgets($file_handle);
echo $ line;
}
fclose($file_handle);
While most programmers with years of programming experience will be familiar with these functions, let me break them down. Effectively perform the following steps:
Open the file. $file_handle stores a reference to the file itself.
Check if you have reached the end of the file.
Continue reading the file until the end of the file is reached, printing each line as it is read.
Close the file.
With these steps in mind, I will review every file function used here.
fopen The
fopen function will create a connection to a file. I say "create a connection" because in addition to opening a file, fopen can also open a URL: $fh = fopen("http://127.0.0.1/", "r");
This line of code will Creates a connection to the page above and allows you to start reading it as if it were a local file.
Note: The "r" used in fopen will instruct the file to be opened read-only. Since writing data to a file is outside the scope of this article, I won't list all other options. However, if reading from a binary file for cross-platform compatibility, "r" should be changed to "rb". You'll see an example of this later.
feof The
feof command will detect if you have reached the end of the file and return True or False. The loop in Listing 1 continues until you reach the end of the file "myfile". Note: feof will also return False if a URL is being read and the socket times out because there is no more data to read.
fclose
Skipping forward to the end of Listing 1, fclose will do the opposite of fopen: it will close the connection to a file or URL. After executing this function, you will no longer be able to read any information from the file or socket.
fgets
Jump back a few lines in Listing 1 and you get to the heart of file processing: actually reading the file. The fgets function is the weapon of choice for the first example. It will extract a row of data from the file and return it as a string. After that, you can print or otherwise manipulate the data. The example in Listing 1 will print the entire file fine.
If you decide to limit the size of the processed data chunks, you can add a parameter to fgets to limit the maximum row length. For example, use the following code to limit the line length to 80 characters: $string = fgets($file_handle, 81);
Recall the "
Assuming the file size is no more than 8 KB, the following code should be able to read the entire file into a string. $fh = fopen("myfile", "rb");
$data = fread($fh, filesize("myfile"));
fclose($fh);
Can only be used if the file length is greater than this value Loop to read in the rest.
fscanf
Back to string processing, fscanf also follows the traditional C file library function. If you're not familiar with it, fscanf reads field data from a file into variables. list ($field1, $field2, $field3) = fscanf($fh, "%s %s %s");
The format string used by this function is described in many places (such as PHP.net), so I won’t go into details here. Suffice to say, string formatting is extremely flexible. It is worth noting that all fields are placed in the return value of the function. (In C, they are all passed as arguments.)
fgetss The
fgetss function differs from traditional file functions and allows you to better understand the power of PHP. This function functions like the fgets function, but will strip any HTML or PHP tags found, leaving only plain text. View the HTML file shown below.
Listing 2. Sample HTML file
If you understand what "Cause there ain't no one for to give you no pain"
means then you listen to too much of the band America
Then filter it through the fgetss function.
Listing 3. Using fgetss
$file_handle = fopen("myfile", "r");
while (!feof($file_handle)) {
echo = fgetss($file_handle);
}
fclose($file_handle);
Here is the output: My title
If you understand what "Cause there ain't no one for to give you no pain"
means then you listen to too much of the band America
fpassthru function
No matter how you read the file, you You can use fpassthru to dump the remaining data to the standard output channel. fpassthru($fh);
Also, this function will print the data, so there is no need to use variables to get the data.
Nonlinear file processing: skip access
Of course, the above function only allows sequential reading of files. More complex files may require you to jump back and forth to different parts of the file. This is where fseek comes in handy. fseek($fh, 0);
The above example will jump back to the beginning of the file. If you don't need to return exactly - we can specify to return kilobytes - then you can write: fseek($fh, 1024);
Starting with PHP V4.0, you have some other options. For example, if you need to jump forward 100 bytes from the current position, you can try using: fseek($fh, 100, SEEK_CUR);
Similarly, you can use the following code to jump back 100 bytes: fseek( $fh, -100, SEEK_CUR);
If you need to jump backward to 100 bytes before the end of the file, you should use SEEK_END. fseek($fh, -100, SEEK_END);
After reaching the new location, you can use fgets, fscanf or any other method to read the data.
Note: fseek cannot be used for file processing referencing URLs.
Back to top
Extract the entire file
Now, we'll touch on some of PHP's more unique file-handling features: processing large chunks of data in a line or two. For example, how to extract a file and display its entire contents on a web page? Okay, you saw an example of fgets using a loop. But how can this process be made easier? The process is super easy with fgetcontents, which puts the entire file into a string. $my_file = file_get_contents("myfilename");
echo $my_file;
Although it is not the best practice, this command can be written more concisely as: echo file_get_contents("myfilename");
This article mainly introduces how Process local files, but it's worth noting that you can also use these functions to extract, echo, and parse other Web pages. echo file_get_contents("http://127.0.0.1/");
This command is equivalent to: $fh = fopen("http://127.0.0.1/", "r");
fpassthru($fh);
You're bound to look at this command and think: "That's still too much effort".PHP developers agree with you. So the above command can be shortened to: readfile("http://127.0.0.1/");
The readfile function will dump the entire contents of the file or web page to the default output buffer. By default, this command will print an error message if it fails. To avoid this behavior (if necessary), try: @readfile("http://127.0.0.1/");
Of course, if you really need to parse the file, the single string returned by file_get_contents may be a bit unpalatable. Your first instinct might be to break it up using the split() function. $array = split("n", file_get_contents("myfile"));
But why go to all this trouble when there's already a great function that does it for you? PHP's file() function does this in one step: it returns an array of strings divided into lines. $array = file("myfile");
It should be noted that there is a slight difference between the above two examples. Although the split command will remove new lines, when using the file command (as with the fgets command), new lines will still be appended to the strings in the array.
However, the power of PHP goes far beyond that. You can use parse_ini_file to parse an entire PHP-style .ini file in a single command. The parse_ini_file command accepts a file similar to the one shown in Listing 4.
Listing 4. Sample .ini file
; Comment
[personal information]
name = "King Arthur"
quest = To seek the holy grail
favorite color = Blue
[more stuff]
Samuel Clemens = Mark Twain
Caryn Johnson = Whoopi Goldberg
The following command will dump this file into an array and then print the array: $file_array = parse_ini_file("holy_grail.ini");
print_r $file_array;
The following output is the result:
Listing 5. Output
Array
(
[name] => King Arthur
[quest] => To seek the Holy Grail
[favorite color] => Blue
[Samuel Clemens] => Mark Twain
[Caryn Johnson] = > Whoopi Goldberg
)
Of course, you may notice that this command merges the parts. This is the default behavior, but you can easily fix it by passing the second argument to parse_ini_file: process_sections, which is a boolean variable. Set process_sections to True. $file_array = parse_ini_file("holy_grail.ini", true);
print_r $file_array;
and you will get the following output:
Listing 6. Output
Array
(
[personal information] => Array
(
[name ] => King Arthur
[quest] => To seek the Holy Grail
[favorite color] => Blue
)
[more stuff] => Array
(
[Samuel Clemens] => Mark Twain
[Caryn Johnson] => Whoopi Goldberg
)
)
PHP will put the data into a multidimensional array that can be easily parsed.
This is just the tip of the iceberg when it comes to PHP file processing. More complex functions such as tidy_parse_file and xml_parse can help you process HTML and XML documents respectively. See Resources for details on the use of these special functions. Those references are worth a look if you're dealing with those types of files, but without overthinking every file type you might encounter that's been talked about in this article, here are some good ones for working with the functions covered so far general rules.
Back to Top
Best Practices
Never assume that everything in your program will run as planned. For example, what if the file you're looking for has been moved? What if the permissions have been changed and its contents cannot be read? You can check for these issues beforehand by using file_exists and is_readable.
Listing 7. Using file_exists and is_readable
$filename = "myfile";
if (file_exists($filename) && is_readable ($filename)) {
$fh = fopen($filename, "r");
# Processing
fclose($fh);
}
However, in practice, using such code may be too cumbersome. Handling fopen's return value is simpler and more accurate. if ($fh = fopen($filename, "r")) {
# Processing
fclose($fh);
}
Since fopen will return False on failure, this will ensure that file processing is only performed if the file is successfully opened. . Of course, if the file does not exist or is not readable, you can expect a negative return value. This will allow the inspection to check for all problems that may be encountered. Additionally, if the opening fails, you can exit the program or have the program display an error message.
Like the fopen function, the file_get_contents, file and readfile functions all return False when opening fails or when processing the file fails. The fgets, fgetss, fread, fscanf, and fclose functions also return False on error. Of course, you may have handled the return values of all of these functions except fclose. When using fclose, nothing is done even if file handling is not closed gracefully, so it is usually not necessary to check the return value of fclose.
Back to top
The choice is yours
PHP has no shortage of efficient ways to read and parse files. A typical function like fread may be the best choice most of the time, or you may find yourself more attracted to the simplicity of readfile when readfile is just right for the task. It really depends on what is being done.
If you are dealing with large amounts of data, fscanf will prove its worth and be more efficient than using file with the split and sprintf commands. Conversely, if you want to echo a large amount of text with only minor modifications, it may be more appropriate to use file, file_get_contents, or readfile. This may be the case when using PHP for caching or creating a stopgap proxy server.
PHP provides you with a large number of tools for processing files. Learn more about these tools and see which ones are best suited for the project you're working on. You already have a lot of options, so take advantage of them and enjoy working with files in PHP.
The above introduces the correct method of reading files in PHP, including the content of reading files. I hope it will be helpful to friends who are interested in PHP tutorials.

如何使用C#中的File.ReadAllText函数读取文本文件内容在C#编程中,我们经常需要读取文本文件的内容。File.ReadAllText是一个非常方便的函数,可以帮助我们快速读取文本文件的全部内容。本文将介绍如何使用File.ReadAllText函数,并提供具体代码示例。首先,我们需要引入System.IO命名空间,以便使用File类的相关方法。

PHP读取文件内容:实现数据导入和解析的步骤导入和解析文件内容是在Web开发中非常常见的操作之一。使用PHP可以轻松实现文件导入和解析,本文将介绍实现这一过程的步骤,并提供代码示例。步骤一:选择要导入和解析的文件在PHP中,首先需要选择要导入和解析的文件。可以使用文件选择表单或手动指定文件路径。以下是一个文件选择表单的示例代码:<formmethod

标题:使用ioutil.ReadFile函数读取文件内容并返回字节切片文章内容:在Go语言的标准库中,有一个非常常用的函数ioutil.ReadFile(),它可以用来从指定的文件中读取内容,并返回一个字节切片。这个函数提供了一种简单而便捷的方式来读取文件,并可以方便地将文件内容进行进一步的处理。下面,我们将以一个简单的代码示例来展示如何使用ioutil.R

文件是无处不在的,无论我们使用哪种编程语言,处理文件对于每个程序员都是必不可少的文件处理是一种用于创建文件、写入数据和从中读取数据的过程,Python 拥有丰富的用于处理不同文件类型的包,从而使得我们可以更加轻松方便的完成文件处理的工作本文大纲:使用上下文管理器打开文件Python 中的文件读取模式读取 text 文件读取 CSV 文件读取 JSON 文件打开文件在访问文件的内容之前,我们需要打开文件。Python 提供了一个内置函数可以帮助我们以不同的模式打开文件。open() 函数接受两个基

在PHP中,我们常常需要从文件中读取数据。在这种情况下,我们可以使用file_get_contents函数。这个函数可以简单地从一个文件中读取所有内容,并将其作为一个字符串返回。这在许多场景下都非常有用,例如读取配置文件、读取日志文件等。在本文中,我们将介绍如何使用PHP中的file_get_contents函数来读取文件内容。步骤1:打开文件在使用file

Python底层技术解析:如何实现文件读写,需要具体代码示例在Python编程中,文件操作是非常常见和重要的操作之一。文件读写涉及到Python底层的I/O技术。本文将探讨如何利用Python实现文件读写操作,并提供具体的代码示例。一、文件读取Python提供了多种方法用于读取文件内容,最常见的包括使用open()函数和使用with语句。使用open()函数

标题:使用ioutil.ReadFile函数读取文件内容并返回字符串在Go语言中,有许多方法可以读取文件内容并进行处理,其中之一是使用ioutil包中的ReadFile函数。本文将介绍如何使用ioutil.ReadFile函数读取文件,并将其内容以字符串形式返回。ioutil.ReadFile函数是Go语言标准库中提供的一个便捷的读取文件内容的方法。它接受一

PHP文件处理入门:深入理解读取和写入的基本步骤在PHP开发中,文件处理是一项非常常见且重要的任务。无论是读取文件的内容,还是将数据写入文件中,都可以通过PHP提供的内置函数来实现。本文将介绍PHP文件处理的基本步骤,并提供一些代码示例供参考。一、读取文件的基本步骤读取文件是我们在处理文件时经常需要进行的操作。下面是一个基本的读取文件的步骤:使用fopen(


Hot AI Tools

Undresser.AI Undress
AI-powered app for creating realistic nude photos

AI Clothes Remover
Online AI tool for removing clothes from photos.

Undress AI Tool
Undress images for free

Clothoff.io
AI clothes remover

AI Hentai Generator
Generate AI Hentai for free.

Hot Article

Hot Tools

MantisBT
Mantis is an easy-to-deploy web-based defect tracking tool designed to aid in product defect tracking. It requires PHP, MySQL and a web server. Check out our demo and hosting services.

mPDF
mPDF is a PHP library that can generate PDF files from UTF-8 encoded HTML. The original author, Ian Back, wrote mPDF to output PDF files "on the fly" from his website and handle different languages. It is slower than original scripts like HTML2FPDF and produces larger files when using Unicode fonts, but supports CSS styles etc. and has a lot of enhancements. Supports almost all languages, including RTL (Arabic and Hebrew) and CJK (Chinese, Japanese and Korean). Supports nested block-level elements (such as P, DIV),

Zend Studio 13.0.1
Powerful PHP integrated development environment

Dreamweaver CS6
Visual web development tools

Safe Exam Browser
Safe Exam Browser is a secure browser environment for taking online exams securely. This software turns any computer into a secure workstation. It controls access to any utility and prevents students from using unauthorized resources.
