验证应允许任何带有一个或多个特殊字符和空格的字母数字字符。 无论哪种方式都可以,它也可以与黑名单案例一起使用。

我有这个:

public static boolean alphNum(String value) {
    Pattern p = Pattern.compile("^[\\w ]*[^\\W_][\\w ]*$");
    Matcher m = p.matcher(value);
    return m.matches();
}

仅适用于字母数字字符和空格,但现在还希望允许特定的特殊字符列表。

以下是我需要允许的类型的一些示例:

我见过很多正则表达式验证,但没有一个是具体的,如果有人能帮我解决这个问题,我会非常感激。

如果没有诸如“必须以字母开头”或“必须包含至少一个字母”(您的问题没有指定任何字母)等限制,并且假设“空格”是指空格,而不是制表符,换行符等,那么表达式就是:

Pattern.compile("^[\\$#\\+{}:\\?\\.,~@\"a-zA-Z0-9 ]+$");

请注意,此正则表达式允许诸如仅一个空格或除尾随空格数外与另一个用户名相同的用户名之类的内容,如果您想更加严格并强制以字母或数字开头(例如),你可以这样做:

Pattern.compile("^[a-zA-Z0-9][\\$#\\+{}:\\?\\.,~@\"a-zA-Z0-9 ]+$");

使用此模式允许字符不在您的黑名单字符上。

"[^^;\\-()<>|='%_]+"

第一个^表示不是以下任何字符。 在你澄清$是好是坏之前,我把它当作一个好角色。

代码示例:

public static void main(String[] args) throws Exception {
    List<String> userNames = new ArrayList() {{
        add("Name1$");          // Good
        add("Name1# Name2");    // Good
        add("Name1 Name2");     // Good
        add("Name Name2");      // Good
        add("Name1 Name");      // Good
        add("UserName$");       // Good
        add("UserName^");       // Bad
        add("UserName;");       // Bad
        add("User-Name");       // Bad
        add("User_Name");       // Bad
    }};
    Pattern pattern = Pattern.compile("[^^;\\-()<>|='%_]+");

    for (String userName : userNames) {
        if (pattern.matcher(userName).matches()) {
            System.out.println("Good Username");
        } else {
            System.out.println("Bad Username");
        }
    }
}

结果:

Good Username
Good Username
Good Username
Good Username
Good Username
Good Username
Bad Username
Bad Username
Bad Username
Bad Username
public class Patteren {
       private static final Pattern specialChars_File = Pattern.compile("[a-zA-Z0-9-/.,:+\\s]*");

     //CASE-1 : Allow only charaters specifed, here im aloowiing ~ '
      private static final Pattern specialCharsRegex_Name = Pattern.compile("[a-zA-Z0-9~']*");

      //.CASE-2: Dont Allow specifed charaters, here im not aloowiing < >
      private static final Pattern specialCharRegex_Script = Pattern.compile("[<>]");

 public static void main(String[] args) {

     if (!specialCharsRegex_Name.matcher("Satya~").matches()) {
       System.out.println("InValid....Error message here ");
     }

     if (specialCharRegex_Script.matcher("a").find()) {
       System.out.println("SCript Tag ... Error Message");
     }
   }
 }
查看全文
  相关解决方案