Untuk mencocokkan substring di dalam tanda kurung tidak termasuk tanda kurung dalam yang dapat Anda gunakan
\(([^()]*)\)
pola. Lihat yang demo regex .
Dalam JavaScript, gunakan seperti
var rx = /\(([^()]*)\)/g;
Detail pola
Untuk mendapatkan seluruh kecocokan, ambil nilai Grup 0, jika Anda membutuhkan teks di dalam tanda kurung, ambil nilai Grup 1.
Demo kode JavaScript terbaru (menggunakan 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
});
Demo kode JavaScript lama (Sesuai 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));
}