Is it possible using jQuery to select all <a>
links which href ends with "ABC"?
For example, if I want to find this link <a href="http://server/page.aspx?id=ABC">
Is it possible using jQuery to select all <a>
links which href ends with "ABC"?
For example, if I want to find this link <a href="http://server/page.aspx?id=ABC">
$('a[href$="ABC"]')...
Selector documentation can be found at http://docs.jquery.com/Selectors
For attributes:
= is exactly equal
!= is not equal
^= is starts with
$= is ends with
*= is contains
~= is contains word
|= is starts with prefix (i.e., |= "prefix" matches "prefix-...")
$('a').filter(function() { return !this.href || !this.href.match(/ABC/); });
–
Lingle document.querySelectorAll('a[href$="ABC"]')
to achieve this. –
Gametangium !=
is not a valid attribute selector –
Baltimore var
var name = "ABC"; $('a[href$='+name+']')
–
Inerrable $('a[href$="ABC"]:first').attr('title');
This will return the title of the first link that has a URL which ends with "ABC".
$("a[href*='id=ABC']").addClass('active_jquery_menu');
ABC
happens to refer to an ID. –
Bywoods Just in case you don't want to import a big library like jQuery to accomplish something this trivial, you can use the built-in method querySelectorAll
instead. Almost all selector strings used for jQuery work with DOM methods as well:
const anchors = document.querySelectorAll('a[href$="ABC"]');
Or, if you know that there's only one matching element:
const anchor = document.querySelector('a[href$="ABC"]');
You may generally omit the quotes around the attribute value if the value you're searching for is alphanumeric, eg, here, you could also use
a[href$=ABC]
but quotes are more flexible and generally more reliable.
© 2022 - 2024 — McMap. All rights reserved.