web-dev-qa-db-ja.com

XMLノード値を変更する方法

私はXMLを持っています(これはまさにそれがどのように見えるかです):

<PolicyChangeSet schemaVersion="2.1" username="" description="">
    <Attachment name="" contentType="">
        <Description/>
        <Location></Location>
    </Attachment>
</PolicyChangeSet>

これはユーザーのマシン上にあります。

各ノードに値を追加する必要があります:ユーザー名、説明、添付ファイル名、コンテンツタイプ、場所。

これは私がこれまでに持っているものです:

string newValue = string.Empty;
            XmlDocument xmlDoc = new XmlDocument();

            xmlDoc.Load(filePath);
            XmlNode node = xmlDoc.SelectSingleNode("/PolicyChangeSet");
            node.Attributes["username"].Value = AppVars.Username;
            node.Attributes["description"].Value = "Adding new .tiff image.";
            node.Attributes["name"].Value = "POLICY";
            node.Attributes["contentType"].Value = "content Typeeee";

            //node.Attributes["location"].InnerText = "zzz";

            xmlDoc.Save(filePath);

何か助けは?

9
Rj.

これで手に入れました-

xmlDoc.Load(filePath);
            XmlNode node = xmlDoc.SelectSingleNode("/PolicyChangeSet");
            node.Attributes["username"].Value = AppVars.Username;
            node.Attributes["description"].Value = "Adding new .tiff image.";

            node = xmlDoc.SelectSingleNode("/PolicyChangeSet/Attachment");
            node.Attributes["name"].Value = "POLICY";
            node.Attributes["contentType"].Value = "content Typeeee";
xmlDoc.Save(filePath);
3
Rj.

XPath。 XmlNode node = xmlDoc.SelectSingleNode("/PolicyChangeSet");はルートノードを選択します。

13
Jan
xmlDoc.SelectSingleNode("/PolicyChangeSet/Attachment/Description").InnerText = "My Desciption";
xmlDoc.SelectSingleNode("/PolicyChangeSet/Attachment/Location").InnerText = "My Location";
2
Ramzay

LINQ To XMLを使用する:)

XDocument doc = XDocument.Load(path);
IEnumerable<XElement> policyChangeSetCollection = doc.Elements("PolicyChangeSet");

foreach(XElement node in policyChangeSetCollection)
{
   node.Attribute("username").SetValue(someVal1);
   node.Attribute("description").SetValue(someVal2);
   XElement attachment = node.Element("attachment");
   attachment.Attribute("name").SetValue(someVal3);
   attachment.Attribute("contentType").SetValue(someVal4);
}

doc.Save(path);
2
Nickon
For setting value to XmlNode: 
 XmlNode node = xmlDoc.SelectSingleNode("/PolicyChangeSet");
            node["username"].InnerText = AppVars.Username;
            node["description"].InnerText = "Adding new .tiff image.";
            node["name"].InnerText = "POLICY";
            node["contentType"].InnerText = "content Typeeee";

For Getting value to XmlNode: 
username=node["username"].InnerText 
0

SelectSingleNodeメソッドで、選択するノードを検索するXPath式を提供する必要があります。 Google XPathを使用している場合、これに関する多くのリソースが見つかります。

http://www.csharp-examples.net/xml-nodes-by-name/

これらを各ノードに追加する必要がある場合は、最初から始めて、すべての子を反復処理できます。

http://msdn.Microsoft.com/en-us/library/system.xml.xmlnode.aspx

0
Robert Zahm