--- id: a6b0bb188d873cb2c8729495 title: Converter entidades HTML challengeType: 5 forumTopicId: 16007 dashedName: convert-html-entities --- # --description-- Converta os caracteres `&`, `<`, `>`, `"` (aspas duplas) e `'` (aspas simples), em uma string para suas entidades HTML correspondentes. # --hints-- `convertHTML("Dolce & Gabbana")` deve retorna a string `Dolce & Gabbana`. ```js assert.match(convertHTML('Dolce & Gabbana'), /Dolce & Gabbana/); ``` `convertHTML("Hamburgers < Pizza < Tacos")` deve retornar a string `Hamburgers < Pizza < Tacos`. ```js assert.match( convertHTML('Hamburgers < Pizza < Tacos'), /Hamburgers < Pizza < Tacos/ ); ``` `convertHTML("Sixty > twelve")` deve retornar a string `Sixty > twelve`. ```js assert.match(convertHTML('Sixty > twelve'), /Sixty > twelve/); ``` `convertHTML('Stuff in "quotation marks"')` deve retornar a string `Stuff in "quotation marks"`. ```js assert.match( convertHTML('Stuff in "quotation marks"'), /Stuff in "quotation marks"/ ); ``` `convertHTML("Schindler's List")` deve retornar a string `Schindler's List`. ```js assert.match(convertHTML("Schindler's List"), /Schindler's List/); ``` `convertHTML("<>")` deve retornar a string `<>`. ```js assert.match(convertHTML('<>'), /<>/); ``` `convertHTML("abc")` deve retornar a string `abc`. ```js assert.strictEqual(convertHTML('abc'), 'abc'); ``` # --seed-- ## --seed-contents-- ```js function convertHTML(str) { return str; } convertHTML("Dolce & Gabbana"); ``` # --solutions-- ```js var MAP = { '&': '&', '<': '<', '>': '>', '"': '"', "'": '''}; function convertHTML(str) { return str.replace(/[&<>"']/g, function(c) { return MAP[c]; }); } ```