Getting Element Path for selector
Perhaps something like this:
function dompath( element )
{
var path = '';
for ( ; element && element.nodeType == 1; element = element.parentNode )
{
var inner = $(element).children().length == 0 ? $(element).text() : '';
var eleSelector = element.tagName.toLowerCase() +
((inner.length > 0) ? ':contains(\'' + inner + '\')' : '');
path = ' ' + eleSelector + path;
}
return path;
}
This modified a method from another question to go through, and add in the full text contents of the tag via a :contains()
operator only if the tag has no children tags.
I had tested with this method:
$(document).ready(function(){
$('#p').click(function() {
console.log(dompath(this));
});
});
Against this:
<html>
<body>
<div>
<div> </div>
</div>
<ul>
<li></li>
<li></li>
</ul>
<div>
<ul>
<li id="p">hi</li>
<li></li>
<li id="p2">hello world</li>
</ul>
</div>
<body>
<html>
The results of clicking on p then get output as:
html body div ul li:contains('hi')
Modified version of @jcern`s fantastic code.
Features:
- If the element has an id: show only
#elementId
- If no id is present: show
element.className
- If no class is present: show
element
with it'sinnerHtml
appended (if any) - Skip the
<body>
and<html>
elements to shorten output - Does not rely on jQuery
function dompath(element) {
var path = '',
i, innerText, tag, selector, classes;
for (i = 0; element && element.nodeType == 1; element = element.parentNode, i++) {
innerText = element.childNodes.length === 0 ? element.innerHTML : '';
tag = element.tagName.toLowerCase();
classes = element.className;
// Skip <html> and <body> tags
if (tag === "html" || tag === "body")
continue;
if (element.id !== '') {
// If element has an ID, use only the ID of the element
selector = '#' + element.id;
// To use this with jQuery, return a path once we have an ID
// as it's no need to look for more parents afterwards.
//return selector + ' ' + path;
} else if (classes.length > 0) {
// If element has classes, use the element tag with the class names appended
selector = tag + '.' + classes.replace(/ /g , ".");
} else {
// If element has neither, print tag with containing text appended (if any)
selector = tag + ((innerText.length > 0) ? ":contains('" + innerText + "')" : "");
}
path = ' ' + selector + path;
}
return path;
}