我有一些我从XML文件中读取的值。这些在程序开头声明如下:
static public int NumRecords;
static public int DBSize;
static public string SourceWorkbookPath;
static public string SourceSheetName;
static public string DestWorkbookPath;
static public string DestSheetName;
然后我通过以下方式阅读他们的价值观:
private static void LoadXMLParameters()
{
XmlTextReader reader = new XmlTextReader(ParameterFilePath);
while (reader.Read())
{
switch (reader.NodeType)
{
case XmlNodeType.Element: // The node is an element.
reader.MoveToNextAttribute();
switch (reader.Value)
{
case "SourceWorkbookPath":
reader.MoveToNextAttribute();
SourceWorkbookPath = reader.Value;
break;
case "SourceSheetName":
reader.MoveToNextAttribute();
SourceSheetName = reader.Value;
break;
case "DestWorkbookPath":
reader.MoveToNextAttribute();
DestWorkbookPath = reader.Value;
break;
case "DestSheetName":
reader.MoveToNextAttribute();
DestSheetName = reader.Value;
break;
case "NumRecords":
reader.MoveToNextAttribute();
NumRecords = Int32.Parse(reader.Value);
break;
case "DBSize":
reader.MoveToNextAttribute();
DBSize = Int32.Parse(reader.Value);
break;
}
break;
}
}
}
有没有一种方法可以动态读取XML参数的值,这样我就不需要为我想要添加的每个变量添加新的case
?
答案 0 :(得分:0)
当然有可能 - 但我同意将一个班级序列化是更可取的。
我假设在此解决方案中您正在寻找具有匹配名称的第一个属性:
class XmlAttributeParser
{
IEnumerable<XAttribute> attributes;
public XmlAttributeParser(string xml)
{
attributes = XElement.Parse(xml)
.DescendantsAndSelf()
.SelectMany(e => e.Attributes());
}
public T GetAttribute<T>(string name)
{
return (T)TypeDescriptor.GetConverter(typeof(T))
.ConvertFromString(attributes.First(a => a.Name == name).Value);
}
}
用于:
string xml = "<Root><Foo Bar=\"123\" Baz=\"456\"/></Root>";
XmlAttributeParser parser = new XmlAttributeParser(xml);
int n = parser.GetAttribute<int>("Bar"); // 123
此方法的缺点是您必须将整个文件加载到内存中,并且每次要查找变量时都必须搜索属性。
答案 1 :(得分:0)
感谢@Ed Plunkett提供的评论,我最终反序列化了XML。首先,我添加了一个类来保存信息:
public class XMLInfo
{
public int NumRecords;
public int DBSize;
public string SourceWorkbookPath;
public string SourceSheetName;
public string DestWorkbookPath;
public string DestSheetName;
}
然后写了一个方法,它只是将所有信息转储到这个类的实例中:
private static XMLInfo LoadXMLParameters()
{
XMLInfo info = new XMLInfo();
XmlSerializer serializer = new XmlSerializer(typeof(XMLInfo));
using (Stream reader = new FileStream(ParameterFilePath, FileMode.Open))
{
return info = (XMLInfo)serializer.Deserialize(reader);
}
}
希望这能帮助其他采用与我最初相同方法的人。