1

我正在尝试编写代码来检查域名是否根据 rfc 1035 标准有效。RFC 1035( https://www.rfc-editor.org/rfc/rfc1035 ) 标准对域名有以下标准:

<domain> ::= <subdomain> | " "

<subdomain> ::= <label> | <subdomain> "." <label>

<label> ::= <letter> [ [ <ldh-str> ] <let-dig> ]

<ldh-str> ::= <let-dig-hyp> | <let-dig-hyp> <ldh-str>

<let-dig-hyp> ::= <let-dig> | "-"

<let-dig> ::= <letter> | <digit>

<letter> ::= any one of the 52 alphabetic characters A through Z in
upper case and a through z in lower case

<digit> ::= any one of the ten digits 0 through 9

Note that while upper and lower case letters are allowed in domain
names, no significance is attached to the case.  That is, two names with
the same spelling but different case are to be treated as if identical.

The labels must follow the rules for ARPANET host names.  They must
start with a letter, end with a letter or digit, and have as interior
characters only letters, digits, and hyphen.  There are also some
restrictions on the length.  Labels must be 63 characters or less.

我用 Java 编写了以下代码片段来检查域名是否根据 rfc 1035 有效。

//DomainUtils.java
import java.util.HashSet;
import java.util.Set;
import java.util.regex.Matcher;
import java.util.regex.Pattern;

class DomainUtils {

   private static Pattern pDomainNameOnly1;
   private static Pattern pDomainNameOnly2;

   private static final String DOMAIN_NAME_PATTERN_CHK_1 = "^(?![0-9-])[A-Za-z0-9-]{1,63}(?<!-)$";
   private static final String DOMAIN_NAME_PATTERN_CHK_2 = "^((?![0-9-])[A-Za-z0-9-]{1,63}(?<!-)\\.)+(?![0-9-])[A-Za-z0-9-]{1,63}(?<!-)$";

   static {
       pDomainNameOnly1 = Pattern.compile(DOMAIN_NAME_PATTERN_CHK_1);
       pDomainNameOnly2 = Pattern.compile(DOMAIN_NAME_PATTERN_CHK_2);
   }

   public static boolean isValidDomainName(String domainName) {
       return (pDomainNameOnly1.matcher(domainName).find() || pDomainNameOnly2.matcher(domainName).find() || domainName.equals(" "));
   }

}

//Main.java
public class Main{
   public static void main(String[] args){
       boolean valid = DomainUtils.isValidDomainName("a123456789a123456789a123456789a123456789a123456789a1234567891234.ARPA"); //check if domain name is valid or not
       System.out.println("Valid domain name : " + valid);
   }

}

我只是想检查是否有一些有效的方法(除了我写的)来检查域名是否符合 rfc 1035 标准?此外,如果我需要检查我的代码是否适用于 rfc 1035 标准的极端情况,那么我在哪里可以检查。是否有一些现有的库可以用于此检查?

4

1 回答 1

2

尝试这个:

^[a-zA-Z]([a-zA-Z0-9-]*[a-zA-Z0-9])?(\.[a-zA-Z]([a-zA-Z0-9-]*[a-zA-Z0-9])?)*$

如本演示所示

为了构造这个表达式,我们首先使用标签组件(集合中的单个字符,a-zA-Z后跟(可选)集合中的一系列字符a-zA-Z0-9-,并以非-(内部允许连字符,但不能在开头或结尾一个标签)导致

[a-zA-Z]([a-zA-Z0-9-]*[a-zA-Z0-9])?

此表达式在以下模式下重复:

A(\.A)*

这意味着 的序列A,后跟任意数量(甚至 0)的点序列,后跟 的另一个实例A

通过将上述正则代入 A 的位置,我们得到了最终的正则表达式。锚点消除了字符串开头/结尾处的任何其他周围字符串。

要检查标签最多只能包含 63 个字符,您可以执行

[a-zA-Z]([a-zA-Z0-9-]{0,61}[a-zA-Z0-9])?

但要小心,因为这个正则表达式会编译成一个非常大的表自动机(一个有很多状态的自动机),所以如果你的空间不足,你最好放松一下。

于 2019-07-04T07:26:18.580 回答