Reputation: 3
I would like to replace sentences by a code in a large file. I've tried to use str_replace, but because in the file there some of the same words of the sentence, my code replaces them and doesn't recognize the sentence!
<?php
// sentences,txt
// 12345Temple of Cheope
// ..........
// 99999Cheope
set_time_limit(0);
$GetCodice=@fopen("sentences.txt", "r");
if ($GetCodice) {
while(!feof($GetCodice)) {
$StoreCodice=fgets($GetCodice,4096);
$codice='".'.substr($StoreCodice, 0, 6).'."'; // abcd
$msg=trim(substr($StoreCodice, 6)); // abcd
echo $msg."<br>";
$n=0;
$file = 'longfile.php';
replace_file($file, $msg, $codice);
}
fclose($GetCodice);
}
// From https://stackoverflow.com/questions/2159059/string-replace-in-a-large-file-with-php
function replace_file($path,$string, $replace)
{
set_time_limit(0);
if (is_file($path) === true)
{
$file = fopen($path, 'r');
$temp = tempnam('./', 'tmp');
if (is_resource($file) === true)
{
while (feof($file) === false)
{
file_put_contents($temp, str_replace($string, $replace, fgets($file)), FILE_APPEND);
}
fclose($file);
}
unlink($path);
}
echo $replace."<BR>";
return rename($temp, $path);
}
?>
The sentences are ordered according to their descending length. I thought that this order would avoid replacing a shorter sentence or word in a longer sentence. I expect the output
12345
.....
99999
but the actual output is
Temple of 9999
.....
99999
Can I get some help?
Thank you in advance
Upvotes: 0
Views: 216
Reputation: 780
according to what you said and what I understand from you , this is what you need:
set_time_limit( 0 );
// Initialization
$inputfile = "sentences.txt";
$outputFile = 'longfile.php';
$matches = array();
$extractedNumbers = array();
$numberOfLines = count( file( $inputfile ) );
$numberOfReadedLines = 1; // this will be used to check if the counter is on the last line or not;
// Implementation
$GetCodice = @fopen( $inputfile, "r" );
$newfile = @fopen( $outputFile, 'w+' );
if ( $GetCodice ) {
while ( ( $line = fgets( $GetCodice ) ) !== false ) {
preg_match( '/^[0-9]+/m', $line, $matches );
array_push( $extractedNumbers, $matches[0] );
$position = sizeof( $extractedNumbers ) - 1;
if ( $numberOfReadedLines == $numberOfLines ) { // if the counter is in the last line then we don't need to write a new empty line with the "\r"
$newOutputLine = $extractedNumbers[ $position ];
} else {
$newOutputLine = $extractedNumbers[ $position ] . "\r";
}
fwrite( $newfile, $newOutputLine );
$numberOfReadedLines++;
//replace_file($file, $msg, $codice);
}
fclose( $newfile );
fclose( $GetCodice );
}
(if this is not what you need so feel free to comment, we can find an ameliorations, i just need more examples to understand your need more)
Upvotes: 1