所以我有一个字符串(房间描述),并希望用一些新字符串(<?player>
)替换它的req.session.player
部分。
以下是代码:
var description = "<?player>, you are in a room.";
description.replace("<?player>", req.session.player);
我已经过测试,req.session.player
确实有字符串值。
当我执行替换方法时,没有任何变化。
注意:我也尝试使用/<?player>/
,这也不起作用。
有什么想法吗?
答案 0 :(得分:4)
您必须将变量分配给新更改的字符串,因为replace
不会更新您的变量:
var description = "<?player>, you are in a room.";
description = description.replace('<?player>', req.session.player);
此外,如果您想要替换所有出现的'<\?player>'
而不是仅替换第一个,请使用带有g
(全局)标记的正则表达式:
var description = "<?player>, you are in a room.";
description = description.replace(/<\?player>/g, req.session.player);
有关完整信息,请阅读https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/String/replace。一些引言:
返回一个新字符串,其中
pattern
的部分或全部匹配项被replacement
替换。此方法不会更改调用它的String对象。它只返回一个新字符串。
要执行全局搜索和替换,请在正则表达式中包含g开关
答案 1 :(得分:2)
问题是未分配replace方法的返回值:
description = description.replace("<?player>", req.session.player);
JS小提琴: http://jsfiddle.net/LEBRK/
答案 2 :(得分:1)
replace
方法returns new string,因此您需要将其分配给description
变量:
var description = "<?player>, you are in a room.";
description = description.replace("<?player>", 'Bill'); // description now is "Bill, you are in a room."