5

我怎样才能设置doctype一个DOMDocument60对象?

例如我尝试:

IXMLDOMDocument60 doc = new DOMDocument60();
doc.doctype.name = "html";

除了那IXMLDOMDocumentType.name只读的

IXMLDOMDocumentType = interface(IXMLDOMNode)
{
   ['{2933BF8B-7B36-11D2-B20E-00C04F983E60}']
   string Get_name();
   ...
   property String name read Get_name;
}

并且IXMLDOMDocument60.doctype只读的

IXMLDOMDocument = interface(IXMLDOMNode)
{
   ['{2933BF81-7B36-11D2-B20E-00C04F983E60}']
   IXMLDOMDocumentType Get_doctype();
   ...
   property IXMLDOMDocumentType doctype read Get_doctype;
}

那么如何设置doctypeXML 文档的属性呢?


奖励问题:我如何创建一个DOMDocument60指定的对象doctype


注意:您没有看到 XSLT 的提及,因为没有。我正在 MSXML 中构建一个 HTML DOM 树。

4

1 回答 1

3

出于性能原因安全原因,Microsoft 通常不允许<!DOCTYPE>(又名Document Type Definition)。因此,您必须使用loadXML方法来设置<!DOCTYPE>. 因此,在创建或导入文档后无法设置。

最重要的是,由于MSXML6中的默认安全设置,您通常无法导入具有<!DOCTYPE>. 因此,您必须禁用ProhibitDTD对象上的设置。

编辑:您应该知道HTML5不是XML。此外,对于 XHTML5<!DOCTYPE> ,被认为是可选的。

首先,让我们从所需的输出开始。

<!DOCTYPE html>
<html />

根据语法,我假设您使用的是 C# 并添加了对msxml6.dll. 以下代码将允许您创建这两个处理指令。

MSXML2.DOMDocument60 doc  = new MSXML2.DOMDocument60();

// Disable validation when importing the XML
doc.validateOnParse = false;
// Enable the ability to import XML that contains <!DOCTYPE>
doc.setProperty("ProhibitDTD", false);
// Perform the import
doc.loadXML("<!DOCTYPE html><html />");
// Display the imported XML
Console.WriteLine(doc.xml);

这里也是用 VBScript 编写的代码的副本。

Set doc = CreateObject("MSXML2.DOMDocument.6.0")

' Disable validation when importing the XML
doc.validateOnParse = False
' Enable the ability to import XML that contains <!DOCTYPE>
doc.setProperty "ProhibitDTD", false
' Perform the import
doc.loadXML "<!DOCTYPE html><html />"
' Display the imported XML
WScript.Echo objXML.xml

最后,这是用 C++ 编写的代码的副本。

#include <comutil.h>
#pragma comment(lib, "comsuppw.lib")
#include <msxml6.h>
#pragma comment(lib, "msxml6.lib")

int main(int argc, char* argv[])
{

    HRESULT hr = S_OK;
    VARIANT_BOOL success = VARIANT_TRUE;
    // IXMLDOMDocument2 is needed for setProperty
    IXMLDOMDocument2 *doc;

    // Initialize COM
    hr = CoInitialize(NULL);
    if (SUCCEEDED(hr))
    {
        // Create the object
        hr = CoCreateInstance(CLSID_DOMDocument60, NULL, CLSCTX_INPROC_SERVER, IID_IXMLDOMDocument2, (void**)&doc);
        if (SUCCEEDED(hr))
        {
            // Disable validation when importing the XML
            hr = doc->put_validateOnParse(VARIANT_FALSE);
            // Enable the ability to import XML that contains <!DOCTYPE>
            hr = doc->setProperty(_bstr_t(L"ProhibitDTD"), _variant_t(VARIANT_FALSE));
            // Perform the import
            hr = doc->loadXML(_bstr_t(L"<!DOCTYPE html><html />"), &success);
            // Retrieve the XML
            _bstr_t output{};
            hr = doc->get_xml(output.GetAddress());
            // Display the imported XML
            MessageBoxW(NULL, output, NULL, 0);
        }
        // Cleanup COM
        CoUninitialize();
    }
    return 0;
}
于 2016-08-21T07:19:18.600 回答