从包含Semicolons的PHP读取INI文件

时间:2014-11-11 00:48:22

标签: php parsing ini

我必须在PHP中读取包含带分号的条目的配置文件,例如

[section]
key=value;othervalue

我注意到parse_ini_file()删除了所有分号以及后面的内容,即使设置为INI_SCANNER_RAW

INI文件来自遗留系统,我无法更改格式。我只需阅读它们。

当我必须用分号保留条目时,最好的工具是什么?

2 个答案:

答案 0 :(得分:4)

我建议首先将文件读入数组,将分号转换为管道|,然后将其吐出到临时文件中,并将parse_ini_file()与新的临时文件一起使用。

像这样...

$string = file_get_contents('your_file');

$newstring = str_replace(";","|",$string);

$tempfile = 'your_temp_filename';

file_put_contents($tempfile, $newstring);

$arrIni = parse_ini_file($tempfile);

然后,在枚举新的基于INI的数组时,总是可以用分号替换管道。

答案 1 :(得分:1)

对于ini文件,;是注释符号。 因此,不将其用于其他目的实际上是一个好主意。

但是,您可以使用here找到的解决方案中稍微修改过的函数:

<?php
//Credits to goulven.ch AT gmail DOT com 
function parse_ini ( $filepath )
{
    $ini = file( $filepath );
    if ( count( $ini ) == 0 ) { return array(); }
    $sections = array();
    $values = array();
    $globals = array();

    $i = 0;
    foreach( $ini as $line ){
        $line = trim( $line );
        // Comments
        if ( $line == '' || $line{0} == ';' ) { continue; }
        // Sections
        if ( $line{0} == '[' )
        {
            $sections[] = substr( $line, 1, -1 );
            $i++;
            continue;
        }
        // Key-value pair
        list( $key, $value ) = explode( '=', $line, 2 );        
        $key = trim( $key );
        $value = trim( $value );

        if (strpos($value, ";") !== false)
            $value = explode(";", $value);

        if ( $i == 0 ) {
            // Array values
            if ( substr( $line, -1, 2 ) == '[]' ) {
                $globals[ $key ][] = $value;
            } else {
                $globals[ $key ] = $value;
            }
        } else {
            // Array values
            if ( substr( $line, -1, 2 ) == '[]' ) {
                $values[ $i - 1 ][ $key ][] = $value;
            } else {
                $values[ $i - 1 ][ $key ] = $value;
            }
        }
    }
    for( $j=0; $j<$i; $j++ ) {
        $result[ $sections[ $j ] ] = $values[ $j ];
    }
    return $result + $globals;
}

您可以在链接后看到使用示例。