执行以下代码时,IE会抛出错误 - 对象不支持此属性或方法 - 引用cloneNode()方法。 'i'是循环计数器,source和dest都是HTML select元素。
dest.options[dest.options.length] = source.options[i].cloneNode( true );
FF和Chrome的行为符合预期。关于如何让IE执行cloneNode()的任何想法? IE 8调试器显示source.options [i]确实有cloneNode()方法。
感谢。
答案 0 :(得分:9)
IE需要
new Option()
构造
document.createElement( 'option' );
或
cloneNode()
会失败。当然,所有选项都可以在适当的Web浏览器中按预期工作。
答案 1 :(得分:5)
实际上,cloneNode没有抛出任何错误。将代码分解为较小的块以正确识别错误的来源:
var origOpt = source.options[i];
var clonedOpt = origOpt.cloneNode( true ); // no error here
var destOptLength = dest.options.length;
dest.options[destOptLength] = clonedOpt; // error!
dest.options.add(clonedOpt); // this errors too!
dest.appendChild(clonedOpt); // but this works!
或者,按照你拥有它的方式把它放回原处:
dest.appendChild(source.options[i].cloneNode( true ));
答案 2 :(得分:1)
我发现这篇文章很有用:IE’s cloneNode doesn’t actually clone!
答案 3 :(得分:0)
<!doctype html>
<html lang="en">
<head>
<meta charset= "utf-8">
<title>Untitled Document</title>
<style>
p, select,option{font-size:20px;max-width:640px}
</style>
<script>
function testSelect(n, where){
var pa= document.getElementsByName('testselect')[0];
if(!pa){
pa= document.createElement('select');
where.appendChild(pa);
pa.name= 'testselect';
pa.size= '1';
}
while(pa.options.length<n){
var i= pa.options.length;
var oi= document.createElement('option');
pa.appendChild(oi);
oi.value= 100*(i+1)+'';
oi.text= oi.value;
}
pa.selectedIndex= 0;
pa.onchange= function(e){
e= window.event? event.srcElement: e.target;
var val= e.options[e.selectedIndex];
alert(val.text);
}
return pa;
}
window.onload= function(){
var pa= testSelect(10, document.getElementsByTagName('h2')[0]);
var ox= pa.options[0];
pa.appendChild(ox.cloneNode(true))
}
</script>
</head>
<body>
<h2>Dynamic Select:</h2>
<p>You need to insert the select into the document,
and the option into the select,
before IE grants the options any attributes.
This bit creates a select element and 10 options,
and then clones and appends the first option to the end.
<br>It works in most browsers.
</p>
</body>
</html>