element.style 속성을 사용하면 해당 요소에 인라인으로 정의 된 (프로그래밍 방식으로 또는 요소의 스타일 속성에 정의 된) CSS 속성 만 알 수 있으며 계산 된 스타일을 가져와야합니다.
브라우저 간 방식으로 그렇게하기 쉽지는 않지만 IE는 element.currentStyle 속성을 통해 자체 방식을 가지고 있으며 다른 브라우저에서 구현되는 DOM Level 2 표준 방식은 document.defaultView.getComputedStyle 메소드를 통해 이루어집니다.
예를 들어, IE element.currentStyle 속성은 두 가지 방법으로 차이가 있으며, camelCase에서 두 개 이상의 단어로 구성된 CSS 속성 이름 (예 : maxHeight, fontSize, backgroundColor 등)에 액세스 할 것으로 예상합니다. 표준 방법은 대시로 구분 된 단어 (예 : 최대 높이, 글꼴 크기, 배경색 등) ......
function getStyle(el, styleProp) {
var value, defaultView = (el.ownerDocument || document).defaultView;
// W3C standard way:
if (defaultView && defaultView.getComputedStyle) {
// sanitize property name to css notation
// (hyphen separated words eg. font-Size)
styleProp = styleProp.replace(/([A-Z])/g, "-$1").toLowerCase();
return defaultView.getComputedStyle(el, null).getPropertyValue(styleProp);
} else if (el.currentStyle) { // IE
// sanitize property name to camelCase
styleProp = styleProp.replace(/\-(\w)/g, function(str, letter) {
return letter.toUpperCase();
});
value = el.currentStyle[styleProp];
// convert other units to pixels on IE
if (/^\d+(em|pt|%|ex)?$/i.test(value)) {
return (function(value) {
var oldLeft = el.style.left, oldRsLeft = el.runtimeStyle.left;
el.runtimeStyle.left = el.currentStyle.left;
el.style.left = value || 0;
value = el.style.pixelLeft + "px";
el.style.left = oldLeft;
el.runtimeStyle.left = oldRsLeft;
return value;
})(value);
}
return value;
}
}
주요 기준 스택 오버 플로우