lagwagon223
lagwagon223

Reputation: 815

Finding the position of bottom of a div with jquery

I have a div and want to find the bottom position. I can find the top position of the Div like this, but how do I find the bottom position?

var top = $('#bottom').position().top;
return top;

Upvotes: 81

Views: 155748

Answers (8)

fatemeh sadeghi
fatemeh sadeghi

Reputation: 2603

use this script to calculate end of div

$('#bottom').offset().top +$('#bottom').height()

Upvotes: 0

Michael Aaron Wilson
Michael Aaron Wilson

Reputation: 1040

This is one of those instances where jquery actually makes it more complicated than what the DOM already provides.

let { top, bottom, height, width, //etc } = $('#bottom')[0].getBoundingClientRect();
return top;

Upvotes: 0

user1026361
user1026361

Reputation: 3657

Add the outerheight to the top and you have the bottom, relative to the parent element:

var $el = $('#bottom');  //record the elem so you don't crawl the DOM everytime  
var bottom = $el.position().top + $el.outerHeight(true); // passing "true" will also include the top and bottom margin

With absolutely positioned elements or when positioning relative to the document, you will need to instead evaluate using offset:

var bottom = $el.offset().top + $el.outerHeight(true);

As pointed out by trnelson this does not work 100% of the time. To use this method for positioned elements, you also must account for offset. For an example see the following code.

var bottom = $el.position().top + $el.offset().top + $el.outerHeight(true);

Upvotes: 178

yoyodunno
yoyodunno

Reputation: 767

EDIT: this solution is now in the original answer too.

The accepted answer is not quite correct. You should not be using the position() function since it is relative to the parent. If you are doing global positioning(in most cases?) you should only add the offset top with the outerheight like so:

var actualBottom = $(selector).offset().top + $(selector).outerHeight(true);

The docs http://api.jquery.com/offset/

Upvotes: 18

Sly
Sly

Reputation: 1175

The answers so far will work.. if you only want to use the height without padding, borders, etc.

If you would like to account for padding, borders, and margin, you should use .outerHeight.

var bottom = $('#bottom').position().top + $('#bottom').outerHeight(true);

Upvotes: 5

Cecil Theodore
Cecil Theodore

Reputation: 9949

var top = ($('#bottom').position().top) + ($('#bottom').height());

Upvotes: 0

Jish
Jish

Reputation: 207

var bottom = $('#bottom').position().top + $('#bottom').height();

Upvotes: 5

zzzzBov
zzzzBov

Reputation: 179284

The bottom is the top + the outerHeight, not the height, as it wouldn't include the margin or padding.

var $bot,
    top,
    bottom;
$bot = $('#bottom');
top = $bot.position().top;
bottom = top + $bot.outerHeight(true); //true is necessary to include the margins

Upvotes: 1

Related Questions