programing

Javascript/jQuery를 사용하여 HTML 요소에서 모든 특성 가져오기

newstyles 2023. 10. 6. 20:58

Javascript/jQuery를 사용하여 HTML 요소에서 모든 특성 가져오기

html 요소의 모든 속성을 배열에 넣고 싶습니다. jQuery Object가 있는 것처럼 html은 다음과 같습니다.

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

이제 한가지 방법은 여기에 설명된 xml 파서를 사용하는 것입니다. 하지만 그러면 저는 제 객체의 html 코드를 얻는 방법을 알아야 합니다.

다른 방법은 jquery로 만드는 것입니다. 하지만 어떻게요?속성의 수와 이름은 일반적입니다.

감사해요.

Btw: document.getelement by id 등으로 요소에 접근할 수 없습니다.

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);
}

이것은 배열을 특성 이름으로만 채웁니다. Attribute 를할 수 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);
}

이 간단한 플러그인을 $('#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);

단순:

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

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();

세터와 게터!

(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();

이것보다 더 좋은 답이 있습니다.

다음을 사용하는 팀 킨드버그의 답변을 추천합니다.getAttributeNames()그리고.getAttribute(name), MDN은 "액세스에 대한 메모리 효율적이고 성능적인 대안"이라고 말합니다.

아래는 기존의 답변과 업데이트된 답변이며, 일부 혜택을 제공할 경우를 대비한 답변입니다.


사용하다Array.from()r...

:Array.from() 산포 r...는 2015년 6월 ECMA-262 6th Edition에 추가되었으며, 현재는 범용 현대 브라우저를 지원합니다.

MDN Array.from() & 스프레드 구문(...) 참조

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

console.log('Array.from(attrs)');
Array.from(attrs).forEach(({ name, value }) => {
    console.log(`    ${name}: ${value}`);
})

console.log('[...attrs]');
[...attrs].forEach(({ name, value }) => {
    console.log(`    ${name}: ${value}`);
})
<span name="test" message="test2">See console.</span>


참고: 다음은 기존 답변입니다.Array.from()메소드가 이제 선호됩니다.이는 이제 ES2015 이전 목표를 지원하기 위한 폴리필(polyfill)로 간주될 수 있습니다.

사용하다.sliceattributes

attributesDOM 노드의 속성은 이며, 이는 Array-like 개체입니다.

는 Array-like 입니다를 입니다.length속성 및 속성 이름이 열거되어 있지만, 그렇지 않으면 고유한 메서드가 있고 다음에서 상속되지 않습니다.

메서드를 사용하여 Array-like 개체를 Array로 변환할 수 있습니다.

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

console.log('Array.prototype.slice.call(attrs)');
Array.prototype.slice.call(attrs).forEach(
    function (cur) {
        console.log(cur.name + ': ' + cur.value);
    }
)
<span name="test" message="test2">See console.</span>

여기의 모든 답에는 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>

아주 간단해요.속성 요소를 루프오버하고 nodeValue를 배열에 밀어 넣기만 하면 됩니다.

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);
}

훨씬 더 간결한 방법:

기존 방식(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);
  • document.querySelector() 지정된 선택기와 일치하는 문서 내의 첫 번째 요소를 반환합니다.
  • Element.attributes 해당 HTML 요소의 할당된 특성이 들어 있는 NamedNodeMap 개체를 반환합니다.
  • [].map() 는 호출 배열의 모든 요소에 대해 제공된 함수를 호출한 결과로 새 배열을 만듭니다.

데모:

console.log(
  [...document.querySelector('img').attributes].map(attr => attr.nodeName)
);
/* Output console formatting */
.as-console-wrapper { position: absolute; top: 0; }
<img src="…" alt="…" height="…" width="…"/>

이 방법은 개체의 이름과 값을 가진 모든 속성을 배열로 반환해야 하는 경우에 효과적입니다.

출력 예시:

[
    {
        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"]

Element.attributes는 약간 자바스크립트 맵인 해당 HTML 요소의 특성의 NamedNodeMap을 반환합니다.따라서 가정하에

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

다음과 같이 NamedNodeMap에서 개체를 만들 수 있습니다.

const el = document.querySelector('#mySpan')
const attrs = Object.fromEntries(Array.from(el.attributes).map(item => [item.name, item.value]))

개체 속성에 대한 점 표기법으로 개별 속성에 액세스합니다.

console.log(attrs.name) // "test"
console.log(attrs.messsage) // "test2"

롤랜드 부먼대답은 가장 좋고 간단한 바닐라 방법입니다.저는 jQ 플러그를 시도하는 것을 발견했지만, 제가 보기에 그것들이 충분하지 않은 것 같아서 저는 그것을 만들었습니다.지금까지 유일한 장애는 직접 호출하지 않고 동적으로 추가된 특성에 액세스할 수 없다는 것이었습니다.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

/*  BEGIN PLUGIN  */
;;(function($) {
	$.getAttrs || ($.extend({
		getAttrs: function() {
			var a = arguments,
				c, b;
			if (a.length)
				for (x in a) switch (typeof a[x]) {
					case "object":
						a[x] instanceof f && (b = a[x]);
						break;
					case "string":
						b ? c || (c = a[x]) : b = $(a[x])
				}
			if (b instanceof f) {
				if (1 == b.length) {
					for (var d = [], e = 0, g = b[0].attributes, h = g.length; e < h; e++) a = g[e], d[a.name] = a.value;
					b.data("attrList", d);
					c && "all" != c && (d = b.attr(c));
					for (x in d) d.length++
				} else d = [], c && "all" != c ? b.each(function(a) {
					a = {
						elm: $(this),
						index: $(this).index()
					};
					a[c] = $(this).attr(c);
					d.push(a)
				}) : b.each(function(a) {
					$elmRet = [];
					for (var b = 0, c = this.attributes, e = c.length; b < e; b++) a = c[b], $elmRet[a.name] = a.value;
					d.push({
						elm: $(this),
						index: $(this).index(),
						attrs: $elmRet
					});
					$(this).data("attrList", d);
					for (x in $elmRet) $elmRet.length++
				});
				return d
			}
			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);
/*  END PLUGIN  */
/*--------------------*/
$('#bob').attr('bob', 'bill');
console.log($('#bob'))
console.log(new Array(50).join(' -'));
console.log($('#bob').getAttrs('id'));
console.log(new Array(50).join(' -'));
console.log($.getAttrs('#bob'));
console.log(new Array(50).join(' -'));
console.log($.getAttrs('#bob', 'name'));
console.log(new Array(50).join(' -'));
console.log($.getAttrs('*', 'class'));
console.log(new Array(50).join(' -'));
console.log($.getAttrs('p'));
console.log(new Array(50).join(' -'));
console.log($('#bob').getAttrs('all'));
console.log($('*').getAttrs('all'));
<script src="https://ajax.googleapis.com/ajax/libs/jquery/1.9.1/jquery.min.js"></script>
All of below is just for stuff for plugin to test on. See developer console for more details.
<hr />
<div id="bob" class="wmd-button-bar"><ul id="wmd-button-row-27865269" class="wmd-button-row" style="display:none;">
<div class="post-text" itemprop="text">
<p>Roland Bouman's answer is the best, simple Vanilla way. I noticed some attempts at jQ plugs, but they just didn't seem "full" enough to me, so I made my own. The only setback so far has been inability to access dynamically added attrs without directly calling <code>elm.attr('dynamicAttr')</code>. However, this will return all natural attributes of a jQuery element object.</p>

<p>Plugin uses simple jQuery style calling:</p>

<pre class="default prettyprint prettyprinted"><code><span class="pln">$</span><span class="pun">(</span><span class="pln">elm</span><span class="pun">).</span><span class="pln">getAttrs</span><span class="pun">();</span><span class="pln">
</span><span class="com">// OR</span><span class="pln">
$</span><span class="pun">.</span><span class="pln">getAttrs</span><span class="pun">(</span><span class="pln">elm</span><span class="pun">);</span></code></pre>

<p>You can also add a second string param for getting just one specific attr. This isn't really needed for one element selection, as jQuery already provides <code>$(elm).attr('name')</code>, however, my version of a plugin allows for multiple returns. So, for instance, a call like</p>

<pre class="default prettyprint prettyprinted"><code><span class="pln">$</span><span class="pun">.</span><span class="pln">getAttrs</span><span class="pun">(</span><span class="str">'*'</span><span class="pun">,</span><span class="pln"> </span><span class="str">'class'</span><span class="pun">);</span></code></pre>

<p>Will result in an array <code>[]</code> return of objects <code>{}</code>. Each object will look like:</p>

<pre class="default prettyprint prettyprinted"><code><span class="pun">{</span><span class="pln"> </span><span class="kwd">class</span><span class="pun">:</span><span class="pln"> </span><span class="str">'classes names'</span><span class="pun">,</span><span class="pln"> elm</span><span class="pun">:</span><span class="pln"> $</span><span class="pun">(</span><span class="pln">elm</span><span class="pun">),</span><span class="pln"> index</span><span class="pun">:</span><span class="pln"> i </span><span class="pun">}</span><span class="pln"> </span><span class="com">// index is $(elm).index()</span></code></pre>
    </div>
  </div>

다음과 같은 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"

이게 도움이 됩니까?

이 속성은 요소의 모든 속성을 배열로 반환합니다.여기 예가 있습니다.

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>

이런 거 먹어봐요.

    <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))

개체 변환 속성

*필수품 : 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이 truejson으로 설정되면 값이 개체로 변환됩니다.

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'}
function getElementHTMLAttributes(elementId) {
    var element = document.getElementById(elementId);
    if (element != undefined) {
      var elementHTMLAttributes = {};
      for (var attr, i = 0, attrs = element.attributes, n = attrs.length; i < n; i++){
        attr = attrs[i];
        elementHTMLAttributes[attr.nodeName] = attr.nodeValue;
      }
    return elementHTMLAttributes;
    }
}

element.attribute에 액세스하기만 하면 됩니다.

// get-attr-names.js v1
function getAttrNames(element) {
    return [...element.attributes]
}

// get-attr-obj.js v1
function getAttrObj(element) {
    const attrsObj = {}
    const attrs = [...element.attributes]
    for (attr of attrs) {
        attrsObj[attr.name] = attr.value
    }
    return attrsObj
}

자바스크립트에서:

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

언급URL : https://stackoverflow.com/questions/2048720/get-all-attributes-from-a-html-element-with-javascript-jquery