Reputation: 51100
I know that to filter an element with an atttribute called attrName which has value attrValue I do:
filter("[attrName='attrValue']")
but looking at the docs http://api.jquery.com/category/selectors/ I can't see an option to select all elements s.t. attrName>attrValue
Will this work
filter("[attrName>'attrValue']")
Upvotes: 77
Views: 46959
Reputation: 6115
For ES6 arrow function
$("selector").filter((index, el) => {
return parseInt($(el).attr("attrName")) > 123;
});
Upvotes: 0
Reputation: 7988
Be careful, if you are playing with integers make sure you are using parseInt()
.
$("selector").filter(function() {
return parseInt($(this).attr("my-attr")) > 123;
});
Upvotes: 30
Reputation: 44376
The solution is jQuery.filter():
$("selector").filter(function() {
return $(this).attr("my-attr") > 123;
});
Upvotes: 29
Reputation: 630389
You can do this using the function overload of .filter()
, like this:
.filter(function() {
return $(this).attr("attrName") > "someValue";
})
Upvotes: 113