特定的XML属性值到类列表中

时间:2013-09-14 13:23:29

标签: c# xml

自从我上次尝试编程并且以前从未使用过XML以来已经有一段时间了。我有一个显示XML的内部网站

   <Source>
    <AllowsDuplicateFileNames>YES</AllowsDuplicateFileNames> 
    <Description>The main users ....</Description> 
    <ExportSWF>FALSE</ExportSWF> 
    <HasDefaultPublishDir>NO</HasDefaultPublishDir> 
    <Id>28577db1-956c-41f6-b775-a278c39e20a1</Id> 
    <IsAssociated>YES</IsAssociated> 
    <LogoURL>http://servername:8080/logos/9V0.png</LogoURL> 
    <Name>Portal1</Name> 
    <RequiredParameters>
     <RequiredParameter>
      <Id>user_name</Id> 
      <Name>UserID</Name> 
      <PlaceHolder>username</PlaceHolder> 
      <ShowAsDescription>true</ShowAsDescription> 
     </RequiredParameter>
   </RequiredParameters>

我不想要子标签中的值,有时间会有多个门户因此需要/想要使用列表。我只需要Name和ID标签内的值。如果有一个空白的ID标签,我也不想存储其中任何一个。

我目前的做法是没有按预期工作:

String URLString = "http://servername:8080/roambi/SourceManager";
XmlTextReader reader = new XmlTextReader(URLString);

List<Portal> lPortals = new List<Portal>();
String sPortal = "";
String sId = "";

while (reader.Read())
{
    //Get Portal ID
    if (reader.NodeType == XmlNodeType.Element && reader.Name == "Id")
    {
        reader.Read();
        if (reader.NodeType == XmlNodeType.Text)
        {
            sId = reader.Value;
        }
    }

    //Get Portal Name
    if (reader.NodeType == XmlNodeType.Element && reader.Name == "Name")
    {
        reader.Read();
        if (reader.NodeType == XmlNodeType.Text)
        {
            sPortal = reader.Value;
        }

        //Fill Portal List with Name and ID
        if (sId != "" && sPortal != "")
        {
            lPortals.Add(new Portal
            {
                Portalname = sPortal,
                Portalid = sId
            });
        }
    }
}

foreach (Portal i in lPortals)
{
    Console.WriteLine(i.Portalname + " " + i.Portalid);
}

参见我的标准课

class Portal 
{
    private String portalname;
    private String portalid;

    public String Portalname
    {
        get { return portalname; }
        set { portalname = value; }
    }

    public String Portalid
    {
        get { return portalid; }
        set { portalid = value; }
    }
}

请给我一些建议并指出我的方向,正如我上次说的那样,自上次编程以来已经有一段时间了。我目前的输出如下:

Portal1 28577db1-956c-41f6-b775-a278c39e20a1
UserID user_name

UserID位于子节点中,我不想显示子节点

1 个答案:

答案 0 :(得分:1)

使用XDocument类更容易:

String URLString = "http://servername:8080/roambi/SourceManager";
XmlTextReader reader = new XmlTextReader(URLString);
XDocument doc = XDocument.Load(reader);

// assuming there's some root-node whose children are Source nodes
var portals = doc.Root
    .Elements("Source")
    .Select(source => new Portal
        {
            Portalname = (string) source.Element("Name"),
            Portalid = (string) source.Element("Id")
        })
    .Where(p => p.Portalid != "")
    .ToList();

对于XML中的每个<Source>节点,上面的代码将选择直接子节点(<Name><Id>)并构建相应的Portal实例。