我可以在正则表达式变量中使用什么来确保字段只包含数字,但也允许句号(句点(和各种货币符号(£,$(
希望你能帮到你!
谢谢
这是我到目前为止所拥有的:
var validRegExp = /^[0-9]$/;
我可能会选择以下内容:
/^d+(.[d]+){0,1}[€$]{0,1}$/gm
它至少匹配一个数字,然后允许您在其中的某个地方放置零个或一个句点,然后在句点之后至少需要一个数字。在它的末尾,您可以放置一个明确命名的货币符号。不过,您必须添加所有要支持的内容。
让我们尝试以下列表:
3.50€
2$
.5
34.4.5
2$€
afasf
您将看到只有前两个正确匹配。最终输出是组 0 中的输出。
const regex = /^d+(.[d]+){0,1}[€$]{0,1}$/gm;
const str = `3.50€
2$
.5
34.4.5
2$€
afasf
`;
let m;
while ((m = regex.exec(str)) !== null) {
// This is necessary to avoid infinite loops with zero-width matches
if (m.index === regex.lastIndex) {
regex.lastIndex++;
}
// The result can be accessed through the `m`-variable.
m.forEach((match, groupIndex) => {
console.log(`Found match, group ${groupIndex}: ${match}`);
});
}