How to load an inline DTD for use with XDocument?

冷暖自知 提交于 2019-11-30 17:29:35

问题


I have a question regarding how to include a document type definition into an XML file, or from and XML file, that is being loaded into XDocument, in WP7. I have DTD file that is similar to this:

<?xml version="1.0" encoding="utf-8"?>
<!DOCTYPE root [
 <!ELEMENT root (Person*)>

 <!ELEMENT Person (Name*, Description*)>
 <!ELEMENT Name (#PCDATA)>
 <!ELEMENT Description (#PCDATA)>

 <!ENTITY egrave "&#232;">
 <!ENTITY eacute "&#233;">
 <!ENTITY euro  "&#8364;">
]>

I need to add this DTD to the XML I'm getting to catch special characters, such as &eacute;. I am getting the XML from the web to use in Linq using the following method:

private void PhoneApplicationPage_Loaded(object sender, RoutedEventArgs e)
{
  string documentUrl = "http://www.example.com";

  WebClient client = new WebClient();

  client.OpenReadCompleted += new OpenReadCompletedEventHandler(client_OpenReadCompleted);
  client.OpenReadAsync(new Uri(documentUrl, UriKind.Absolute));
}

void client_OpenReadCompleted(object sender, OpenReadCompletedEventArgs e)
{
  Stream str = e.Result;

  XDocument data = XDocument.Load(str);

  // Saving the XML to the file system for later use
  IsolatedStorageFile isoFile = IsolatedStorageFile.GetUserStoreForApplication();
  IsolatedStorageFileStream isoStream = new IsolatedStorageFileStream("my.xml", FileMode.OpenOrCreate, isoFile);
  StreamWriter sw = new StreamWriter(isoStream);
  XmlWriter xw = XmlWriter.Create(isoStream);

  data.Save(xw);

  // Creating a list to populate a listbox
  List<MyObject> list1 = new List<MyObject>();

  items = (from query in data.Descendants("Person")
    select new MyObject()
    {
    // Doing stuff here...
    }).ToList();

  listBox1.ItemsSource = items;

}

It seems that XDocument won't pass the XML if the DTD is put inline, i.e. in the actual XML itself. I've tried many ways of using XDocumentType based on this post, but I can't figure it out. How can I do this?


回答1:


You need to enable DTD processing when you read the XML document. To do that use a XmlReader with appropriate settings:

var settings = new XmlReaderSettings { DtdProcessing = DtdProcessing.Parse };
XmlReader reader = XmlReader.Create(str, settings);
XDocument data = XDocument.Load(reader);

If you want to have the DTD external you need to specify a XmlResolver in the settings:

var settings = new XmlReaderSettings
{
    DtdProcessing = DtdProcessing.Parse,
    XmlResolver = /* some resolver here */,
};

The default XmlResolver is an XmlUrlResolver which resolves URLs without using credentials. You may want to consider resolving the DTD from a local source instead. For that you can use a prepopulated XmlPreloadedResolver.



来源:https://stackoverflow.com/questions/6610621/how-to-load-an-inline-dtd-for-use-with-xdocument

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!