5

我正在使用一个文件,我有一个名为 DIR 的部分,其中包含路径。前任:

[DIR]
DirTo=D:\Ashish\Jab Tak hai Jaan
DirBackup = D:\Parser\ERICSSON_CSCORE_STANDARD_VMS\Backup
ErrorDir = D:\Parser\ERICSSON_CSCORE_STANDARD_VMS\Error

CombinerDir = D:\Parser\ERICSSON_CSCORE_STANDARD_VMS\Combiner
DirFrom=D:\Parser\ERICSSON_CSCORE_STANDARD_VMS\In
PidFileDIR = D:\Parser\ERICSSON_CSCORE_STANDARD_VMS\Pid
LogDir = D:\Parser\ERICSSON_CSCORE_STANDARD_VMS\Log   
TempDir = D:\Parser\ERICSSON_CSCORE_STANDARD_VMS\Temp

现在我想替换我已经完成的路径,但是当我替换它时,在新写入的.ini文件中的分隔符之前和之前给我空格。例如:DirTo = D:\Parser\Backup。我如何删除这些空间?

代码:

def changeINIfile():
    config=ConfigParser.RawConfigParser(allow_no_value=False)
    config.optionxform=lambda option: option
    cfgfile=open(r"D:\Parser\ERICSSON_CSCORE_STANDARD_VMS\Windows\opx_PAR_GEN_660_ERICSSON_CSCORE_STANDARD_PM_VMS_MALAYSIA.ini","w")
    config.set('DIR','DirTo','D:\Ashish\Jab Tak hai Jaan')
    config.optionxform=str
    config.write(cfgfile)
    cfgfile.close()
4

3 回答 3

12

我遇到了这个问题,我想出了一个额外的解决方案。

  • 我不想替换该函数,因为 Python 的未来版本可能会更改 RawConfigParser 的内部函数结构。
  • 我也不想在文件写入后立即重新读取文件,因为这似乎很浪费

相反,我在文件对象周围编写了一个包装器,它只是在通过它编写的所有行中将“=”替换为“=”。

class EqualsSpaceRemover:
    output_file = None
    def __init__( self, new_output_file ):
        self.output_file = new_output_file

    def write( self, what ):
        self.output_file.write( what.replace( " = ", "=", 1 ) )

config.write( EqualsSpaceRemover( cfgfile ) )
于 2014-08-01T15:52:19.777 回答
2

我知道这是一个非常古老的问题,但最新版本的Configparser解决方案很简单。只需使用:

parser.write(file_pointer, space_around_delimiters=Fasle)

于 2021-07-11T13:03:47.727 回答
0

这是 的定义RawConfigParser.write

def write(self, fp):
    """Write an .ini-format representation of the configuration state."""
    if self._defaults:
        fp.write("[%s]\n" % DEFAULTSECT)
        for (key, value) in self._defaults.items():
            fp.write("%s = %s\n" % (key, str(value).replace('\n', '\n\t')))
        fp.write("\n")
    for section in self._sections:
        fp.write("[%s]\n" % section)
        for (key, value) in self._sections[section].items():
            if key != "__name__":
                fp.write("%s = %s\n" %
                         (key, str(value).replace('\n', '\n\t')))
        fp.write("\n")

如您所见,%s = %s\n格式被硬编码到函数中。我认为你的选择是:

  1. 使用等号周围带有空格的 INI 文件
  2. 用你自己RawConfigParser的方法覆盖write
  3. 写文件,读文件,去掉空格,再写

如果您 100% 确定选项 1 不可用,这里有一种方法来执行选项 3:

def remove_whitespace_from_assignments():
    separator = "="
    config_path = "config.ini"
    lines = file(config_path).readlines()
    fp = open(config_path, "w")
    for line in lines:
        line = line.strip()
        if not line.startswith("#") and separator in line:
            assignment = line.split(separator, 1)
            assignment = map(str.strip, assignment)
            fp.write("%s%s%s\n" % (assignment[0], separator, assignment[1]))
        else:
            fp.write(line + "\n")
于 2012-12-24T15:25:25.453 回答