首页 > 解决方案 > 正则表达式允许单词之间的标点符号和空格

问题描述

我想要一个正则表达式,它可以防止空格,只允许带有标点符号的字母和数字(西班牙语)。下面的正则表达式效果很好,但它不允许标点符号。

^[a-zA-Z0-9_]+( [a-zA-Z0-9_]+)*$

例如,当使用这个正则表达式“Hola como estas”时很好,但是“Hola, como estás?” 不匹配。

如何将其调整为标点符号?

标签: javascriptregexalphanumericpunctuation

解决方案


Use \W+ instead of space and add \W* at the end:

/^[a-zA-Z0-9_]+(?:\W+[a-zA-Z0-9_]+)*\W*$/

See proof

EXPLANATION

                         EXPLANATION
--------------------------------------------------------------------------------
  ^                        the beginning of the string
--------------------------------------------------------------------------------
  [a-zA-Z0-9_]+            any character of: 'a' to 'z', 'A' to 'Z',
                           '0' to '9', '_' (1 or more times (matching
                           the most amount possible))
--------------------------------------------------------------------------------
  (?:                      group, but do not capture (0 or more times
                           (matching the most amount possible)):
--------------------------------------------------------------------------------
    \W+                      non-word characters (all but a-z, A-Z, 0-
                             9, _) (1 or more times (matching the
                             most amount possible))
--------------------------------------------------------------------------------
    [a-zA-Z0-9_]+            any character of: 'a' to 'z', 'A' to
                             'Z', '0' to '9', '_' (1 or more times
                             (matching the most amount possible))
--------------------------------------------------------------------------------
  )*                       end of grouping
--------------------------------------------------------------------------------
  \W*                      non-word characters (all but a-z, A-Z, 0-
                           9, _) (0 or more times (matching the most
                           amount possible))
--------------------------------------------------------------------------------
  $                        before an optional \n, and the end of the
                           string

推荐阅读