Чтобы сопоставить подстроку в скобках, исключая любые внутренние скобки, которые вы можете использовать
\(([^()]*)\)
шаблон. Смотрите на регулярное выражение демо .
В JavaScript используйте его как
var rx = /\(([^()]*)\)/g;
Детали шаблона
Чтобы получить полное совпадение, возьмите значение группы 0, если вам нужен текст в скобках, возьмите значение группы 1.
Самая современная демонстрация кода JavaScript (с использованием matchAll
):
const strs = ["I expect five hundred dollars ($500).", "I expect.. :( five hundred dollars ($500)."];
const rx = /\(([^()]*)\)/g;
strs.forEach(x => {
const matches = [...x.matchAll(rx)];
console.log( Array.from(matches, m => m[0]) ); // All full match values
console.log( Array.from(matches, m => m[1]) ); // All Group 1 values
});
Устаревшая демонстрация кода JavaScript (совместимая с ES5):
var strs = ["I expect five hundred dollars ($500).", "I expect.. :( five hundred dollars ($500)."];
var rx = /\(([^()]*)\)/g;
for (var i=0;i<strs.length;i++) {
console.log(strs[i]);
// Grab Group 1 values:
var res=[], m;
while(m=rx.exec(strs[i])) {
res.push(m[1]);
}
console.log("Group 1: ", res);
// Grab whole values
console.log("Whole matches: ", strs[i].match(rx));
}