我正在创建一天的服务器报价。我正在从INI文件中读取选项,该文件的文本如下:
[Server]
host =
port = 17
[Quotes]
file=quotes.txt然而,当我使用ConfigParser时,它给出了这个错误:
Traceback (most recent call last):
File "server.py", line 59, in <module>
Start()
File "server.py", line 55, in Start
configOptions = parseConfig(filename)
File "server.py", line 33, in parseConfig
server = config['Server']
AttributeError: ConfigParser instance has no attribute '__getitem__'下面是我的代码:
#!/usr/bin/python
from socket import *
from ConfigParser import *
import sys
class serverConf:
port = 17
host = ""
quotefile = ""
def initConfig(filename):
config = ConfigParser()
config['Server'] = {'port': '17', 'host': ''}
config['Quotes'] = {'file': 'quotes.txt'}
with open(filename, 'w') as configfile:
config.write(configfile)
def parseConfig(filename):
configOptions = serverConf()
config = ConfigParser()
config.read(filename)
server = config['Server']
configOptions.port = int(server['port'])
configOptions.host = conifg['Server']['host']
configOptions.quoteFile = config['Quotes']['file']
print "[Info] Read configuration options"
return configOptions
def doInitMessage():
print "Quote Of The Day Server"
print "-----------------------"
print "Version 1.0 By Ian Duncan"
print ""
def Start():
filename = "qotdconf.ini"
configOptions = parseConfig(filename)
print "[Info] Will start server at: " + configOptions.host + ":" + configOptions.port
Start()为什么我会得到这个错误,我能做些什么来修复它?
发布于 2013-05-07 05:19:55
在快速阅读之后,您似乎正在尝试读取数据,就好像它是一本字典一样,而您应该使用:config.get(section, data)
例如:
...
config = ConfigParser()
config.read(filename)
...
configOptions.port = config.getint('Server', 'port')
configOptions.host = config.get('Server', 'host')
configOptions.quoteFile = config.get('Quotes', 'file')要写入配置文件,您可以执行如下操作:
...
def setValue(parser, sect, index, value):
cfgfile = open(filename, 'w')
parser.set(sect, index, value)
parser.write(cfgfile)
cfgfile.close()发布于 2016-11-18 20:50:50
Python2.7附带的ConfigParser不能以这种方式工作。但是,使用后移植的configparser模块available on PyPy完全可以实现您所提出的目标。
pip install configparser然后你就可以像在Python 3*中一样使用它了
from configparser import ConfigParser
parser = ConfigParser()
parser.read("settings.ini")
# or parser.read_file(open("settings.ini"))
parser['Server']['port']
# '17'
parser.getint('Server', 'port')
# 17笔记
configparser与Python3版本不是100%兼容。Python旨在与3.2+中的普通版本保持100%的兼容性。以上面显示的方式使用它的
发布于 2021-04-14 11:20:04
对于python3
iniparser.py
#!/usr/bin/python3
import configparser
import sys
config = configparser.ConfigParser()
config.read(sys.argv[1])
print(config[sys.argv[2]][sys.argv[3]])使用
python iniparser.py <filepath> <section> <key>https://stackoverflow.com/questions/16407329
复制相似问题