How to replace backslashes in a regex saved as string, and to get it to work?

I have an array of names, which I use this regex /^[.*?[ЁёА-я].*?]/g filter to get those that only have Cyrillic letters in square brackets that occur at the start of the name (ex. reg1…test1 below) which works fine, I then save this regex to a database (sqlite3) as text. Now when I get it back from the table it is a string, which I need to replace with \ for the regex to work again.

I tried

  • .replace(/\/g, '\\');
  • .replace(/(?<!\)\(?!\)/g, '\\');
  • .replaceAll("\", "\\");

but as can be seen in this jsfiddle these don’t work as intended.

let arr = [
    '[Лорем ипсум долор] - Lorem ipsum dolor sit amet',
    '[Уллум велит ностер еи] sed do eiusmod tempor incididunt ut labore et dolore magna aliqua (X22)',    
    '[Пауло темпор те меа] Duis aute irure dolor (20X)',
    'Duis aute irure dolor (20X) [Пауло темпор те меа]',
    '[Lorem ipsum] sunt in culpa qui officia [Test]'
];

// Ok - this is before saving into the DB
let reg1 = /^[.*?[ЁёА-я].*?]/g;
let test1 = arr.filter(x => x.match(reg1));

// Ok - but I'd prefer not to save the regex in this form 
let reg2 = "^\[.*?[ЁёА-я].*?\]";
reg2 = new RegExp(reg2,'g');
let test2 = arr.filter(x => x.match(reg2));

// Ok - but no idea how to insert the regex part after the String.raw as 
// String.raw`${reg3}` doesn't work and String.raw(`${reg3}`) gives an error
let reg3 = String.raw`^[.*?[ЁёА-я].*?]`;
reg3 = new RegExp(reg3,'g');
let test3 = arr.filter(x => x.match(reg3));

// These don't work.
let reg4 = '^[.*?[ЁёА-я].*?]';
reg4 = reg4.replace(/\/g, '\\');
//reg4 = reg4.replace(/(?<!\)\(?!\)/g, '\\');
//reg4 = reg4.replaceAll("\", "\\");
reg4 = new RegExp(reg4,'g');
let test4 = arr.filter(x => x.match(reg4));

console.log({
    test1 : test1,
    test2 : test2,
    test3 : test3,
    test4 : test4
});

The correct result is the first three elements of the array like in the test1, test2, test3 results.

Any ideas on how to get a regex saved as a string : reg4 to work to get the correct output?