使用Javascript / jQuery从HTML元素获取所有属性


161

我想将Html元素中的所有属性放到一个数组中:就像我有一个jQuery Object,它的html看起来像这样:

<span name="test" message="test2"></span>

现在一种方法是使用此处描述的xml解析器,但是随后我需要知道如何获取对象的html代码。

另一种方法是使用jquery进行修改,但是如何进行呢?属性的数量和名称是通用的。

谢谢

顺便说一句:我无法使用document.getelementbyid或类似的东西来访问元素。

Answers:


218

如果只需要DOM属性,则attributes在元素本身上使用节点列表可能会更简单:

var el = document.getElementById("someId");
for (var i = 0, atts = el.attributes, n = atts.length, arr = []; i < n; i++){
    arr.push(atts[i].nodeName);
}

请注意,这仅用属性名称填充数组。如果需要属性值,则可以使用nodeValue属性:

var nodes=[], values=[];
for (var att, i = 0, atts = el.attributes, n = atts.length; i < n; i++){
    att = atts[i];
    nodes.push(att.nodeName);
    values.push(att.nodeValue);
}

问题是我不能使用getElementById,它是一个jquery对象。有没有一种方法可以让jquery之类的上下文中的getelementbyclassname?
k0ni 2010年

4
您可以使用getElementById-var el = document.getElementById($(myObj).attr("id"));
桑普森

45
您可以通过以下get方法从jQuery对象获取DOM对象:例如:var obj = $('#example').get(0);
Matt Huggins 2010年

3
@ k0ni-您可以使用例如var atts = $(myObject)[0] .attributes; ?
拉尔夫·考林

12
警告:在IE中,不仅会指定该属性
还会

70

您可以将此简单插件用作$('#some_id')。getAttributes();

(function($) {
    $.fn.getAttributes = function() {
        var attributes = {}; 

        if( this.length ) {
            $.each( this[0].attributes, function( index, attr ) {
                attributes[ attr.name ] = attr.value;
            } ); 
        }

        return attributes;
    };
})(jQuery);

4
仅供参考:这仅显示选择器的第一个元素。
Brett Veenstra

我测试了它,并使用了动态添加的属性(chrome)
-CodeToad

57

简单:

var element = $("span[name='test']");
$(element[0].attributes).each(function() {
console.log(this.nodeName+':'+this.nodeValue);});

有什么缺点吗?
rzr

7
Attr.nodeValuevalueGoogle Chrome 不推荐使用。所以可能是这样this.name + ':' + this.valueAttr界面
泰国,

20

因为在IE7中,elem.attributes列出了所有可能的属性,而不仅仅是当前属性,所以我们必须测试属性值。该插件可在所有主流浏览器中使用:

(function($) {
    $.fn.getAttributes = function () {
        var elem = this, 
            attr = {};

        if(elem && elem.length) $.each(elem.get(0).attributes, function(v,n) { 
            n = n.nodeName||n.name;
            v = elem.attr(n); // relay on $.fn.attr, it makes some filtering and checks
            if(v != undefined && v !== false) attr[n] = v
        })

        return attr
    }
})(jQuery);

用法:

var attribs = $('#some_id').getAttributes();

1
第6行的el.get(0)中的错字应该是elem.get(0)。
Graham Charles

从我现在的经验来看,这实际上要复杂得多。至少在某些情况下。例如,这将包括名称为'dataFld'且值为'null'(字符串值)的属性,还是将其排除?
mayyiam 2014年

它不适用于动态添加的属性,因为属性和属性并不总是同步的。
DUzun 2014年

18

塞特和吸气剂!

(function($) {
    // Attrs
    $.fn.attrs = function(attrs) {
        var t = $(this);
        if (attrs) {
            // Set attributes
            t.each(function(i, e) {
                var j = $(e);
                for (var attr in attrs) {
                    j.attr(attr, attrs[attr]);
                }
            });
            return t;
        } else {
            // Get attributes
            var a = {},
                r = t.get(0);
            if (r) {
                r = r.attributes;
                for (var i in r) {
                    var p = r[i];
                    if (typeof p.nodeValue !== 'undefined') a[p.nodeName] = p.nodeValue;
                }
            }
            return a;
        }
    };
})(jQuery);

用:

// Setter
$('#element').attrs({
    'name' : 'newName',
    'id' : 'newId',
    'readonly': true
});

// Getter
var attrs = $('#element').attrs();

2
很好,我最喜欢这个答案。非常适合jQuery.attr
Scott Rippey 2014年

1
两个建议:您可以更新以使用“非最小化”变量名吗?而且我看到您正在使用jQuery.attrsetter,但也可以在getter中使用它。
Scott Rippey 2014年

同样,小事情-在您的第一个for()语句后不应使用分号。
jbyrd

6

使用.slice该转换attributes属性阵列

attributesDOM节点的属性是NamedNodeMap,这是一个类似于数组的对象。

类数组对象是具有length属性并枚举属性名称的对象,否则具有其自己的方法并且不会从其继承Array.prototype

slice方法可用于将类似Array的对象转换为新的Array

var elem  = document.querySelector('[name=test]'),
    attrs = Array.prototype.slice.call(elem.attributes);

console.log(attrs);
<span name="test" message="test2">See console.</span>


1
不过,它将返回对象数组,而不是属性名称作为字符串返回
Przemek

1
OP没有将名称数组指定为字符串:“我想将Html元素中的所有属性放入数组中。” 做到这一点。
gfullam

OK,很有道理
Przemek

1
遍历中的项目时attrs,您可以使用项目上的属性访问属性名称name
tyler.frankenstein '18

3

如果需要在数组中返回的对象中获取具有名称和值的所有属性,则此方法效果很好。

输出示例:

[
    {
        name: 'message',
        value: 'test2'
    }
    ...
]

function getElementAttrs(el) {
  return [].slice.call(el.attributes).map((attr) => {
    return {
      name: attr.name,
      value: attr.value
    }
  });
}

var allAttrs = getElementAttrs(document.querySelector('span'));
console.log(allAttrs);
<span name="test" message="test2"></span>

如果只需要该元素的属性名称数组,则可以映射结果:

var onlyAttrNames = allAttrs.map(attr => attr.name);
console.log(onlyAttrNames); // ["name", "message"]

2

Roland Bouman答案是最好的简单香草方式。我注意到有人尝试了jQ插头,但对我来说它们似乎还不够“饱满”,所以我自己做了。到目前为止,唯一的挫折是无法直接调用无法访问动态添加的attrs elm.attr('dynamicAttr')。但是,这将返回jQuery元素对象的所有自然属性。

插件使用简单的jQuery样式调用:

$(elm).getAttrs();
// OR
$.getAttrs(elm);

您还可以添加第二个字符串参数,以仅获取一个特定的属性。正如jQuery所提供的那样$(elm).attr('name'),实际上并不需要一个元素选择,但是我的插件版本允许多次返回。例如,像

$.getAttrs('*', 'class');

将导致[]对象返回数组{}。每个对象看起来像:

{ class: 'classes names', elm: $(elm), index: i } // index is $(elm).index()

插入

;;(function($) {
    $.getAttrs || ($.extend({
        getAttrs: function() {
            var a = arguments,
                d, b;
            if (a.length)
                for (x in a) switch (typeof a[x]) {
                    case "object":
                        a[x] instanceof jQuery && (b = a[x]);
                        break;
                    case "string":
                        b ? d || (d = a[x]) : b = $(a[x])
                }
            if (b instanceof jQuery) {
                var e = [];
                if (1 == b.length) {
                    for (var f = 0, g = b[0].attributes, h = g.length; f < h; f++) a = g[f], e[a.name] = a.value;
                    b.data("attrList", e);
                    d && "all" != d && (e = b.attr(d))
                } else d && "all" != d ? b.each(function(a) {
                    a = {
                        elm: $(this),
                        index: $(this).index()
                    };
                    a[d] = $(this).attr(d);
                    e.push(a)
                }) : b.each(function(a) {
                    $elmRet = [];
                    for (var b = 0, d = this.attributes, f = d.length; b < f; b++) a = d[b], $elmRet[a.name] = a.value;
                    e.push({
                        elm: $(this),
                        index: $(this).index(),
                        attrs: $elmRet
                    });
                    $(this).data("attrList", e)
                });
                return e
            }
            return "Error: Cannot find Selector"
        }
    }), $.fn.extend({
        getAttrs: function() {
            var a = [$(this)];
            if (arguments.length)
                for (x in arguments) a.push(arguments[x]);
            return $.getAttrs.apply($, a)
        }
    }))
})(jQuery);

符合

;;(function(c){c.getAttrs||(c.extend({getAttrs:function(){var a=arguments,d,b;if(a.length)for(x in a)switch(typeof a[x]){case "object":a[x]instanceof jQuery&&(b=a[x]);break;case "string":b?d||(d=a[x]):b=c(a[x])}if(b instanceof jQuery){if(1==b.length){for(var e=[],f=0,g=b[0].attributes,h=g.length;f<h;f++)a=g[f],e[a.name]=a.value;b.data("attrList",e);d&&"all"!=d&&(e=b.attr(d));for(x in e)e.length++}else e=[],d&&"all"!=d?b.each(function(a){a={elm:c(this),index:c(this).index()};a[d]=c(this).attr(d);e.push(a)}):b.each(function(a){$elmRet=[];for(var b=0,d=this.attributes,f=d.length;b<f;b++)a=d[b],$elmRet[a.name]=a.value;e.push({elm:c(this),index:c(this).index(),attrs:$elmRet});c(this).data("attrList",e);for(x in $elmRet)$elmRet.length++});return e}return"Error: Cannot find Selector"}}),c.fn.extend({getAttrs:function(){var a=[c(this)];if(arguments.length)for(x in arguments)a.push(arguments[x]);return c.getAttrs.apply(c,a)}}))})(jQuery);

jsFiddle


2

更多简洁的方法:

旧方法(IE9 +):

var element = document.querySelector(/* … */);
[].slice.call(element.attributes).map(function (attr) { return attr.nodeName; });

ES6方式(Edge 12+):

[...document.querySelector(/* … */).attributes].map(attr => attr.nodeName);

演示:


1

这有帮助吗?

此属性为您返回元素的所有属性到数组中。这是一个例子。

window.addEventListener('load', function() {
  var result = document.getElementById('result');
  var spanAttributes = document.getElementsByTagName('span')[0].attributes;
  for (var i = 0; i != spanAttributes.length; i++) {
    result.innerHTML += spanAttributes[i].value + ',';
  }
});
<span name="test" message="test2"></span>
<div id="result"></div>

为了获得许多元素的属性并组织它们,我建议对要循环遍历的所有元素制作一个数组,然后为循环遍历的每个元素的所有属性创建一个子数组。

这是一个脚本示例,它将循环遍历收集的元素并打印出两个属性。该脚本假定始终有两个属性,但是您可以通过进一步的映射轻松地解决此问题。

window.addEventListener('load',function(){
  /*
  collect all the elements you want the attributes
  for into the variable "elementsToTrack"
  */ 
  var elementsToTrack = $('body span, body div');
  //variable to store all attributes for each element
  var attributes = [];
  //gather all attributes of selected elements
  for(var i = 0; i != elementsToTrack.length; i++){
    var currentAttr = elementsToTrack[i].attributes;
    attributes.push(currentAttr);
  }
  
  //print out all the attrbute names and values
  var result = document.getElementById('result');
  for(var i = 0; i != attributes.length; i++){
    result.innerHTML += attributes[i][0].name + ', ' + attributes[i][0].value + ' | ' + attributes[i][1].name + ', ' + attributes[i][1].value +'<br>';  
  }
});
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>
<span name="test" message="test2"></span>
<span name="test" message="test2"></span>
<span name="test" message="test2"></span>
<span name="test" message="test2"></span>
<span name="test" message="test2"></span>
<span name="test" message="test2"></span>
<span name="test" message="test2"></span>
<div name="test" message="test2"></div>
<div name="test" message="test2"></div>
<div name="test" message="test2"></div>
<div name="test" message="test2"></div>
<div id="result"></div>


1

这里的每个答案都缺少使用getAttributeNames元素方法的最简单解决方案!

它以常规数组的形式检索元素的所有当前属性的名称,然后可以将其简化为键/值的漂亮对象。

const getAllAttributes = el => el
  .getAttributeNames()
  .reduce((obj, name) => ({
    ...obj,
    [name]: el.getAttribute(name)
  }), {})

console.log(getAllAttributes(document.querySelector('div')))
<div title="hello" className="foo" data-foo="bar"></div>


1

假设您有一个如下所示的HTML元素:

<a class="toc-item"
   href="/books/n/ukhta2333/s5/"
   id="book-link-29"
>
   Chapter 5. Conclusions and recommendations
</a>

获取所有属性的一种方法是将它们转换为数组:

const el = document.getElementById("book-link-29")
const attrArray = Array.from(el.attributes)

// Now you can iterate all the attributes and do whatever you need.
const attributes = attrArray.reduce((attrs, attr) => {
    attrs !== '' && (attrs += ' ')
    attrs += `${attr.nodeName}="${attr.nodeValue}"`
    return attrs
}, '')
console.log(attributes)

下面是您将从示例中获得的字符串,其中包括所有属性:

class="toc-item" href="/books/n/ukhta2333/s5/" id="book-link-29"

0

试试这个

    <div id=foo [href]="url" class (click)="alert('hello')" data-hello=world></div>

然后获取所有属性

    const foo = document.getElementById('foo');
    // or if you have a jQuery object
    // const foo = $('#foo')[0];

    function getAttributes(el) {
        const attrObj = {};
        if(!el.hasAttributes()) return attrObj;
        for (const attr of el.attributes)
            attrObj[attr.name] = attr.value;
        return attrObj
    }

    // {"id":"foo","[href]":"url","class":"","(click)":"alert('hello')","data-hello":"world"}
    console.log(getAttributes(foo));

用于属性数组

    // ["id","[href]","class","(click)","data-hello"]
    Object.keys(getAttributes(foo))

0
Element.prototype.getA = function (a) {
        if (a) {
            return this.getAttribute(a);
        } else {
            var o = {};
            for(let a of this.attributes){
                o[a.name]=a.value;
            }
            return o;
        }
    }

<div id="mydiv" a='1' b='2'>...</div> 可以使用

mydiv.getA() // {id:"mydiv",a:'1',b:'2'}

0

很简单。您只需要遍历attribute元素并将其nodeValues推入数组中:

let att = document.getElementById('id');

let arr = Array();

for (let i = 0; i < att.attributes.length; i++) {
    arr.push(att.attributes[i].nodeValue);
}

如果需要属性名称,可以将“ nodeValue”替换为“ nodeName”。

let att = document.getElementById('id');

let arr = Array();

for (let i = 0; i < att.attributes.length; i++) {
    arr.push(att.attributes[i].nodeName);
}

0

对象转换的属性

*要求:lodash

function getAttributes(element, parseJson=false){
    let results = {}
    for (let i = 0, n = element.attributes.length; i < n; i++){
        let key = element.attributes[i].nodeName.replace('-', '.')
        let value = element.attributes[i].nodeValue
        if(parseJson){
            try{
                if(_.isString(value))
                value = JSON.parse(value)
            } catch(e) {}
        }
        _.set(results, key, value)
    }
    return results
}

这会将所有html属性转换为嵌套对象

HTML示例: <div custom-nested-path1="value1" custom-nested-path2="value2"></div>

结果: {custom:{nested:{path1:"value1",path2:"value2"}}}

如果parseJson设置为true,则json值将转换为对象


-8

在javascript中:

var attributes;
var spans = document.getElementsByTagName("span");
for(var s in spans){
  if (spans[s].getAttribute('name') === 'test') {
     attributes = spans[s].attributes;
     break;
  }
}

要访问属性名称和值:

attributes[0].nodeName
attributes[0].nodeValue

通过所有跨度元素会太慢
0-0
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.