Does JSSoup (which itself states "JavaScript + BeautifulSoup = JSSoup") support a select()
operation similar to Beautiful Soup or JSoup to select elements based on a CSS selector?
I did not find it, does it probably exist with a different name?
Does JSSoup (which itself states "JavaScript + BeautifulSoup = JSSoup") support a select()
operation similar to Beautiful Soup or JSoup to select elements based on a CSS selector?
I did not find it, does it probably exist with a different name?
Based on the already given answers, I just want to add: One can also just search by class name (without a tag name) by setting the tag name to undefined
in find()
and findAll()
:
mySoup.findAll(undefined, 'myClass');
From the documentation, it appears to be called find
or findAll
depending on whether you want to find one or many. Here's an example they give:
var data = `
<div>
<p> hello </p>
<p> world </p>
</div>
`
var soup = new JSSoup(data);
soup.find('p')
// <p> hello </p>
Looking at the source, I don't see anything offering CSS selector functionality, but it did show that find
and findAll
accept more than one argument, and an example in the documentation for BeautifulSoup shows using the second argument to filter by class, e.g.:
const JSSoup = require('jssoup').default;
const data = `
<div>
<p class="foo bar"> hello </p>
<p> world </p>
</div>
`
const soup = new JSSoup(data);
console.log(soup.find('p', 'foo').toString()); // Logs: <p class="foo bar">hello</p>
The second argument can be used for other attributes as well, but CSS selectors don't seem to be an option.
You have other options, such as jsdom
, which has all the usual DOM stuff such as querySelector
and querySelectorAll
:
const { JSDOM } = require("jsdom");
const data = `
<div>
<p class="foo bar"> hello </p>
<p> world </p>
</div>
`;
const dom = new JSDOM(data);
const doc = dom.window.document;
console.log(doc.querySelector(".foo").outerHTML); // Logs: <p class="foo bar"> hello </p>
You will not be able to utilize selector querying similar to
querySelector
andquerySelectorAll
.Here is the
findAll
definition in JSsoup:And here is the
SoupStrainer
constructor:You are required to pass a tag name as the first argument, followed by attributes. A string is treated as a class name.
Example usage