使用Polymer importHref动态加载HTML页面

时间:2015-06-25 14:59:31

标签: javascript polymer web-component

我正在编写一个使用Polymer 1.0'辅助函数importHref()加载html文件的简单元素。页面加载了,但是我没有将html渲染到页面,而是获得了[object HTMLDocument]

当我记录成功的回调时,导入的页面被包装在#document对象中(这里的术语不确定)。但是,信息就在控制台中。

所以,我的问题是:如何将html呈现给页面?

元素:

<dom-module id="content-loader">

<template>
    <span>{{fileContent}}</span>
</template>

<script>

Polymer({

    is: "content-loader",

    properties: {
        filePath: {
            type: String
        }
    },

    ready: function() {
        this.loadFile();
    },

    loadFile: function() {
        var baseUrl;

        if (!window.location.origin)
        {
            baseUrl = window.location.origin = window.location.protocol + "//" + window.location.hostname + (window.location.port ? ':' + window.location.port: '');
        }
        else
        {
            baseUrl = window.location.origin;
        }

        //import html document and assign to fileContent
        if(this.filePath)
        {
            this.importHref(baseUrl + this.filePath, function(file){
                this.fileContent = file.target.import;
                console.log(this.fileContent); //logs fine
            },
            function(error){
                console.log(error);
            });
        }
    }

});

</script>

正在使用中:

<content-loader file-path="/app/general/contact.html"></content-loader>

1 个答案:

答案 0 :(得分:5)

<span>{{fileContent}}</span>会将fileContent强制转换为字符串,这就是您看到[object HTMLDocument]的原因(这是您在toString()上致电document时获得的结果}对象)。

总的来说,Polymer不会让您绑定到HTML或节点内容,因为它存在安全风险。

您拥有的fileContentdocument,这意味着它是DOM节点的集合。您如何使用该文档取决于您加载的内容。渲染节点的一种方法是将fileContent.body附加到本地DOM上,如下所示:

Polymer.dom(this.root).appendChild(this.fileContent.body);

以下是一个更完整的示例(http://jsbin.com/rafaso/edit?html,output):

<content-loader file-path="polymer/bower.json"></content-loader>

<dom-module id="content-loader">

  <template>
    <pre id="content"></pre>
  </template>

  <script>

    Polymer({
      is: "content-loader",
      properties: {
        filePath: {
          type: String,
          observer: 'loadFile'
        }
      },

      loadFile: function(path) {
        if (this.filePath) {
          console.log(this.filePath);
          var link = this.importHref(this.filePath, 
            function() {
              Polymer.dom(this.$.content).appendChild(link.import.body);
            },
            function(){
              console.log("error");
            }
          );
        }
      }
    });

  </script>
</dom-module>