Подтвердить что ты не робот

Полная высота элемента html (div), включая границу, отступы и разметку?

Мне нужна полная высота div, в настоящее время я использую

document.getElementById('measureTool').offsetHeight

offsetHeight - возвращает высоту элемента, включая границы и отступы, если они есть, но не поля

Но один из вложенных элементов внутри div имеет margin-top of 20%, поэтому я получаю неправильное измерение. Я пробовал style.marginTop и scrollHeight без успеха.

Как я могу получить полную высоту (границу, дополнение, margin) элемента (div) в javascript?

Если нет другого способа, я в порядке с jQuery.

4b9b3361

Ответ 1

Если вы можете использовать jQuery:

$('#divId').outerHeight(true) // gives with margins.

jQuery docs

Для ванильного javascript вам нужно написать намного больше (например, всегда...):

function Dimension(elmID) {
    var elmHeight, elmMargin, elm = document.getElementById(elmID);
    if(document.all) {// IE
        elmHeight = elm.currentStyle.height;
        elmMargin = parseInt(elm.currentStyle.marginTop, 10) + parseInt(elm.currentStyle.marginBottom, 10) + "px";
    } else {// Mozilla
        elmHeight = document.defaultView.getComputedStyle(elm, '').getPropertyValue('height');
        elmMargin = parseInt(document.defaultView.getComputedStyle(elm, '').getPropertyValue('margin-top')) + parseInt(document.defaultView.getComputedStyle(elm, '').getPropertyValue('margin-bottom')) + "px";
    }
    return (elmHeight+elmMargin);
}

Live DEMO

источник кода

Ответ 2

Как насчет чего-то подобного (без jquery)? Это похоже на @gdoron, но немного проще. Протестировано в IE9 +, Firefox и Chrome.

function getAbsoluteHeight(el) {
  // Get the DOM Node if you pass in a string
  el = (typeof el === 'string') ? document.querySelector(el) : el; 

  var styles = window.getComputedStyle(el);
  var margin = parseFloat(styles['marginTop']) +
               parseFloat(styles['marginBottom']);

  return Math.ceil(el.offsetHeight + margin);
}

Вот рабочий jsfiddle.

Ответ 3

var el = document.querySelector('div');

var elHeight = el.offsetHeight;
elHeight += parseInt(window.getComputedStyle(el).getPropertyValue('margin-top'));
elHeight += parseInt(window.getComputedStyle(el).getPropertyValue('margin-bottom'));

console.log(elHeight);

https://jsfiddle.net/gbd47ox1/

Я думаю, что это решение более читаемо, но ни одно из представленных решений не учитывает размеры, которые не являются пикселями...: (

Ответ 4

Старый - в любом случае... для всех jQuery-banning и ярлыков, которые есть здесь, есть несколько дополнительных скриптов, которые расширяют подходы измерения /getabsoluteheight других ответов:

function getallinheight(obj) {
  var compstyle=(typeof window.getComputedStyle==='undefined')?obj.currentStyle:window.getComputedStyle(obj);
  var marginTop=parseInt(compstyle.marginTop);
  var marginBottom=parseInt(compstyle.marginBottom);
  var borderTopWidth=parseInt(compstyle.borderTopWidth);
  var borderBottomWidth=parseInt(compstyle.borderBottomWidth);
  return obj.offsetHeight+
         (isNaN(marginTop)?0:marginTop)+(isNaN(marginBottom)?0:marginBottom)+
         (isNaN(borderTopWidth)?0:borderTopWidth)+(isNaN(borderBottomWidth)?0:borderBottomWidth);
}
alert(getallinheight(document.getElementById('measureTool')));

Ответ 5

Другое функциональное решение с использованием функций стрелок:

let el = document.querySelector('div');
let style = window.getComputedStyle(el);
let height = ['height', 'padding-top', 'padding-bottom']
        .map((key) => parseInt(style.getPropertyValue(key), 10))
        .reduce((prev, cur) => prev + cur);

Ответ 6

Ванильный JavaScript ECMAScript 5.1

  • element.getBoundingClientRect() возвращает объект DOMRect, который содержит height (включая padding и border)
  • window.getComputedStyle(element) возвращает объект со всеми свойствами CSS после применения активных таблиц стилей и выполняет любые вычисления (если они есть)

var element = document.getElementById('myID'),
    height = element.getBoundingClientRect().height,
    style = window.getComputedStyle(element);
    
// height: element height + vertical padding & borders
// now we just need to add vertical margins
height = ["top", "bottom"]
  .map(function(side) {
    return parseInt(style['margin-' + side], 10)
  })
  .reduce(function(total, side) {
    return total + side
  }, height)
  
// result: compare with devtools computed measurements
document.querySelector('.result').innerText = 'Total height is: ' + height + 'px';
#myID {
  padding: 10px 0 20px;
  border-top: solid 2px red;
  border-bottom: solid 3px pink;
  margin: 5px 0 7px;
  background-color: yellow;
}

.result {
  margin-top: 50px;
}
<div id="myID">element</div>
<div class="result"></div>

Ответ 7

qdev написал хорошее решение, однако я думаю, что offsetHeight быстрее и лучше поддерживается, чем getBoundingClientRect(). Я также использовал ES6, чтобы уменьшить размер кода.

/**
 * Returns the element height including margins
 * @param element - element
 * @returns {number}
 */
function outerHeight(element) {
    const height = element.offsetHeight,
        style = window.getComputedStyle(element)

    return ['top', 'bottom']
        .map(side => parseInt(style['margin-${side}']))
        .reduce((total, side) => total + side, height)
}

Ответ 8

Используйте все реквизиты, поля, границы, отступы и высоту в последовательности.

function getElmHeight(node) {
    const list = [
        'margin-top',
        'margin-bottom',
        'border-top',
        'border-bottom',
        'padding-top',
        'padding-bottom',
        'height'
    ]

    const style = window.getComputedStyle(node)
    return list
        .map(k => parseInt(style.getPropertyValue(k)), 10)
        .reduce((prev, cur) => prev + cur)
}