0

我需要问一个普遍的问题。我面前没有代码,因为我是在 iPhone 上写的。

我有一个代表某个 XML 模式的类。我有一个返回此 XML 的 SPROC。我需要做的是将 XML 反序列化为此类。

XML:

<xml>
     <person>
             <firstName>Bob</firstName>
             <lastName>Robby</lastName>
     </person>
</xml>

我需要将此 XML 反序列化为自定义的 Person 类,以便我可以遍历此模型并将其吐出到视图中。我敢肯定这涉及到某种类型的选角,我只是不知道该怎么做。

4

2 回答 2

0

我的解决方案:

 public class Program {
        public static void Main(string[] args) {


            string xml = @"<xml><person><firstName>Bob</firstName><lastName>Robby</lastName></person></xml>";

            var doc = XElement.Parse(xml);
            var person = (from x in doc.Elements("person") select x).FirstOrDefault();

            XmlSerializer serializer = new XmlSerializer(typeof(Person));

            var sr = new StringReader(person.ToString());
            // Use the Deserialize method to restore the object's state.
            var myPerson = (Person)serializer.Deserialize(sr);

        }

    }

和类:

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Xml.Serialization;

namespace ConsoleApplication3 {

    [XmlRoot("person")]
    public class Person {

        [XmlElement("firstName")]
        public string FirstName { get; set; }

        [XmlElement("lastName")]
        public string LastName { get; set; }
    }

}
于 2011-01-05T04:48:09.663 回答
0

在 linq 中会是这样的

XDocument xmlFile = XDocument.Parse(yourXml)    
var people = (from x in xmlFile.Descendants("person")
              select new Person(){
                      firstname = (string)x.Element("firstname").Value,
                      lastname = (string)x.Element("lastname").Value
              });
于 2011-01-05T04:49:21.553 回答