1
  2
  3
  4
  5
  6
  7
  8
  9
 10
 11
 12
 13
 14
 15
 16
 17
 18
 19
 20
 21
 22
 23
 24
 25
 26
 27
 28
 29
 30
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
//! ABNF Core Rules (RFC5234 B.1.)

use nom::{
    branch::alt,
    bytes::streaming::tag,
    character::streaming::line_ending,
    character::{is_alphabetic, is_digit as nom_is_digit, is_hex_digit as nom_is_hex_digit},
    IResult,
};

/// A-Z / a-z
///
/// ALPHA = %x41-5A / %x61-7A
pub fn is_ALPHA(byte: u8) -> bool {
    is_alphabetic(byte)
}

/// BIT = "0" / "1"
pub fn is_BIT(byte: u8) -> bool {
    byte == b'0' || byte == b'1'
}

/// Any 7-bit US-ASCII character, excluding NUL
///
/// CHAR = %x01-7F
pub fn is_CHAR(byte: u8) -> bool {
    matches!(byte, 0x01..=0x7f)
}

/// Carriage return
///
/// CR = %x0D
pub fn CR(input: &[u8]) -> IResult<&[u8], &[u8]> {
    tag("\r")(input)
}

/// Internet standard newline
///
/// CRLF = CR LF
pub fn CRLF(input: &[u8]) -> IResult<&[u8], &[u8]> {
    tag("\r\n")(input)
}

/// Newline, with and without "\r".
pub fn CRLF_relaxed(input: &[u8]) -> IResult<&[u8], &[u8]> {
    line_ending(input)
}

/// Controls
///
/// CTL = %x00-1F / %x7F
pub fn is_CTL(byte: u8) -> bool {
    matches!(byte, 0x00..=0x1f | 0x7f)
}

/// 0-9
///
/// DIGIT = %x30-39
pub fn is_DIGIT(byte: u8) -> bool {
    nom_is_digit(byte)
}

/// Double Quote
///
/// DQUOTE = %x22
pub fn DQUOTE(input: &[u8]) -> IResult<&[u8], &[u8]> {
    tag("\"")(input)
}

/// HEXDIG = DIGIT / "A" / "B" / "C" / "D" / "E" / "F"
pub fn is_HEXDIG(byte: u8) -> bool {
    nom_is_hex_digit(byte)
}

/// Horizontal tab
///
/// HTAB = %x09
pub fn HTAB(input: &[u8]) -> IResult<&[u8], &[u8]> {
    tag("\x09")(input)
}

/// Linefeed
///
/// LF = %x0A
pub fn LF(input: &[u8]) -> IResult<&[u8], &[u8]> {
    tag("\n")(input)
}

/// Use of this linear-white-space rule permits lines containing only white
/// space that are no longer legal in mail headers and have caused
/// interoperability problems in other contexts.
///
/// Do not use when defining mail headers and use with caution in other contexts.
///
/// LWSP = *(WSP / CRLF WSP)

/// 8 bits of data
///
/// OCTET = %x00-FF

/// SP = %x20
pub fn SP(input: &[u8]) -> IResult<&[u8], &[u8]> {
    tag(" ")(input)
}

/// Visible (printing) characters
///
/// VCHAR = %x21-7E
pub fn is_VCHAR(byte: u8) -> bool {
    matches!(byte, 0x21..=0x7E)
}

/// White space
///
/// WSP = SP / HTAB
pub fn WSP(input: &[u8]) -> IResult<&[u8], &[u8]> {
    alt((SP, HTAB))(input)
}