使用php,我正在尝试创建一个脚本,该脚本将在文本文件中搜索并抓取整行并回显它。
我有一个标题为“numorder.txt”的文本文件(.txt),在该文本文件中,有几行数据,每5分钟就有一行新的(使用cron作业)。数据类似于:
2 aullah1
7 name
12 username
我如何创建一个php脚本来搜索数据“aullah1”,然后抓住整行并回显它? (一旦回应,它应该显示“2 aullah1”(没有引号)。
如果我没有清楚解释和/或您希望我更详细地解释,请发表评论。
答案 0 :(得分:67)
在PHP示例中,将显示多个匹配行:
<?php
$file = 'somefile.txt';
$searchfor = 'name';
// the following line prevents the browser from parsing this as HTML.
header('Content-Type: text/plain');
// get the file contents, assuming the file to be readable (and exist)
$contents = file_get_contents($file);
// escape special characters in the query
$pattern = preg_quote($searchfor, '/');
// finalise the regular expression, matching the whole line
$pattern = "/^.*$pattern.*\$/m";
// search, and store all matching occurences in $matches
if(preg_match_all($pattern, $contents, $matches)){
echo "Found matches:\n";
echo implode("\n", $matches[0]);
}
else{
echo "No matches found";
}
答案 1 :(得分:47)
这样做。这种方法可让您搜索任意大小的文件(大尺寸不会导致脚本崩溃)并返回匹配所需字符串的所有行。
<?php
$searchthis = "mystring";
$matches = array();
$handle = @fopen("path/to/inputfile.txt", "r");
if ($handle)
{
while (!feof($handle))
{
$buffer = fgets($handle);
if(strpos($buffer, $searchthis) !== FALSE)
$matches[] = $buffer;
}
fclose($handle);
}
//show results:
print_r($matches);
?>
请注意!==
与{{1}}运算符一起使用的方式。
答案 2 :(得分:18)
<?php
// What to look for
$search = 'foo';
// Read from file
$lines = file('file.txt');
foreach($lines as $line)
{
// Check if the line contains the string we're looking for, and print if it does
if(strpos($line, $search) !== false)
echo $line;
}
在此文件上测试时:
foozah
barzah
abczah
输出:
foozah
<强>更新强>
要在找不到文本时显示文本,请使用以下内容:
<?php
$search = 'foo';
$lines = file('file.txt');
// Store true when the text is found
$found = false;
foreach($lines as $line)
{
if(strpos($line, $search) !== false)
{
$found = true;
echo $line;
}
}
// If the text was not found, show a message
if(!$found)
{
echo 'No match found';
}
我在这里使用$found
变量来查明是否找到了匹配项。
答案 3 :(得分:4)
看起来你最好系统化到system("grep \"$QUERY\"")
,因为无论哪种方式,该脚本都不会有特别高的性能。否则http://php.net/manual/en/function.file.php会向您展示如何循环播放行,您可以使用http://php.net/manual/en/function.strstr.php来查找匹配项。
答案 4 :(得分:3)
<?php
// script.php
$searchfor = $_GET['keyword'];
$file = 'users.txt';
$contents = file_get_contents($file);
$pattern = preg_quote($searchfor, '/');
$pattern = "/^.*$pattern.*\$/m";
if(preg_match_all($pattern, $contents, $matches)){
echo "Found matches:<br />";
echo implode("<br />", $matches[0]);
}
else{
echo "No matches found";
fclose ($file);
}
?>
答案 5 :(得分:2)
$needle = "blah";
$content = file_get_contents('file.txt');
preg_match('~^(.*'.$needle.'.*)$~',$content,$line);
echo $line[1];
尽管用fopen()和fread()逐行读取并使用strpos()
可能会更好