Call Substring multiple times

I have a string and I want to remove this data like this \(f(x) = (a+b)\)
so i am thinking to get all subsstring and then make some operation on array. But it is giving me only one stripedHtml. So not able to get how to clean it. Just wants to remove this equations.

Result will be : Here’s the evidence

const filter_data = `<p>\(f(x) = (a+b)\)</p><p>\(f(x) = (a+db)\)</p><p>\(f(x) = (a+d+c+b)\)</p>
    <p>Here’s the evidence.</p>`
var strippedHtml = filter_data.substring(
  filter_data.lastIndexOf("\(") + 1,
  filter_data.lastIndexOf("\)")
);


console.log(strippedHtml)

Solution 1:

JS has a replace method for this that accepts RegExp:

const filter_data = `<p>\(f(x) = (a+b)\)</p><p>\(f(x) = (a+db)\)</p><p>\(f(x) = (a+d+c+b)\)</p>
    <p>Here’s the evidence.</p>`;
var strippedHtml = filter_data.replace(/\<.*?\(.*?>/g, "");

console.log(strippedHtml);

The RegExp searches for an < followed by a ( and then an > and replaces all appearances with an empty value.

In your string it will match two times and do a replace. Maybe you have to modify the RegExp to fit your real string as it would also match text nodes containing ( but that's what I would do at this point with the given data.

Solution 2:

You can use following regular expressions to obtain solution for only similar type of data you were provided

const filterData1 = `<p>\(f(x) = (a+b)\)</p><p>\(f(x) = (a+db)\)</p><p>\(f(x) = (a+d+c+b)\)</p><p>Here’s the evidence.</p>`
const filterData2 = `<p>\(f(x) = (a+b)\)</p><p>\(f(x) = (a+db)\)</p><p>\(f(x) = (a+d+c+b)\)</p><p>Here’s the evidence.</p><p>\(f(x) = (a+b)\)</p>`

const regEx1 = /<[^>]*>/g   //regular expression to remove all html tags
const regEx2 = /\([^\)]*\)/g  //regular expression to remove everything between \( and \)
const regEx3 = /[=)]/g  //regular expression to remove = and )

const result1 = filterData1.replace(regEx1,'').replace(regEx2,'').replace(regEx3,'').trim()
const result2 = filterData2.replace(regEx1,'').replace(regEx2,'').replace(regEx3,'').trim()

console.log("Result1 : ",result1);
console.log("Result2 : ",result2);