Beispiel #1
0
 def test3match_data_empty(self):
     """The match_context is empty and no match_element is expected."""
     match_context = MatchContext(b'')
     variable_byte_data_model_element = VariableByteDataModelElement(
         'variable', self.alphabet)
     match_element = variable_byte_data_model_element.get_match_element(
         'match', match_context)
     self.assertEqual(match_element, None)
     self.assertEqual(match_context.match_data, b'')
Beispiel #2
0
 def test2match_data_not_starting_with_char_from_alphabet(self):
     """The match_context contains characters of the specified alphabet, but does not start with one."""
     match_context = MatchContext(b'.this sentence started with a dot.')
     variable_byte_data_model_element = VariableByteDataModelElement(
         'variable', self.alphabet)
     match_element = variable_byte_data_model_element.get_match_element(
         'match', match_context)
     self.assertEqual(match_element, None)
     self.assertEqual(match_context.match_data,
                      b'.this sentence started with a dot.')
Beispiel #3
0
 def test3get_match_element_valid_match(self):
     """Parse matching substring from MatchContext and check if the MatchContext was updated with all characters."""
     data = b"abcdefghijklm nopqrstuvwxyz.!?"
     value = b"abcdefghijklm nopqrstuvwxyz"
     match_context = DummyMatchContext(data)
     variable_byte_dme = VariableByteDataModelElement(
         self.id_, self.alphabet)
     match_element = variable_byte_dme.get_match_element(
         self.path, match_context)
     self.compare_match_results(data, match_element, match_context,
                                self.id_, self.path, value, value, None)
Beispiel #4
0
 def test1match_data_in_alphabet(self):
     """The match_context contains only characters of the specified alphabet."""
     match_context = MatchContext(
         b'this is a normal sentence in lower case.')
     variable_byte_data_model_element = VariableByteDataModelElement(
         'variable', self.alphabet)
     match_element = variable_byte_data_model_element.get_match_element(
         'match', match_context)
     self.assertEqual(match_element.get_match_string(),
                      b'this is a normal sentence in lower case')
     self.assertEqual(match_context.match_data, b'.')
def get_logind_model(user_name_model=None):
    """Return a model to parse a systemd logind daemon message after any standard logging preamble, e.g. from syslog."""
    if user_name_model is None:
        user_name_model = VariableByteDataModelElement("user", b"0123456789abcdefghijklmnopqrstuvwxyz-_")

    type_children = [
        SequenceModelElement("new session", [
            FixedDataModelElement("s0", b"New session "),
            DecimalIntegerValueModelElement("session"),
            FixedDataModelElement("s1", b" of user "),
            user_name_model,
            FixedDataModelElement("s2", b".")
        ]),
        SequenceModelElement("removed session", [
            FixedDataModelElement("s0", b"Removed session "),
            DecimalIntegerValueModelElement("session"),
            FixedDataModelElement("s1", b".")
        ]),
        SequenceModelElement("logged out", [
            FixedDataModelElement("s0", b"Session "),
            DecimalIntegerValueModelElement("session"),
            FixedDataModelElement("s1", b" logged out. Waiting for processes to exit.")
        ]),
        FixedDataModelElement("failed abandon", b"Failed to abandon session scope: Transport endpoint is not connected")
    ]
    # Will fail on username models including the dot at the end.

    model = SequenceModelElement("systemd-logind", [
        FixedDataModelElement("sname", b"systemd-logind["),
        DecimalIntegerValueModelElement("pid"),
        FixedDataModelElement("s0", b"]: "),
        FirstMatchModelElement("msg", type_children)
    ])
    return model
def get_logind_model(user_name_model=None):
    """Return a model to parse a systemd logind daemon message after any standard logging preamble, e.g. from syslog."""
    if user_name_model is None:
        user_name_model = VariableByteDataModelElement(
            'user', b'0123456789abcdefghijklmnopqrstuvwxyz-')

    type_children = [
        SequenceModelElement('new session', [
            FixedDataModelElement('s0', b'New session '),
            DecimalIntegerValueModelElement('session'),
            FixedDataModelElement('s1', b' of user '), user_name_model,
            FixedDataModelElement('s2', b'.')
        ]),
        SequenceModelElement('removed session', [
            FixedDataModelElement('s0', b'Removed session '),
            DecimalIntegerValueModelElement('session'),
            FixedDataModelElement('s1', b'.')
        ])
    ]
    # Will fail on username models including the dot at the end.

    model = SequenceModelElement('systemd-logind', [
        FixedDataModelElement('sname', b'systemd-logind['),
        DecimalIntegerValueModelElement('pid'),
        FixedDataModelElement('s0', b']: '),
        FirstMatchModelElement('msg', type_children)
    ])
    return model
Beispiel #7
0
def get_model():
    """Return a model to parse Apache Access logs from the AIT-LDS."""
    alphabet = b"!'#$%&\"()*+,-./0123456789:;<>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ\\^_`abcdefghijklmnopqrstuvwxyz{|}~=[]"

    model = SequenceModelElement("model", [
        FirstMatchModelElement("client_ip", [
            IpAddressDataModelElement("client_ip"),
            FixedDataModelElement("localhost", b"::1")
        ]),
        FixedDataModelElement("sp1", b" "),
        VariableByteDataModelElement("client_id", alphabet),
        FixedDataModelElement("sp2", b" "),
        VariableByteDataModelElement("user_id", alphabet),
        FixedDataModelElement("sp3", b" ["),
        DateTimeModelElement("time", b"%d/%b/%Y:%H:%M:%S%z"),
        FixedDataModelElement("sp4", b'] "'),
        FirstMatchModelElement("fm", [
            FixedDataModelElement("dash", b"-"),
            SequenceModelElement("request", [
                FixedWordlistDataModelElement("method", [
                    b"GET", b"POST", b"PUT", b"HEAD", b"DELETE", b"CONNECT",
                    b"OPTIONS", b"TRACE", b"PATCH"
                ]),
                FixedDataModelElement("sp5", b" "),
                DelimitedDataModelElement("request", b" ", b"\\"),
                FixedDataModelElement("sp6", b" "),
                DelimitedDataModelElement("version", b'"'),
            ])
        ]),
        FixedDataModelElement("sp7", b'" '),
        DecimalIntegerValueModelElement("status_code"),
        FixedDataModelElement("sp8", b" "),
        DecimalIntegerValueModelElement("content_size"),
        OptionalMatchModelElement(
            "combined",
            SequenceModelElement("combined", [
                FixedDataModelElement("sp9", b' "'),
                DelimitedDataModelElement("referer", b'"', b"\\"),
                FixedDataModelElement("sp10", b'" "'),
                DelimitedDataModelElement("user_agent", b'"', b"\\"),
                FixedDataModelElement("sp11", b'"'),
            ]))
    ])

    return model
Beispiel #8
0
def get_model():
    """Return a parser for apache2 access.log."""
    new_time_model = DateTimeModelElement("time", b"[%d/%b/%Y:%H:%M:%S%z")
    host_name_model = VariableByteDataModelElement(
        "host", b"-.01234567890abcdefghijklmnopqrstuvwxyz:")
    identity_model = VariableByteDataModelElement(
        "ident", b"-.01234567890abcdefghijklmnopqrstuvwxyz:")
    user_name_model = VariableByteDataModelElement(
        "user", b"0123456789abcdefghijklmnopqrstuvwxyz.-")
    request_method_model = FirstMatchModelElement("fm", [
        FixedDataModelElement("dash", b"-"),
        SequenceModelElement("request", [
            FixedWordlistDataModelElement("method", [
                b"GET", b"POST", b"PUT", b"HEAD", b"DELETE", b"CONNECT",
                b"OPTIONS", b"TRACE", b"PATCH"
            ]),
            FixedDataModelElement("sp5", b" "),
            DelimitedDataModelElement("request", b" ", b"\\"),
            FixedDataModelElement("sp6", b" "),
            DelimitedDataModelElement("version", b'"'),
        ])
    ])
    status_code_model = DecimalIntegerValueModelElement("status")
    size_model = DecimalIntegerValueModelElement("size")

    whitespace_str = b" "
    model = SequenceModelElement("accesslog", [
        host_name_model,
        FixedDataModelElement("sp0", whitespace_str), identity_model,
        FixedDataModelElement("sp1", whitespace_str), user_name_model,
        FixedDataModelElement("sp2", whitespace_str), new_time_model,
        FixedDataModelElement("sp3", b'] "'), request_method_model,
        FixedDataModelElement("sp6", b'" '), status_code_model,
        FixedDataModelElement("sp7", whitespace_str), size_model,
        OptionalMatchModelElement(
            "combined",
            SequenceModelElement("combined", [
                FixedDataModelElement("sp9", b' "'),
                DelimitedDataModelElement("referer", b'"', b"\\"),
                FixedDataModelElement("sp10", b'" "'),
                DelimitedDataModelElement("user_agent", b'"', b"\\"),
                FixedDataModelElement("sp11", b'"')
            ]))
    ])
    return model
Beispiel #9
0
def get_model():
    """Return a model to parse Apache Access logs from the AIT-LDS."""
    alphabet = b'!"#$%&\'()*+,-./0123456789:;<>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ\\^_`abcdefghijklmnopqrstuvwxyz{|}~=[]'

    model = SequenceModelElement('model', [
        FirstMatchModelElement('client_ip', [
            IpAddressDataModelElement('client_ip'),
            FixedDataModelElement('localhost', b'::1')
            ]),
        FixedDataModelElement('sp1', b' '),
        VariableByteDataModelElement('client_id', alphabet),
        FixedDataModelElement('sp2', b' '),
        VariableByteDataModelElement('user_id', alphabet),
        FixedDataModelElement('sp3', b' ['),
        DateTimeModelElement('time', b'%d/%b/%Y:%H:%M:%S'),
        FixedDataModelElement('sp4', b' +'),
        DecimalIntegerValueModelElement('tz'),
        FixedDataModelElement('sp5', b'] "'),
        FirstMatchModelElement('fm', [
            FixedDataModelElement('dash', b'-'),
            SequenceModelElement('request', [
                FixedWordlistDataModelElement('method', [
                    b'GET', b'POST', b'PUT', b'HEAD', b'DELETE', b'CONNECT', b'OPTIONS', b'TRACE', b'PATCH']),
                FixedDataModelElement('sp6', b' '),
                DelimitedDataModelElement('request', b' ', b'\\'),
                FixedDataModelElement('sp7', b' '),
                DelimitedDataModelElement('version', b'"'),
                ])
            ]),
        FixedDataModelElement('sp8', b'" '),
        DecimalIntegerValueModelElement('status_code'),
        FixedDataModelElement('sp9', b' '),
        DecimalIntegerValueModelElement('content_size'),
        OptionalMatchModelElement(
            'combined', SequenceModelElement('combined', [
                FixedDataModelElement('sp10', b' "'),
                DelimitedDataModelElement('referer', b'"', b'\\'),
                FixedDataModelElement('sp11', b'" "'),
                DelimitedDataModelElement('user_agent', b'"', b'\\'),
                FixedDataModelElement('sp12', b'"'),
                ])),
        ])

    return model
def get_model(user_name_model=None):
    """Return a model to parse a su session information message after any standard logging preamble, e.g. from syslog."""
    if user_name_model is None:
        user_name_model = VariableByteDataModelElement(
            "user", b"0123456789abcdefghijklmnopqrstuvwxyz.-")
    srcuser_name_model = VariableByteDataModelElement(
        "srcuser", b"0123456789abcdefghijklmnopqrstuvwxyz.-")

    type_children = [
        SequenceModelElement("su-good", [
            FixedDataModelElement("s0", b"Successful su for "),
            user_name_model,
            FixedDataModelElement("s1", b" by "), srcuser_name_model
        ]),
        SequenceModelElement("su-good", [
            FixedDataModelElement("s0", b"+ "),
            DelimitedDataModelElement("terminal", b" "),
            FixedDataModelElement("s1", b" "), srcuser_name_model,
            FixedDataModelElement("s2", b":"), user_name_model
        ]),
        SequenceModelElement("pam", [
            FixedDataModelElement("s0", b"pam_unix(su:session): session "),
            FixedWordlistDataModelElement("change", [b"opened", b"closed"]),
            FixedDataModelElement("s1", b" for user "), user_name_model,
            OptionalMatchModelElement(
                "openby",
                SequenceModelElement("userinfo", [
                    FixedDataModelElement("s0", b" by (uid="),
                    DecimalIntegerValueModelElement("uid"),
                    FixedDataModelElement("s1", b")")
                ]))
        ])
    ]

    model = SequenceModelElement("su", [
        FixedDataModelElement("sname", b"su["),
        DecimalIntegerValueModelElement("pid"),
        FixedDataModelElement("s0", b"]: "),
        FirstMatchModelElement("msg", type_children)
    ])
    return model
def get_model(user_name_model=None):
    """Return a model to parse a su session information message after any standard logging preamble, e.g. from syslog."""
    if user_name_model is None:
        user_name_model = VariableByteDataModelElement(
            'user', b'0123456789abcdefghijklmnopqrstuvwxyz.-')
    srcuser_name_model = VariableByteDataModelElement(
        'srcuser', b'0123456789abcdefghijklmnopqrstuvwxyz.-')

    type_children = [
        SequenceModelElement('su-good', [
            FixedDataModelElement('s0', b'Successful su for '),
            user_name_model,
            FixedDataModelElement('s1', b' by '), srcuser_name_model
        ]),
        SequenceModelElement('su-good', [
            FixedDataModelElement('s0', b'+ '),
            DelimitedDataModelElement('terminal', b' '),
            FixedDataModelElement('s1', b' '), srcuser_name_model,
            FixedDataModelElement('s2', b':'), user_name_model
        ]),
        SequenceModelElement('pam', [
            FixedDataModelElement('s0', b'pam_unix(su:session): session '),
            FixedWordlistDataModelElement('change', [b'opened', b'closed']),
            FixedDataModelElement('s1', b' for user '), user_name_model,
            OptionalMatchModelElement(
                'openby',
                SequenceModelElement('userinfo', [
                    FixedDataModelElement('s0', b' by (uid='),
                    DecimalIntegerValueModelElement('uid'),
                    FixedDataModelElement('s1', b')')
                ]))
        ])
    ]

    model = SequenceModelElement('su', [
        FixedDataModelElement('sname', b'su['),
        DecimalIntegerValueModelElement('pid'),
        FixedDataModelElement('s0', b']: '),
        FirstMatchModelElement('msg', type_children)
    ])
    return model
def get_model():
    """Get the model."""
    interface_name_model = VariableByteDataModelElement('interface', b'0123456789abcdefghijklmnopqrstuvwxyz.')

    type_children = [
        SequenceModelElement('exit', [
            FixedDataModelElement('s0', b'ntpd exiting on signal '),
            DecimalIntegerValueModelElement('signal')
        ]),
        SequenceModelElement('listen-drop', [
            FixedDataModelElement('s0', b'Listen and drop on '),
            DecimalIntegerValueModelElement('fd'),
            FixedDataModelElement('s1', b' '),
            interface_name_model,
            FixedDataModelElement('s2', b' '),
            FirstMatchModelElement('address', [
                IpAddressDataModelElement('ipv4'),
                DelimitedDataModelElement('ipv6', b' ')
            ]),
            FixedDataModelElement('s3', b' UDP 123')
        ]),
        SequenceModelElement('listen-normal', [
            FixedDataModelElement('s0', b'Listen normally on '),
            DecimalIntegerValueModelElement('fd'),
            FixedDataModelElement('s1', b' '),
            interface_name_model,
            FixedDataModelElement('s2', b' '),
            IpAddressDataModelElement('ip'),
            FirstMatchModelElement('msg', [
                FixedDataModelElement('port-new', b':123'),
                FixedDataModelElement('port-old', b' UDP 123')
            ])
        ]),
        SequenceModelElement('listen-routing', [
            FixedDataModelElement('s0', b'Listening on routing socket on fd #'),
            DecimalIntegerValueModelElement('fd'),
            FixedDataModelElement('s1', b' for interface updates')
        ]),
        FixedDataModelElement('new-interfaces', b'new interface(s) found: waking up resolver'),
        FixedDataModelElement('ntp-io', b'ntp_io: estimated max descriptors: 1024, initial socket boundary: 16'),
        FixedDataModelElement('peers-refreshed', b'peers refreshed'),
        SequenceModelElement('precision', [
            FixedDataModelElement('s0', b'proto: precision = '),
            DecimalFloatValueModelElement('precision'),
            FixedDataModelElement('s1', b' usec')])]

    model = SequenceModelElement('ntpd', [
        FixedDataModelElement('sname', b'ntpd['),
        DecimalIntegerValueModelElement('pid'),
        FixedDataModelElement('s0', b']: '),
        FirstMatchModelElement('msg', type_children)
    ])
    return model
Beispiel #13
0
    def test6get_match_element_match_context_input_validation(self):
        """Check if an exception is raised, when other classes than MatchContext are used in get_match_element."""
        model_element = VariableByteDataModelElement(self.id_, self.alphabet)
        data = b"abcdefghijklmnopqrstuvwxyz.!?"
        model_element.get_match_element(self.path, DummyMatchContext(data))
        model_element.get_match_element(self.path, MatchContext(data))

        self.assertRaises(AttributeError, model_element.get_match_element,
                          self.path, MatchElement(None, data, None, None))
        self.assertRaises(AttributeError, model_element.get_match_element,
                          self.path, data)
        self.assertRaises(AttributeError, model_element.get_match_element,
                          self.path, data.decode())
        self.assertRaises(AttributeError, model_element.get_match_element,
                          self.path, 123)
        self.assertRaises(AttributeError, model_element.get_match_element,
                          self.path, 123.22)
        self.assertRaises(AttributeError, model_element.get_match_element,
                          self.path, True)
        self.assertRaises(AttributeError, model_element.get_match_element,
                          self.path, None)
        self.assertRaises(AttributeError, model_element.get_match_element,
                          self.path, [])
        self.assertRaises(AttributeError, model_element.get_match_element,
                          self.path, {"key": MatchContext(data)})
        self.assertRaises(AttributeError, model_element.get_match_element,
                          self.path, set())
        self.assertRaises(AttributeError, model_element.get_match_element,
                          self.path, ())
        self.assertRaises(AttributeError, model_element.get_match_element,
                          self.path, model_element)
Beispiel #14
0
def get_model():
    """Return a parser for apache2 access.log."""
    new_time_model = SequenceModelElement('time_model', [
        DateTimeModelElement('time', b'[%d/%b/%Y:%H:%M:%S '),
        FixedWordlistDataModelElement('sign', [b'+', b'-']),
        DecimalIntegerValueModelElement('tz'),
        FixedDataModelElement('bracket', b']')
    ])
    host_name_model = VariableByteDataModelElement(
        'host', b'-.01234567890abcdefghijklmnopqrstuvwxyz:')
    identity_model = VariableByteDataModelElement(
        'ident', b'-.01234567890abcdefghijklmnopqrstuvwxyz:')
    user_name_model = VariableByteDataModelElement(
        'user', b'0123456789abcdefghijklmnopqrstuvwxyz.-')
    request_method_model = FixedWordlistDataModelElement(
        'method', [
            b'GET', b'POST', b'PUT', b'HEAD', b'DELETE', b'CONNECT',
            b'OPTIONS', b'TRACE', b'PATCH'
        ])
    request_model = VariableByteDataModelElement(
        'request',
        b'0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ.-/()[]{}!$%&=<?*+'
    )
    version_model = VariableByteDataModelElement('version', b'0123456789.')
    status_code_model = DecimalIntegerValueModelElement('status')
    size_model = DecimalIntegerValueModelElement('size')
    user_agent_model = VariableByteDataModelElement(
        'useragent',
        b'0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ.-/()[]{}!$%&=<?*+;:_ '
    )

    whitespace_str = b' '
    model = SequenceModelElement('accesslog', [
        host_name_model,
        FixedDataModelElement('sp0', whitespace_str),
        identity_model,
        FixedDataModelElement('sp1', whitespace_str),
        user_name_model,
        FixedDataModelElement('sp2', whitespace_str),
        new_time_model,
        FixedDataModelElement('sp3', b' "'),
        request_method_model,
        FixedDataModelElement('sp4', whitespace_str),
        request_model,
        FixedDataModelElement('sp5', b' HTTP/'),
        version_model,
        FixedDataModelElement('sp6', b'" '),
        status_code_model,
        FixedDataModelElement('sp7', whitespace_str),
        size_model,
        FixedDataModelElement('sp8', b' "-" "'),
        user_agent_model,
        FixedDataModelElement('sp9', b'"'),
    ])
    return model
def get_model(time_model=None):
    """
    Return the model for parsing a standard syslog preamble including timestamp and hostname.
    @param time_model when not none, the given model element is used for parsing timestamps. Otherwise a standard DateTimeModelElement
    with format b'%b %d %H:%M:%S' is created. CAVEAT: the standard model may not work when log data timestamp locale does not match
    host or shell environment locale. See MultiLocaleDatetime_modelElement instead.
    """
    if time_model is None:
        time_model = DateTimeModelElement('time', b'%b %d %H:%M:%S')
    host_name_model = VariableByteDataModelElement(
        'host', b'-.01234567890abcdefghijklmnopqrstuvwxyz')
    model = SequenceModelElement('syslog', [
        time_model,
        FixedDataModelElement('sp0', b' '), host_name_model,
        FixedDataModelElement('sp1', b' ')
    ])
    return model
 def test6null_value(self):
     """Test if null values are parsed to "null"."""
     key_parser_dict = {
         "works":
         VariableByteDataModelElement("id", b"abc123"),
         "problem":
         FixedWordlistDataModelElement("wordlist",
                                       [b"allowed value", b"null"])
     }
     data1 = b"""{
         "works": "abc",
         "problem": "allowed value"
     }"""
     data2 = b"""{
         "works": "123",
         "problem": null
     }"""
     json_model_element = JsonModelElement('json', key_parser_dict)
     self.assertIsNotNone(
         json_model_element.get_match_element('match', MatchContext(data1)))
     self.assertIsNotNone(
         json_model_element.get_match_element('match', MatchContext(data2)))
Beispiel #17
0
def get_model(user_name_model=None):
    """Return a model to parse a cron message logged via syslog after any standard logging preamble, e.g. from syslog."""
    if user_name_model is None:
        user_name_model = VariableByteDataModelElement(
            'user', b'0123456789abcdefghijklmnopqrstuvwxyz.-')

    type_children = [
        SequenceModelElement('exec', [
            FixedDataModelElement('s0', b'('), user_name_model,
            FixedDataModelElement('s1', b') CMD '),
            AnyByteDataModelElement('command')
        ]),
        SequenceModelElement('pam', [
            FixedDataModelElement('s0', b'pam_unix(cron:session): session '),
            FixedWordlistDataModelElement('change', [b'opened', b'closed']),
            FixedDataModelElement('s1', b' for user '), user_name_model,
            OptionalMatchModelElement(
                'openby', FixedDataModelElement('default', b' by (uid=0)'))
        ])
    ]

    model = FirstMatchModelElement('cron', [
        SequenceModelElement('std', [
            FixedDataModelElement('sname', b'CRON['),
            DecimalIntegerValueModelElement('pid'),
            FixedDataModelElement('s0', b']: '),
            FirstMatchModelElement('msgtype', type_children)
        ]),
        SequenceModelElement('low', [
            FixedDataModelElement('sname', b'cron['),
            DecimalIntegerValueModelElement('pid'),
            FixedDataModelElement('s0', b']: (*system*'),
            DelimitedDataModelElement('rname', b') RELOAD ('),
            FixedDataModelElement('s1', b') RELOAD ('),
            DelimitedDataModelElement('fname', b')'),
            FixedDataModelElement('s2', b')'),
        ])
    ])
    return model
Beispiel #18
0
    def test4get_match_element_no_match(self):
        """Parse not matching substring from MatchContext and check if the MatchContext was not changed."""
        data = b""
        match_context = DummyMatchContext(data)
        variable_byte_dme = VariableByteDataModelElement(
            self.id_, self.alphabet)
        match_element = variable_byte_dme.get_match_element(
            self.path, match_context)
        self.compare_no_match_results(data, match_element, match_context)

        data = b"!abcdefghijklm nopqrstuvwxyz.!?"
        match_context = DummyMatchContext(data)
        variable_byte_dme = VariableByteDataModelElement(
            self.id_, self.alphabet)
        match_element = variable_byte_dme.get_match_element(
            self.path, match_context)
        self.compare_no_match_results(data, match_element, match_context)
Beispiel #19
0
def get_model(user_name_model=None):
    """Return a model to parse a sshd information message after any standard logging preamble, e.g. from syslog."""
    if user_name_model is None:
        user_name_model = VariableByteDataModelElement(
            "user", b"0123456789abcdefghijklmnopqrstuvwxyz.-")

    from_str = b" from "
    port = b" port "
    preauth = b" [preauth]"

    type_children = [
        SequenceModelElement("accepted key", [
            FixedDataModelElement("s0", b"Accepted publickey for "),
            user_name_model,
            FixedDataModelElement("s1", from_str),
            IpAddressDataModelElement("clientip"),
            FixedDataModelElement("s2", port),
            DecimalIntegerValueModelElement("port"),
            FixedDataModelElement("s3", b" ssh2: "),
            DelimitedDataModelElement(
                "asym-algorithm", b" ", consume_delimiter=True),
            VariableByteDataModelElement(
                "fingerprint",
                b"0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ+/:"
            ),
            OptionalMatchModelElement(
                "opt",
                SequenceModelElement("seq", [
                    FixedDataModelElement("s4", b" ID "),
                    DelimitedDataModelElement("id", b" "),
                    FixedDataModelElement("s5", b" (serial "),
                    DecimalIntegerValueModelElement("serial"),
                    FixedDataModelElement("s6", b") CA "),
                    AnyByteDataModelElement("algorithm_details")
                ]))
        ]),
        SequenceModelElement("btmp-perm", [
            FixedDataModelElement(
                "s0",
                b"Excess permission or bad ownership on file /var/log/btmp")
        ]),
        SequenceModelElement("close-sess", [
            FixedDataModelElement("s0", b"Close session: user "),
            user_name_model,
            FixedDataModelElement("s1", from_str),
            IpAddressDataModelElement("clientip"),
            FixedDataModelElement("s2", port),
            DecimalIntegerValueModelElement("port"),
            FixedDataModelElement("s3", b" id "),
            DecimalIntegerValueModelElement("userid")
        ]),
        SequenceModelElement("closing", [
            FixedDataModelElement("s0", b"Closing connection to "),
            IpAddressDataModelElement("clientip"),
            FixedDataModelElement("s1", port),
            DecimalIntegerValueModelElement("port")
        ]),
        SequenceModelElement("closed", [
            FixedDataModelElement("s0", b"Connection closed by "),
            FirstMatchModelElement("fm", [
                IpAddressDataModelElement("clientip"),
                SequenceModelElement("seq", [
                    FixedWordlistDataModelElement(
                        "user-type", [b"authenticating", b"invalid"]),
                    FixedDataModelElement("s1", b" user "),
                    DelimitedDataModelElement("user", b" "),
                    FixedDataModelElement("s2", b" "),
                    FirstMatchModelElement("fm", [
                        IpAddressDataModelElement("ip"),
                        IpAddressDataModelElement("ipv6", ipv6=True)
                    ]),
                    FixedDataModelElement("s3", b" port "),
                    DecimalIntegerValueModelElement("port"),
                    FixedDataModelElement("s4", b" [preauth]")
                ])
            ])
        ]),
        SequenceModelElement("connect", [
            FixedDataModelElement("s0", b"Connection from "),
            IpAddressDataModelElement("clientip"),
            FixedDataModelElement("s1", port),
            DecimalIntegerValueModelElement("port"),
            FixedDataModelElement("s2", b" on "),
            IpAddressDataModelElement("serverip"),
            FixedDataModelElement("s3", port),
            DecimalIntegerValueModelElement("sport")
        ]),
        SequenceModelElement("disconnectreq", [
            FixedDataModelElement("s0", b"Received disconnect from "),
            IpAddressDataModelElement("clientip"),
            FixedDataModelElement("s1", port),
            DecimalIntegerValueModelElement("port"),
            FixedDataModelElement("s2", b":"),
            DecimalIntegerValueModelElement("session"),
            FixedDataModelElement("s3", b": "),
            FixedWordlistDataModelElement("reason", [b"disconnected by user"])
        ]),
        SequenceModelElement("disconnected", [
            FixedDataModelElement("s0", b"Disconnected from "),
            IpAddressDataModelElement("clientip"),
            FixedDataModelElement("s1", port),
            DecimalIntegerValueModelElement("port")
        ]),
        FixedDataModelElement("error-bind",
                              b"error: bind: Cannot assign requested address"),
        SequenceModelElement("error-max-auth", [
            FixedDataModelElement(
                "s0", b"error: maximum authentication attempts exceeded for "),
            OptionalMatchModelElement(
                "opt", FixedDataModelElement("invalid", b"invalid user ")),
            DelimitedDataModelElement("user", b" "),
            FixedDataModelElement("s1", b" from "),
            FirstMatchModelElement("fm", [
                IpAddressDataModelElement("from_ip"),
                IpAddressDataModelElement("from_ip_v6", ipv6=True)
            ]),
            FixedDataModelElement("s2", b" port "),
            DecimalIntegerValueModelElement("port"),
            FixedDataModelElement("s3", b" ssh2 [preauth]")
        ]),
        FixedDataModelElement("error-cert-exp",
                              b"error: Certificate invalid: expired"),
        FixedDataModelElement("error-cert-not-yet-valid",
                              b"error: Certificate invalid: not yet valid"),
        FixedDataModelElement(
            "error-cert-not-listed-principal",
            b"error: Certificate invalid: name is not a listed principal"),
        FixedDataModelElement("error-refused-by-options",
                              b"error: Refused by certificate options"),
        SequenceModelElement("error-channel-setup", [
            FixedDataModelElement(
                "s0",
                b"error: channel_setup_fwd_listener: cannot listen to port: "),
            DecimalIntegerValueModelElement("port")
        ]),
        SequenceModelElement("error-auth-key", [
            FixedDataModelElement("s0", b"error: Authentication key "),
            DelimitedDataModelElement("asym-algorithm", b" "),
            FixedDataModelElement("s1", b" "),
            DelimitedDataModelElement("hash", b" "),
            FixedDataModelElement("s2", b" revoked by file "),
            AnyByteDataModelElement("file")
        ]),
        SequenceModelElement("error-load-key", [
            FixedDataModelElement("s0", b"error: Could not load host key: "),
            AnyByteDataModelElement("file")
        ]),
        SequenceModelElement("ident-missing", [
            FixedDataModelElement(
                "s0", b"Did not receive identification string from "),
            IpAddressDataModelElement("clientip")
        ]),
        SequenceModelElement("invalid-user", [
            FixedDataModelElement("s0", b"Invalid user "),
            DelimitedDataModelElement("user", from_str),
            FixedDataModelElement("s1", from_str),
            FirstMatchModelElement("fm", [
                IpAddressDataModelElement("from_ip"),
                IpAddressDataModelElement("from_ip_v6", ipv6=True)
            ]),
            FixedDataModelElement("s2", b" port "),
            DecimalIntegerValueModelElement("port")
        ]),
        SequenceModelElement("invalid-user-auth-req", [
            FixedDataModelElement("s0",
                                  b"input_userauth_request: invalid user "),
            DelimitedDataModelElement("user", preauth),
            FixedDataModelElement("s1", preauth)
        ]),
        SequenceModelElement("postppk", [
            FixedDataModelElement("s0", b"Postponed publickey for "),
            user_name_model,
            FixedDataModelElement("s1", from_str),
            IpAddressDataModelElement("clientip"),
            FixedDataModelElement("s2", port),
            DecimalIntegerValueModelElement("port"),
            FixedDataModelElement("s3", b" ssh2 [preauth]")
        ]),
        SequenceModelElement("readerr", [
            FixedDataModelElement("s0", b"Read error from remote host "),
            IpAddressDataModelElement("clientip"),
            FixedDataModelElement("s1", b": Connection timed out")
        ]),
        SequenceModelElement("disconnect", [
            FixedDataModelElement("s0", b"Received disconnect from "),
            FirstMatchModelElement("fm", [
                IpAddressDataModelElement("from_ip"),
                IpAddressDataModelElement("from_ip_v6", ipv6=True)
            ]),
            FixedDataModelElement("s1", b": 11: "),
            FirstMatchModelElement("reason", [
                FixedDataModelElement("disconnected", b"disconnected by user"),
                SequenceModelElement("remotemsg", [
                    DelimitedDataModelElement("msg", preauth),
                    FixedDataModelElement("s0", preauth)
                ])
            ])
        ]),
        SequenceModelElement("signal", [
            FixedDataModelElement("s0", b"Received signal "),
            DecimalIntegerValueModelElement("signal"),
            FixedDataModelElement("s1", b"; terminating.")
        ]),
        SequenceModelElement("server", [
            FixedDataModelElement("s0", b"Server listening on "),
            DelimitedDataModelElement("serverip", b" "),
            FixedDataModelElement("s1", port),
            DecimalIntegerValueModelElement("port"),
            FixedDataModelElement("s2", b".")
        ]),
        SequenceModelElement("oom-adjust", [
            FixedDataModelElement("s0", b"Set /proc/self/oom_score_adj "),
            OptionalMatchModelElement(
                "from", FixedDataModelElement("default", b"from 0 ")),
            FixedDataModelElement("s1", b"to "),
            DecimalIntegerValueModelElement(
                "newval",
                value_sign_type=DecimalIntegerValueModelElement.
                SIGN_TYPE_OPTIONAL)
        ]),
        SequenceModelElement("session-start", [
            FixedDataModelElement("s0", b"Starting session: "),
            FirstMatchModelElement("sess-info", [
                SequenceModelElement("shell", [
                    FixedDataModelElement("s0", b"shell on "),
                    DelimitedDataModelElement("terminal", b" ")
                ]),
                SequenceModelElement(
                    "subsystem",
                    [FixedDataModelElement("s0", b"subsystem \"sftp\"")]),
                SequenceModelElement("forced-command", [
                    FixedDataModelElement("s0",
                                          b"forced-command (key-option) \""),
                    DelimitedDataModelElement("command", b"\" for "),
                    FixedDataModelElement("s1", b"\"")
                ])
            ]),
            FixedDataModelElement("s1", b" for "), user_name_model,
            FixedDataModelElement("s2", from_str),
            IpAddressDataModelElement("clientip"),
            FixedDataModelElement("s3", port),
            DecimalIntegerValueModelElement("port"),
            OptionalMatchModelElement(
                "idinfo",
                SequenceModelElement("idinfo", [
                    FixedDataModelElement("s0", b" id "),
                    DecimalIntegerValueModelElement("id")
                ]))
        ]),
        SequenceModelElement("transferred", [
            FixedDataModelElement("s0", b"Transferred: sent "),
            DecimalIntegerValueModelElement("sent"),
            FixedDataModelElement("s1", b", received "),
            DecimalIntegerValueModelElement("received"),
            FixedDataModelElement("s1", b" bytes")
        ]),
        SequenceModelElement("pam", [
            FixedDataModelElement("s0", b"pam_unix(sshd:session): session "),
            FixedWordlistDataModelElement("change", [b"opened", b"closed"]),
            FixedDataModelElement("s1", b" for user "), user_name_model,
            OptionalMatchModelElement(
                "openby", FixedDataModelElement("default", b" by (uid=0)"))
        ]),
        SequenceModelElement("child", [
            FixedDataModelElement("s0", b"User child is on pid "),
            DecimalIntegerValueModelElement("pid")
        ]),
        SequenceModelElement("failed/accept", [
            FixedWordlistDataModelElement("s0", [b"Failed ", b"Accepted "]),
            FixedWordlistDataModelElement(
                "type", [b"password", b"none", b"publickey"]),
            FixedDataModelElement("s1", b" for "),
            OptionalMatchModelElement(
                "opt", FixedDataModelElement("invalid", b"invalid user ")),
            DelimitedDataModelElement("user", b" "),
            FixedDataModelElement("s2", b" from "),
            FirstMatchModelElement("fm", [
                IpAddressDataModelElement("from_ip"),
                IpAddressDataModelElement("from_ip_v6", ipv6=True)
            ]),
            FixedDataModelElement("s3", b" port "),
            DecimalIntegerValueModelElement("port"),
            AnyByteDataModelElement("service")
        ]),
        SequenceModelElement("disconnecting", [
            FixedDataModelElement("s0", b"Disconnecting "),
            FixedWordlistDataModelElement("type",
                                          [b"authenticating", b"invalid"]),
            FixedDataModelElement("s1", b" user "),
            DelimitedDataModelElement("user", b" "),
            FixedDataModelElement("s1", b" "),
            IpAddressDataModelElement("ip"),
            FixedDataModelElement("s2", b" port "),
            DecimalIntegerValueModelElement("port"),
            FixedDataModelElement(
                "s3", b": Too many authentication failures [preauth]")
        ]),
        SequenceModelElement("fatal", [
            FixedDataModelElement(
                "s0", b"fatal: Timeout before authentication for "),
            IpAddressDataModelElement("ip"),
            FixedDataModelElement("s1", b" port "),
            DecimalIntegerValueModelElement("port")
        ]),
        SequenceModelElement("cert-auth", [
            FixedDataModelElement("s0", b"cert: Authentication tried for "),
            DelimitedDataModelElement("user", b" "),
            FixedDataModelElement(
                "s1",
                b" with valid certificate but not from a permitted source address ("
            ),
            IpAddressDataModelElement("ip"),
            FixedDataModelElement("s2", b")."),
        ]),
        SequenceModelElement("change-root-dir", [
            FixedDataModelElement("s0", b"Changed root directory to \""),
            DelimitedDataModelElement("root-dir", b"\""),
            FixedDataModelElement("s1", b"\"")
        ]),
        FixedDataModelElement("subsystem-request",
                              b"subsystem request for sftp"),
        SequenceModelElement("conn-write-poll", [
            FixedDataModelElement("s0",
                                  b"packet_write_poll: Connection from "),
            IpAddressDataModelElement("from_ip"),
            FixedDataModelElement("s1", b" port "),
            DecimalIntegerValueModelElement("port"),
            FixedDataModelElement("s2", b": Host is down")
        ]),
        SequenceModelElement("debug", [
            FixedDataModelElement("s0", b"debug"),
            DecimalIntegerValueModelElement("debug-num"),
            FixedDataModelElement("s1", b": "),
            FirstMatchModelElement("fm", [
                SequenceModelElement("seq1", [
                    FixedDataModelElement("s2", b"Got "),
                    DecimalIntegerValueModelElement("num1"),
                    FixedDataModelElement("s3", b"/"),
                    DecimalIntegerValueModelElement("num2"),
                    FixedDataModelElement("s4", b" for keepalive")
                ]),
                SequenceModelElement("seq2", [
                    FixedDataModelElement("s2", b"channel "),
                    DecimalIntegerValueModelElement("channel-num"),
                    FixedDataModelElement("s3", b": request "),
                    DelimitedDataModelElement("mail", b" "),
                    FixedDataModelElement("s4", b" confirm "),
                    DecimalIntegerValueModelElement("num")
                ]),
                SequenceModelElement("seq3", [
                    FixedDataModelElement("s2", b"send packet: type "),
                    DecimalIntegerValueModelElement("packet-type")
                ]),
                SequenceModelElement("seq4", [
                    FixedDataModelElement("s2", b"receive packet: type "),
                    DecimalIntegerValueModelElement("packet-type")
                ]),
                FixedDataModelElement("do-cleanup", b"do_cleanup"),
                SequenceModelElement("seq5", [
                    FixedDataModelElement("s2",
                                          b"session_pty_cleanup: session "),
                    DecimalIntegerValueModelElement("sess-num"),
                    FixedDataModelElement("s3", b" release "),
                    AnyByteDataModelElement("file")
                ])
            ])
        ]),
        SequenceModelElement("pam_succeed_if", [
            FixedDataModelElement(
                "s0", b"pam_succeed_if(sshd:auth): requirement \"uid >= "),
            DecimalIntegerValueModelElement("uid"),
            FixedDataModelElement("s1", b"\" not met by user \""),
            DelimitedDataModelElement("user", b"\""),
            FixedDataModelElement("s2", b"\"")
        ]),
    ]

    model = SequenceModelElement("sshd", [
        FixedDataModelElement("sname", b"sshd["),
        DecimalIntegerValueModelElement("pid"),
        FixedDataModelElement("s0", b"]: "),
        FirstMatchModelElement("msg", type_children)
    ])
    return model
class JsonModelElementTest(unittest.TestCase):
    """Unittests for the JsonModelElement."""

    single_line_json = b'{"menu": {"id": "file", "value": "File", "popup": {"menuitem": [{"value": "New", "onclick": "CreateNewDoc()"}, {' \
                       b'"value": "Open", "onclick": "OpenDoc()"}, {"value": "Close", "onclick": "CloseDoc()"}]}}}'
    single_line_with_optional_key_json = b'{"menu": {"id": "file", "value": "File", "popup": {"menuitem": [{"value": "New", "onclick":' \
                                         b' "CreateNewDoc()", "clickable": false}, {"value": "Open", "onclick": "OpenDoc()"}, {"value": ' \
                                         b'"Close", "onclick": "CloseDoc()", "clickable": false}]}}}'
    single_line_missing_key_json = b'{"menu": {"id": "file", "popup": {"menuitem": [{"value": "New", "onclick": "CreateNewDoc()"}, {' \
                                   b'"value": "Open", "onclick": "OpenDoc()"}, {"value": "Close", "onclick": "CloseDoc()"}]}}}'
    single_line_different_order_with_optional_key_json = \
        b'{"menu": {"value": "File","popup": {"menuitem": [{"clickable": false, "value": "New", "onclick": "CreateNewDoc()"}, {' \
        b'"onclick": "OpenDoc()", "value": "Open"}, {"value": "Close", "onclick": "CloseDoc()", "clickable": false}]}, "id": "file"}}'
    multi_line_json = b"""{
  "menu": {
    "id": "file",
    "value": "File",
    "popup": {
      "menuitem": [
        {"value": "New", "onclick": "CreateNewDoc()"},
        {"value": "Open", "onclick": "OpenDoc()"},
        {"value": "Close", "onclick": "CloseDoc()"}
      ]
    }
  }
}"""
    everything_new_line_json = b"""{
  "menu":
  {
    "id": "file",
    "value": "File",
    "popup":
    {
      "menuitem":
      [
        {
          "value": "New",
          "onclick": "CreateNewDoc()"
        },
        {
          "value": "Open",
          "onclick": "OpenDoc()"
        },
        {
          "value": "Close",
          "onclick": "CloseDoc()"
        }
      ]
    }
  }
}"""
    alphabet = b'abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ 0123456789_-.'
    key_parser_dict = {
        'menu': {
            'id': VariableByteDataModelElement('id', alphabet),
            'value': VariableByteDataModelElement('value', alphabet),
            'popup': {
                'menuitem': [{
                    'value':
                    FixedWordlistDataModelElement('buttonNames',
                                                  [b'New', b'Open', b'Close']),
                    'onclick':
                    FixedWordlistDataModelElement(
                        'buttonOnclick',
                        [b'CreateNewDoc()', b'OpenDoc()', b'CloseDoc()']),
                    'optional_key_clickable':
                    FixedWordlistDataModelElement('clickable',
                                                  [b'true', b'false'])
                }]
            }
        }
    }
    key_parser_dict_allow_all = {
        'menu': {
            'id': VariableByteDataModelElement('id', alphabet),
            'value': VariableByteDataModelElement('value', alphabet),
            'popup': 'ALLOW_ALL'
        }
    }

    def test1get_valid_match_elements(self):
        """Get valid json elements with different formats."""
        json_model_element = JsonModelElement('json', self.key_parser_dict)
        match = json_model_element.get_match_element(
            'match', MatchContext(self.single_line_json))
        self.assertEqual(match.match_object, json.loads(self.single_line_json))

        match = json_model_element.get_match_element(
            'match', MatchContext(self.multi_line_json))
        self.assertEqual(match.match_object, json.loads(self.multi_line_json))

        match = json_model_element.get_match_element(
            'match', MatchContext(self.everything_new_line_json))
        self.assertEqual(match.match_object,
                         json.loads(self.everything_new_line_json))

    def test2optional_key_prefix(self):
        """Validate optional keys with the optional_key_prefix."""
        json_model_element = JsonModelElement('json', self.key_parser_dict)
        match = json_model_element.get_match_element(
            'match', MatchContext(self.single_line_with_optional_key_json))
        self.assertEqual(match.match_object,
                         json.loads(self.single_line_with_optional_key_json))

    def test3missing_key(self):
        """Check if no match is returned if a key is missing."""
        json_model_element = JsonModelElement('json', self.key_parser_dict)
        match = json_model_element.get_match_element(
            'match', MatchContext(self.single_line_missing_key_json))
        self.assertEqual(match, None)

    def test4allow_all_dict(self):
        """Test a simplified key_parser_dict with ALLOW_ALL."""
        json_model_element = JsonModelElement('json',
                                              self.key_parser_dict_allow_all)
        match = json_model_element.get_match_element(
            'match', MatchContext(self.single_line_json))
        self.assertEqual(match.match_object, json.loads(self.single_line_json))

        match = json_model_element.get_match_element(
            'match', MatchContext(self.multi_line_json))
        self.assertEqual(match.match_object, json.loads(self.multi_line_json))

        match = json_model_element.get_match_element(
            'match', MatchContext(self.everything_new_line_json))
        self.assertEqual(match.match_object,
                         json.loads(self.everything_new_line_json))

    def test5different_order_keys(self):
        """Test if keys differently ordered than in the key_parser_dict are parsed properly."""
        json_model_element = JsonModelElement('json', self.key_parser_dict)
        match = json_model_element.get_match_element(
            'match',
            MatchContext(
                self.single_line_different_order_with_optional_key_json))
        self.assertEqual(
            match.match_object,
            json.loads(
                self.single_line_different_order_with_optional_key_json))

        json_model_element = JsonModelElement('json',
                                              self.key_parser_dict_allow_all)
        match = json_model_element.get_match_element(
            'match',
            MatchContext(
                self.single_line_different_order_with_optional_key_json))
        self.assertEqual(
            match.match_object,
            json.loads(
                self.single_line_different_order_with_optional_key_json))

    def test6null_value(self):
        """Test if null values are parsed to "null"."""
        key_parser_dict = {
            "works":
            VariableByteDataModelElement("id", b"abc123"),
            "problem":
            FixedWordlistDataModelElement("wordlist",
                                          [b"allowed value", b"null"])
        }
        data1 = b"""{
            "works": "abc",
            "problem": "allowed value"
        }"""
        data2 = b"""{
            "works": "123",
            "problem": null
        }"""
        json_model_element = JsonModelElement('json', key_parser_dict)
        self.assertIsNotNone(
            json_model_element.get_match_element('match', MatchContext(data1)))
        self.assertIsNotNone(
            json_model_element.get_match_element('match', MatchContext(data2)))
Beispiel #21
0
def get_model():
    """Return a model to parse a audispd message logged via syslog after any standard logging preamble, e.g. from syslog."""
    class ExecArgumentDataModelElement():
        """This is a helper class for parsing the (encoded) exec argument strings found within audit logs."""
        def __init__(self, element_id):
            self.element_id = element_id

        @staticmethod
        def get_child_elements():
            """Get the children of this element (none)."""
            return None

        def get_match_element(self, path, match_context):
            """
            Find the maximum number of bytes belonging to an exec argument.
            @return a match when at least two bytes were found including the delimiters.
            """
            data = match_context.match_data
            match_len = 0
            match_value = b''
            if data[0] == ord(b'"'):
                match_len = data.find(b'"', 1)
                if match_len == -1:
                    return None
                match_value = data[1:match_len]
                match_len += 1
            elif data.startswith(b'(null)'):
                match_len = 6
                match_value = None
            else:
                # Must be upper case hex encoded:
                next_value = -1
                for d_byte in data:
                    if 0x30 <= d_byte <= 0x39:
                        d_byte -= 0x30
                    elif 0x41 <= d_byte <= 0x46:
                        d_byte -= 0x37
                    else:
                        break
                    if next_value == -1:
                        next_value = (d_byte << 4)
                    else:
                        match_value += bytearray(((next_value | d_byte), ))
                        next_value = -1
                    match_len += 1
                if next_value != -1:
                    return None

            match_data = data[:match_len]
            match_context.update(match_data)
            return MatchElement("%s/%s" % (path, self.element_id), match_data,
                                match_value, None)

    pam_status_word_list = FixedWordlistDataModelElement(
        'status', [b'failed', b'success'])

    pid = b' pid='
    uid = b' uid='
    auid = b' auid='
    ses = b' ses='
    exe = b' exe="'
    hostname = b'" hostname='
    addr = b' addr='
    terminal = b' terminal='
    success = b' res=success\''
    res = b' res='
    exe1 = b'" exe="'

    type_branches = {
        'ADD_USER':
        SequenceModelElement('adduser', [
            FixedDataModelElement('s0', pid),
            DecimalIntegerValueModelElement('pid'),
            FixedDataModelElement('s1', uid),
            DecimalIntegerValueModelElement('uid'),
            FixedDataModelElement('s2', auid),
            DecimalIntegerValueModelElement('auid'),
            FixedDataModelElement('s3', ses),
            DecimalIntegerValueModelElement('ses'),
            FixedDataModelElement('s4', b' msg=\'op=adding user id='),
            DecimalIntegerValueModelElement('newuserid'),
            FixedDataModelElement('s5', exe),
            DelimitedDataModelElement('exec', b'"'),
            FixedDataModelElement('s6', hostname),
            DelimitedDataModelElement('clientname', b' '),
            FixedDataModelElement('s7', addr),
            DelimitedDataModelElement('clientip', b' '),
            FixedDataModelElement('s8', terminal),
            WhiteSpaceLimitedDataModelElement('terminal'),
            FixedDataModelElement('s9', success)
        ]),
        'BPRM_FCAPS':
        SequenceModelElement('bprmfcaps', [
            FixedDataModelElement('s0', b' fver=0 fp='),
            HexStringModelElement('fp'),
            FixedDataModelElement('s1', b' fi='),
            HexStringModelElement('fi'),
            FixedDataModelElement('s2', b' fe='),
            HexStringModelElement('fe'),
            FixedDataModelElement('s3', b' old_pp='),
            HexStringModelElement('pp-old'),
            FixedDataModelElement('s4', b' old_pi='),
            HexStringModelElement('pi-old'),
            FixedDataModelElement('s5', b' old_pe='),
            HexStringModelElement('pe-old'),
            FixedDataModelElement('s6', b' new_pp='),
            HexStringModelElement('pp-new'),
            FixedDataModelElement('s7', b' new_pi='),
            HexStringModelElement('pi-new'),
            FixedDataModelElement('s8', b' new_pe='),
            HexStringModelElement('pe-new')
        ]),
        'CONFIG_CHANGE':
        SequenceModelElement('conf-change', [
            FixedDataModelElement('s0', auid),
            DecimalIntegerValueModelElement('auid'),
            FixedDataModelElement('s1', ses),
            DecimalIntegerValueModelElement('ses'),
            FixedDataModelElement('s2', b' op="add rule" key=(null) list='),
            DecimalIntegerValueModelElement('list'),
            FixedDataModelElement('s3', res),
            DecimalIntegerValueModelElement('result')
        ]),
        'CRED_ACQ':
        SequenceModelElement('credacq', [
            FixedDataModelElement('s0', pid),
            DecimalIntegerValueModelElement('pid'),
            FixedDataModelElement('s1', uid),
            DecimalIntegerValueModelElement('uid'),
            FixedDataModelElement('s2', auid),
            DecimalIntegerValueModelElement('auid'),
            FixedDataModelElement('s3', ses),
            DecimalIntegerValueModelElement('ses'),
            FixedDataModelElement('s4', b' msg=\'op=PAM:setcred acct="'),
            DelimitedDataModelElement('username', b'"'),
            FixedDataModelElement('s5', exe1),
            DelimitedDataModelElement('exec', b'"'),
            FixedDataModelElement('s6', hostname),
            DelimitedDataModelElement('clientname', b' '),
            FixedDataModelElement('s7', addr),
            DelimitedDataModelElement('clientip', b' '),
            FixedDataModelElement('s8', terminal),
            WhiteSpaceLimitedDataModelElement('terminal'),
            FixedDataModelElement('s9', success)
        ]),
        'CRED_DISP':
        SequenceModelElement('creddisp', [
            FixedDataModelElement('s0', pid),
            DecimalIntegerValueModelElement('pid'),
            FixedDataModelElement('s1', uid),
            DecimalIntegerValueModelElement('uid'),
            FixedDataModelElement('s2', auid),
            DecimalIntegerValueModelElement('auid'),
            FixedDataModelElement('s3', ses),
            DecimalIntegerValueModelElement('ses'),
            FixedDataModelElement('s4', b' msg=\'op=PAM:setcred acct="'),
            DelimitedDataModelElement('username', b'"'),
            FixedDataModelElement('s5', exe1),
            DelimitedDataModelElement('exec', b'"'),
            FixedDataModelElement('s6', hostname),
            DelimitedDataModelElement('clientname', b' '),
            FixedDataModelElement('s7', addr),
            DelimitedDataModelElement('clientip', b' '),
            FixedDataModelElement('s8', terminal),
            WhiteSpaceLimitedDataModelElement('terminal'),
            FixedDataModelElement('s9', success)
        ]),
        'CRED_REFR':
        SequenceModelElement('creddisp', [
            FixedDataModelElement('s0', pid),
            DecimalIntegerValueModelElement('pid'),
            FixedDataModelElement('s1', uid),
            DecimalIntegerValueModelElement('uid'),
            FixedDataModelElement('s2', auid),
            DecimalIntegerValueModelElement('auid'),
            FixedDataModelElement('s3', ses),
            DecimalIntegerValueModelElement('ses'),
            FixedDataModelElement(
                's4',
                b' msg=\'op=PAM:setcred acct="root" exe="/usr/sbin/sshd" hostname='
            ),
            IpAddressDataModelElement('clientname'),
            FixedDataModelElement('s5', addr),
            IpAddressDataModelElement('clientip'),
            FixedDataModelElement('s6', b' terminal=ssh res=success\'')
        ]),
        'CWD':
        SequenceModelElement('cwd', [
            FixedDataModelElement('s0', b'  cwd='),
            ExecArgumentDataModelElement('cwd')
        ]),
        'EOE':
        OptionalMatchModelElement('eoe', FixedDataModelElement('s0', b''))
    }

    # We need a type branch here also, but there is no additional
    # data in EOE records after Ubuntu Trusty any more.
    exec_arg_model = SequenceModelElement('execarg', [
        FixedDataModelElement('s0', b' a'),
        DecimalIntegerValueModelElement('argn'),
        FixedDataModelElement('s1', b'='),
        ExecArgumentDataModelElement('argval')
    ])

    type_branches['EXECVE'] = SequenceModelElement('execve', [
        FixedDataModelElement('s0', b' argc='),
        DecimalIntegerValueModelElement('argc'),
        RepeatedElementDataModelElement('arg', exec_arg_model)
    ])

    type_branches['FD_PAIR'] = SequenceModelElement('fdpair', [
        FixedDataModelElement('s0', b' fd0='),
        DecimalIntegerValueModelElement('fd0'),
        FixedDataModelElement('s1', b' fd1='),
        DecimalIntegerValueModelElement('fd1')
    ])

    # This message differs on Ubuntu 32/64 bit variants.
    type_branches['LOGIN'] = SequenceModelElement('login', [
        FixedDataModelElement('s0', pid),
        DecimalIntegerValueModelElement('pid'),
        FixedDataModelElement('s1', uid),
        DecimalIntegerValueModelElement('uid'),
        FixedWordlistDataModelElement('s2', [b' old auid=', b' old-auid=']),
        DecimalIntegerValueModelElement('auid-old'),
        FixedWordlistDataModelElement('s3', [b' new auid=', auid]),
        DecimalIntegerValueModelElement('auid-new'),
        FixedWordlistDataModelElement('s4', [b' old ses=', b' old-ses=']),
        DecimalIntegerValueModelElement('ses-old'),
        FixedWordlistDataModelElement('s5', [b' new ses=', ses]),
        DecimalIntegerValueModelElement('ses-new'),
        FixedDataModelElement('s6', res),
        DecimalIntegerValueModelElement('result')
    ])

    inode_info_model_element = SequenceModelElement(
        'inodeinfo',
        [
            FixedDataModelElement('s0', b' inode='),
            DecimalIntegerValueModelElement('inode'),
            FixedDataModelElement('s1', b' dev='),
            # A special major/minor device element could be better here.
            VariableByteDataModelElement('dev', b'0123456789abcdef:'),
            FixedDataModelElement('s2', b' mode='),
            # is octal
            DecimalIntegerValueModelElement('mode'),
            FixedDataModelElement('s3', b' ouid='),
            DecimalIntegerValueModelElement('ouid'),
            FixedDataModelElement('s4', b' ogid='),
            DecimalIntegerValueModelElement('ogid'),
            FixedDataModelElement('s5', b' rdev='),
            # A special major/minor device element could be better here (see above).
            VariableByteDataModelElement('rdev', b'0123456789abcdef:'),
            FixedDataModelElement('s6', b' nametype=')
        ])

    type_branches['NETFILTER_CFG'] = SequenceModelElement(
        'conf-change', [
            FixedDataModelElement('s0', b' table='),
            FixedWordlistDataModelElement('table',
                                          [b'filter', b'mangle', b'nat']),
            FixedDataModelElement('s1', b' family='),
            DecimalIntegerValueModelElement('family'),
            FixedDataModelElement('s2', b' entries='),
            DecimalIntegerValueModelElement('entries')
        ])

    type_branches['OBJ_PID'] = SequenceModelElement('objpid', [
        FixedDataModelElement('s0', b' opid='),
        DecimalIntegerValueModelElement('opid'),
        FixedDataModelElement('s1', b' oauid='),
        DecimalIntegerValueModelElement(
            'oauid',
            value_sign_type=DecimalIntegerValueModelElement.SIGN_TYPE_OPTIONAL
        ),
        FixedDataModelElement('s2', b' ouid='),
        DecimalIntegerValueModelElement('ouid'),
        FixedDataModelElement('s3', b' oses='),
        DecimalIntegerValueModelElement(
            'oses',
            value_sign_type=DecimalIntegerValueModelElement.SIGN_TYPE_OPTIONAL
        ),
        FixedDataModelElement('s4', b' ocomm='),
        ExecArgumentDataModelElement('ocomm')
    ])

    type_branches['PATH'] = SequenceModelElement('path', [
        FixedDataModelElement('s0', b' item='),
        DecimalIntegerValueModelElement('item'),
        FixedDataModelElement('s1', b' name='),
        ExecArgumentDataModelElement('name'),
        FirstMatchModelElement('fsinfo', [
            inode_info_model_element,
            FixedDataModelElement('noinfo', b' nametype=')
        ]),
        FixedWordlistDataModelElement(
            'nametype',
            [b'CREATE', b'DELETE', b'NORMAL', b'PARENT', b'UNKNOWN'])
    ])

    type_branches['PROCTITLE'] = SequenceModelElement('proctitle', [
        FixedDataModelElement('s1', b' proctitle='),
        ExecArgumentDataModelElement('proctitle')
    ])

    type_branches['SERVICE_START'] = SequenceModelElement(
        'service', [
            FixedDataModelElement('s0', pid),
            DecimalIntegerValueModelElement('pid'),
            FixedDataModelElement('s1', uid),
            DecimalIntegerValueModelElement('uid'),
            FixedDataModelElement('s2', auid),
            DecimalIntegerValueModelElement('auid'),
            FixedDataModelElement('s3', ses),
            DecimalIntegerValueModelElement('ses'),
            FixedDataModelElement('s4', b' msg=\'unit='),
            DelimitedDataModelElement('unit', b' '),
            FixedDataModelElement('s5', b' comm="systemd" exe="'),
            DelimitedDataModelElement('exec', b'"'),
            FixedDataModelElement('s6', hostname),
            DelimitedDataModelElement('clientname', b' '),
            FixedDataModelElement('s7', addr),
            DelimitedDataModelElement('clientip', b' '),
            FixedDataModelElement('s8', terminal),
            WhiteSpaceLimitedDataModelElement('terminal'),
            FixedDataModelElement('s9', res), pam_status_word_list,
            FixedDataModelElement('s10', b'\'')
        ])

    type_branches['SERVICE_STOP'] = type_branches['SERVICE_START']

    type_branches['SOCKADDR'] = SequenceModelElement('sockaddr', [
        FixedDataModelElement('s0', b' saddr='),
        HexStringModelElement('sockaddr', upper_case=True)
    ])

    type_branches['SYSCALL'] = SequenceModelElement('syscall', [
        FixedDataModelElement('s0', b' arch='),
        HexStringModelElement('arch'),
        FixedDataModelElement('s1', b' syscall='),
        DecimalIntegerValueModelElement('syscall'),
        OptionalMatchModelElement(
            'personality',
            SequenceModelElement('pseq', [
                FixedDataModelElement('s0', b' per='),
                DecimalIntegerValueModelElement('personality')
            ])),
        OptionalMatchModelElement(
            'result',
            SequenceModelElement('rseq', [
                FixedDataModelElement('s2', b' success='),
                FixedWordlistDataModelElement('succes', [b'no', b'yes']),
                FixedDataModelElement('s3', b' exit='),
                DecimalIntegerValueModelElement(
                    'exit',
                    value_sign_type=DecimalIntegerValueModelElement.
                    SIGN_TYPE_OPTIONAL)
            ])),
        FixedDataModelElement('s4', b' a0='),
        HexStringModelElement('arg0'),
        FixedDataModelElement('s5', b' a1='),
        HexStringModelElement('arg1'),
        FixedDataModelElement('s6', b' a2='),
        HexStringModelElement('arg2'),
        FixedDataModelElement('s7', b' a3='),
        HexStringModelElement('arg3'),
        FixedDataModelElement('s8', b' items='),
        DecimalIntegerValueModelElement('items'),
        FixedDataModelElement('s9', b' ppid='),
        DecimalIntegerValueModelElement('ppid'),
        FixedDataModelElement('s10', pid),
        DecimalIntegerValueModelElement('pid'),
        FixedDataModelElement('s11', auid),
        DecimalIntegerValueModelElement('auid'),
        FixedDataModelElement('s12', uid),
        DecimalIntegerValueModelElement('uid'),
        FixedDataModelElement('s13', b' gid='),
        DecimalIntegerValueModelElement('gid'),
        FixedDataModelElement('s14', b' euid='),
        DecimalIntegerValueModelElement('euid'),
        FixedDataModelElement('s15', b' suid='),
        DecimalIntegerValueModelElement('suid'),
        FixedDataModelElement('s16', b' fsuid='),
        DecimalIntegerValueModelElement('fsuid'),
        FixedDataModelElement('s17', b' egid='),
        DecimalIntegerValueModelElement('egid'),
        FixedDataModelElement('s18', b' sgid='),
        DecimalIntegerValueModelElement('sgid'),
        FixedDataModelElement('s19', b' fsgid='),
        DecimalIntegerValueModelElement('fsgid'),
        FixedDataModelElement('s20', b' tty='),
        DelimitedDataModelElement('tty', b' '),
        FixedDataModelElement('s21', ses),
        DecimalIntegerValueModelElement('sesid'),
        FixedDataModelElement('s22', b' comm='),
        ExecArgumentDataModelElement('command'),
        FixedDataModelElement('s23', exe),
        DelimitedDataModelElement('executable', b'"'),
        FixedDataModelElement('s24', b'" key='),
        AnyByteDataModelElement('key')
    ])

    # The UNKNOWN type is used then audispd does not know the type of the event, usually because the kernel is more recent than
    # audispd, thus emiting yet unknown event types.
    # * type=1327: procitle: see https://www.redhat.com/archives/linux-audit/2014-February/msg00047.html
    type_branches['UNKNOWN[1327]'] = SequenceModelElement(
        'unknown-proctitle', [
            FixedDataModelElement('s0', b' proctitle='),
            ExecArgumentDataModelElement('proctitle')
        ])

    type_branches['USER_ACCT'] = SequenceModelElement('useracct', [
        FixedDataModelElement('s0', pid),
        DecimalIntegerValueModelElement('pid'),
        FixedDataModelElement('s1', uid),
        DecimalIntegerValueModelElement('uid'),
        FixedDataModelElement('s2', auid),
        DecimalIntegerValueModelElement('auid'),
        FixedDataModelElement('s3', ses),
        DecimalIntegerValueModelElement('ses'),
        FixedDataModelElement('s4', b' msg=\'op=PAM:accounting acct="'),
        DelimitedDataModelElement('username', b'"'),
        FixedDataModelElement('s5', exe1),
        DelimitedDataModelElement('exec', b'"'),
        FixedDataModelElement('s6', hostname),
        DelimitedDataModelElement('clientname', b' '),
        FixedDataModelElement('s7', addr),
        DelimitedDataModelElement('clientip', b' '),
        FixedDataModelElement('s8', terminal),
        WhiteSpaceLimitedDataModelElement('terminal'),
        FixedDataModelElement('s9', success)
    ])

    type_branches['USER_AUTH'] = SequenceModelElement('userauth', [
        FixedDataModelElement('s0', pid),
        DecimalIntegerValueModelElement('pid'),
        FixedDataModelElement('s1', uid),
        DecimalIntegerValueModelElement('uid'),
        FixedDataModelElement('s2', auid),
        DecimalIntegerValueModelElement('auid'),
        FixedDataModelElement('s3', ses),
        DecimalIntegerValueModelElement('ses'),
        FixedDataModelElement('s4', b' msg=\'op=PAM:authentication acct="'),
        DelimitedDataModelElement('username', b'"'),
        FixedDataModelElement('s5', exe1),
        DelimitedDataModelElement('exec', b'"'),
        FixedDataModelElement('s6', hostname),
        DelimitedDataModelElement('clientname', b' '),
        FixedDataModelElement('s7', addr),
        DelimitedDataModelElement('clientip', b' '),
        FixedDataModelElement('s8', terminal),
        WhiteSpaceLimitedDataModelElement('terminal'),
        FixedDataModelElement('s9', success)
    ])

    type_branches['USER_START'] = SequenceModelElement('userstart', [
        FixedDataModelElement('s0', pid),
        DecimalIntegerValueModelElement('pid'),
        FixedDataModelElement('s1', uid),
        DecimalIntegerValueModelElement('uid'),
        FixedDataModelElement('s2', auid),
        DecimalIntegerValueModelElement('auid'),
        FixedDataModelElement('s3', ses),
        DecimalIntegerValueModelElement('ses'),
        FixedDataModelElement('s4', b' msg=\'op=PAM:session_open acct="'),
        DelimitedDataModelElement('username', b'"'),
        FixedDataModelElement('s5', exe1),
        DelimitedDataModelElement('exec', b'"'),
        FixedDataModelElement('s6', hostname),
        DelimitedDataModelElement('clientname', b' '),
        FixedDataModelElement('s7', addr),
        DelimitedDataModelElement('clientip', b' '),
        FixedDataModelElement('s8', terminal),
        WhiteSpaceLimitedDataModelElement('terminal'),
        FixedDataModelElement('s9', success)
    ])

    type_branches['USER_END'] = SequenceModelElement('userend', [
        FixedDataModelElement('s0', pid),
        DecimalIntegerValueModelElement('pid'),
        FixedDataModelElement('s1', uid),
        DecimalIntegerValueModelElement('uid'),
        FixedDataModelElement('s2', auid),
        DecimalIntegerValueModelElement('auid'),
        FixedDataModelElement('s3', ses),
        DecimalIntegerValueModelElement('ses'),
        FixedDataModelElement('s4', b' msg=\'op=PAM:session_close acct="'),
        DelimitedDataModelElement('username', b'"'),
        FixedDataModelElement('s5', exe1),
        DelimitedDataModelElement('exec', b'"'),
        FixedDataModelElement('s6', hostname),
        DelimitedDataModelElement('clientname', b' '),
        FixedDataModelElement('s7', addr),
        DelimitedDataModelElement('clientip', b' '),
        FixedDataModelElement('s8', terminal),
        WhiteSpaceLimitedDataModelElement('terminal'),
        FixedDataModelElement('s9', success)
    ])

    type_branches['USER_ERR'] = SequenceModelElement('usererr', [
        FixedDataModelElement('s0', pid),
        DecimalIntegerValueModelElement('pid'),
        FixedDataModelElement('s1', uid),
        DecimalIntegerValueModelElement('uid'),
        FixedDataModelElement('s2', auid),
        DecimalIntegerValueModelElement('auid'),
        FixedDataModelElement('s3', ses),
        DecimalIntegerValueModelElement('ses'),
        FixedDataModelElement('s4', b' msg=\'op=PAM:bad_ident acct="?" exe="'),
        DelimitedDataModelElement('exec', b'"'),
        FixedDataModelElement('s5', hostname),
        DelimitedDataModelElement('clientname', b' '),
        FixedDataModelElement('s6', addr),
        DelimitedDataModelElement('clientip', b' '),
        FixedDataModelElement('s7', terminal),
        WhiteSpaceLimitedDataModelElement('terminal'),
        FixedDataModelElement('s8', b' res=failed\'')
    ])

    type_branches['USER_LOGIN'] = SequenceModelElement('userlogin', [
        FixedDataModelElement('s0', pid),
        DecimalIntegerValueModelElement('pid'),
        FixedDataModelElement('s1', uid),
        DecimalIntegerValueModelElement('uid'),
        FixedDataModelElement('s2', auid),
        DecimalIntegerValueModelElement('auid'),
        FixedDataModelElement('s3', ses),
        DecimalIntegerValueModelElement('ses'),
        FixedDataModelElement('s4', b' msg=\'op=login '),
        FirstMatchModelElement('msgtype', [
            FixedDataModelElement('loginok', b'id=0'),
            SequenceModelElement('loginfail', [
                FixedDataModelElement('s0', b'acct='),
                ExecArgumentDataModelElement('account')
            ])
        ]),
        FixedDataModelElement('s5', exe),
        DelimitedDataModelElement('exec', b'"'),
        FixedDataModelElement('s6', hostname),
        DelimitedDataModelElement('clientname', b' '),
        FixedDataModelElement('s7', addr),
        DelimitedDataModelElement('clientip', b' '),
        FixedDataModelElement('s8', terminal),
        WhiteSpaceLimitedDataModelElement('terminal'),
        FixedDataModelElement('s9', res), pam_status_word_list,
        FixedDataModelElement('s10', b'\'')
    ])

    model = SequenceModelElement('audispd', [
        FixedDataModelElement('sname', b'audispd: '),
        FirstMatchModelElement('msg', [
            ElementValueBranchModelElement(
                'record',
                SequenceModelElement('preamble', [
                    FixedDataModelElement('s0', b'type='),
                    WhiteSpaceLimitedDataModelElement('type'),
                    FixedDataModelElement('s1', b' msg=audit('),
                    DecimalIntegerValueModelElement('time'),
                    FixedDataModelElement('s0', b'.'),
                    DecimalIntegerValueModelElement('ms'),
                    FixedDataModelElement('s1', b':'),
                    DecimalIntegerValueModelElement('seq'),
                    FixedDataModelElement('s2', b'):')
                ]),
                'type',
                type_branches,
                default_branch=None),
            FixedDataModelElement('queue-full',
                                  b'queue is full - dropping event')
        ])
    ])
    return model
Beispiel #22
0
def get_model():
    """Return a model to parse Syslogs from the AIT-LDS."""
    alphabet = b'!"#$%&\'()*+,-./0123456789:;<>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ\\^_`abcdefghijklmnopqrstuvwxyz{|}~=[]'

    user_info = SequenceModelElement('user_info', [
        FixedDataModelElement('user_str', b'user=<'),
        OptionalMatchModelElement('user',
                                  DelimitedDataModelElement('user', b'>')),
        FixedDataModelElement('method_str', b'>'),
        OptionalMatchModelElement(
            'method',
            SequenceModelElement('method', [
                FixedDataModelElement('method_str', b', method='),
                DelimitedDataModelElement('method', b','),
            ])),
        FixedDataModelElement('rip_str', b', rip='),
        IpAddressDataModelElement('rip'),
        FixedDataModelElement('lip_str', b', lip='),
        IpAddressDataModelElement('lip'),
        OptionalMatchModelElement(
            'mpid',
            SequenceModelElement('mpid', [
                FixedDataModelElement('mpid_str', b', mpid='),
                DecimalIntegerValueModelElement('mpid'),
            ])),
        OptionalMatchModelElement(
            'secured', FixedDataModelElement('secured_str', b', secured')),
        FixedDataModelElement('session_str', b', session=<'),
        DelimitedDataModelElement('session', b'>'),
        FixedDataModelElement('bracket_str', b'>'),
    ])

    model = SequenceModelElement(
        'model',
        [
            DateTimeModelElement('time', b'%b %d %H:%M:%S', start_year=2020),
            FixedDataModelElement('sp1', b' '),
            DelimitedDataModelElement('host', b' '),
            FirstMatchModelElement(
                'service',
                [
                    SequenceModelElement('dovecot', [
                        FixedDataModelElement('dovecot_str', b' dovecot: '),
                        FirstMatchModelElement('imap', [
                            SequenceModelElement('imap', [
                                FixedDataModelElement('imap_str', b'imap('),
                                DelimitedDataModelElement('user', b')'),
                                FixedDataModelElement('bracket_str', b'): '),
                                FirstMatchModelElement('message', [
                                    SequenceModelElement(
                                        'logout', [
                                            FixedDataModelElement(
                                                'logout_str',
                                                b'Logged out in='),
                                            DecimalIntegerValueModelElement(
                                                'in'),
                                            FixedDataModelElement(
                                                'out_str', b' out='),
                                            DecimalIntegerValueModelElement(
                                                'out')
                                        ]),
                                    SequenceModelElement(
                                        'err_mail', [
                                            FixedDataModelElement(
                                                'mail_str',
                                                b'Error: Failed to autocreate mailbox INBOX: Internal error occurred. '
                                                b'Refer to server log for more information. ['
                                            ),
                                            DelimitedDataModelElement(
                                                'err_time', b']'),
                                            FixedDataModelElement(
                                                'brack', b']')
                                        ]),
                                    SequenceModelElement(
                                        'err_open', [
                                            FixedDataModelElement(
                                                'err_str', b'Error: '),
                                            DelimitedDataModelElement(
                                                'function_name', b'('),
                                            FixedDataModelElement(
                                                'brack_str1', b'('),
                                            DelimitedDataModelElement(
                                                'arg', b')'),
                                            FixedDataModelElement(
                                                'failed_str',
                                                b') failed: Permission denied (euid='
                                            ),
                                            DecimalIntegerValueModelElement(
                                                'euid'),
                                            FixedDataModelElement(
                                                'brack_str2', b'('),
                                            DelimitedDataModelElement(
                                                'euid_user', b')'),
                                            FixedDataModelElement(
                                                'egid_str', b') egid='),
                                            DecimalIntegerValueModelElement(
                                                'egid'),
                                            FixedDataModelElement(
                                                'brack_str3', b'('),
                                            DelimitedDataModelElement(
                                                'egid_user', b')'),
                                            FixedDataModelElement(
                                                'perm_str',
                                                b') missing +w perm: '),
                                            DelimitedDataModelElement(
                                                'mail_path', b','),
                                            FixedDataModelElement(
                                                'group_str',
                                                b', we\'re not in group '),
                                            DecimalIntegerValueModelElement(
                                                'group_id'),
                                            FixedDataModelElement(
                                                'brack_str4', b'('),
                                            DelimitedDataModelElement(
                                                'group_name', b')'),
                                            FixedDataModelElement(
                                                'owned_str',
                                                b'), dir owned by '),
                                            DelimitedDataModelElement(
                                                'owner', b' '),
                                            FixedDataModelElement(
                                                'mode_str', b' mode='),
                                            DelimitedDataModelElement(
                                                'mode', b')'),
                                            FixedDataModelElement(
                                                'brack_str5', b')'),
                                            OptionalMatchModelElement(
                                                'set',
                                                SequenceModelElement(
                                                    'set', [
                                                        FixedDataModelElement(
                                                            'set_str',
                                                            b' (set'),
                                                        DelimitedDataModelElement(
                                                            'param', b'='),
                                                        FixedDataModelElement(
                                                            'equal_str', b'='),
                                                        DelimitedDataModelElement(
                                                            'val', b')'),
                                                        FixedDataModelElement(
                                                            'brack_str6', b')')
                                                    ]))
                                        ]),
                                    SequenceModelElement(
                                        'err_mail', [
                                            FixedDataModelElement(
                                                'mail_str',
                                                b'Failed to autocreate mailbox INBOX: Internal error occurred. '
                                                b'Refer to server log for more information. ['
                                            ),
                                            DelimitedDataModelElement(
                                                'err_time', b']'),
                                            FixedDataModelElement(
                                                'brack', b']')
                                        ]),
                                ]),
                            ]),
                            SequenceModelElement('imap_login', [
                                FixedDataModelElement('imap_login_str',
                                                      b'imap-login: '******'login', [
                                    SequenceModelElement(
                                        'disconnected_str', [
                                            FixedDataModelElement(
                                                'disconnected_str',
                                                b'Disconnected '),
                                            FirstMatchModelElement(
                                                'auth', [
                                                    SequenceModelElement(
                                                        'auth_failed', [
                                                            FixedDataModelElement(
                                                                'auth_failed_str',
                                                                b'(auth failed, '
                                                            ),
                                                            DecimalIntegerValueModelElement(
                                                                'attempts'),
                                                            FixedDataModelElement(
                                                                'attempts_str',
                                                                b' attempts in '
                                                            ),
                                                        ]),
                                                    FixedDataModelElement(
                                                        'no_auth_str',
                                                        b'(no auth attempts in '
                                                    ),
                                                    FixedDataModelElement(
                                                        'no_auth_str',
                                                        b'(disconnected before auth was ready, waited '
                                                    ),
                                                ]),
                                            DecimalIntegerValueModelElement(
                                                'duration'),
                                            FixedDataModelElement(
                                                'secs_str', b' secs): '),
                                            user_info
                                        ]),
                                    SequenceModelElement(
                                        'login', [
                                            FixedDataModelElement(
                                                'login_str', b'Login: '******'anvil', [
                                            FixedDataModelElement(
                                                'anvil_str', b'Error: anvil:'),
                                            AnyByteDataModelElement(
                                                'anvil_msg')
                                        ]),
                                    SequenceModelElement(
                                        'auth_responding', [
                                            FixedDataModelElement(
                                                'auth_responding_str',
                                                b'Warning: Auth process not responding, '
                                                b'delayed sending initial response (greeting): '
                                            ), user_info
                                        ]),
                                ]),
                            ]),
                            SequenceModelElement('auth', [
                                FixedDataModelElement('auth_worker_str',
                                                      b'auth: '),
                                AnyByteDataModelElement('message')
                            ]),
                            SequenceModelElement('auth_worker', [
                                FixedDataModelElement('auth_worker_str',
                                                      b'auth-worker('),
                                DecimalIntegerValueModelElement('pid'),
                                FixedDataModelElement('brack', b'):'),
                                AnyByteDataModelElement('message')
                            ]),
                            SequenceModelElement('master', [
                                FixedDataModelElement('master_str',
                                                      b'master: '),
                                AnyByteDataModelElement('message')
                            ])
                        ]),
                    ]),
                    SequenceModelElement('horde', [
                        FixedDataModelElement('horde_str', b' HORDE: '),
                        FirstMatchModelElement('horde', [
                            SequenceModelElement('imp', [
                                FixedDataModelElement('succ_str', b'[imp] '),
                                FirstMatchModelElement('imp', [
                                    SequenceModelElement(
                                        'login', [
                                            FixedDataModelElement(
                                                'succ_str',
                                                b'Login success for '),
                                            DelimitedDataModelElement(
                                                'user', b' '),
                                            FixedDataModelElement(
                                                'brack_str1', b' ('),
                                            IpAddressDataModelElement('ip'),
                                            FixedDataModelElement(
                                                'to_str', b') to {'),
                                            DelimitedDataModelElement(
                                                'imap_addr', b'}'),
                                            FixedDataModelElement(
                                                'brack_str2', b'}'),
                                        ]),
                                    SequenceModelElement(
                                        'message_sent', [
                                            FixedDataModelElement(
                                                'message_sent_str',
                                                b'Message sent to '),
                                            VariableByteDataModelElement(
                                                'user',
                                                b'.0123456789@ABCDEFGHIJKLMNOPQRSTUVWXYZ_abcdefghijklmnopqrstuvwxyz'
                                            ),
                                            OptionalMatchModelElement(
                                                'mail',
                                                SequenceModelElement(
                                                    'mail', [
                                                        FixedDataModelElement(
                                                            'brack_mail1',
                                                            b' <'),
                                                        DelimitedDataModelElement(
                                                            'mail', b'>'),
                                                        FixedDataModelElement(
                                                            'brack_mail2',
                                                            b'>')
                                                    ])),
                                            RepeatedElementDataModelElement(
                                                'more_recepients_rep',
                                                SequenceModelElement(
                                                    'more_recepients', [
                                                        FixedDataModelElement(
                                                            'comma_str',
                                                            b', '),
                                                        VariableByteDataModelElement(
                                                            'more_recepients_mail',
                                                            b'.0123456789@ABCDEFGHIJKLMNOPQRSTUVWXYZ_abcdefghijklmnopqrstuvwxyz'
                                                        ),
                                                        OptionalMatchModelElement(
                                                            'more_recepients_mail',
                                                            SequenceModelElement(
                                                                'more_recepients',
                                                                [
                                                                    FixedDataModelElement(
                                                                        'brack_more_recepients1',
                                                                        b' <'),
                                                                    DelimitedDataModelElement(
                                                                        'more_recepients',
                                                                        b'>'),
                                                                    FixedDataModelElement(
                                                                        'brack_more_recepients2',
                                                                        b'>')
                                                                ])),
                                                    ])),
                                            FixedDataModelElement(
                                                'from_str', b' from '),
                                            DelimitedDataModelElement(
                                                'user', b' '),
                                            FixedDataModelElement(
                                                'brack_str1', b' ('),
                                            IpAddressDataModelElement('ip'),
                                            FixedDataModelElement(
                                                'brack_str2', b')'),
                                        ]),
                                    SequenceModelElement(
                                        'login_failed', [
                                            FixedDataModelElement(
                                                'succ_str',
                                                b'FAILED LOGIN for '),
                                            DelimitedDataModelElement(
                                                'user', b' '),
                                            FixedDataModelElement(
                                                'brack_str1', b' ('),
                                            IpAddressDataModelElement('ip'),
                                            FixedDataModelElement(
                                                'to_str', b') to {'),
                                            DelimitedDataModelElement(
                                                'imap_addr', b'}'),
                                            FixedDataModelElement(
                                                'brack_str2', b'}'),
                                        ]),
                                    SequenceModelElement(
                                        'status', [
                                            FixedDataModelElement(
                                                'status_str',
                                                b'[status] Could not open mailbox "INBOX".'
                                            ),
                                        ]),
                                    SequenceModelElement(
                                        'sync_token', [
                                            FixedDataModelElement(
                                                'sync_token_str',
                                                b'[getSyncToken] IMAP error reported by server.'
                                            ),
                                        ]),
                                    SequenceModelElement(
                                        'auth_failed', [
                                            FixedDataModelElement(
                                                'auth_failed_str',
                                                b'[login] Authentication failed.'
                                            ),
                                        ]),
                                ]),
                            ]),
                            SequenceModelElement('horde', [
                                FixedDataModelElement('succ_str', b'[horde] '),
                                FirstMatchModelElement('horde', [
                                    SequenceModelElement(
                                        'success', [
                                            FixedDataModelElement(
                                                'success_str',
                                                b'Login success for '),
                                            DelimitedDataModelElement(
                                                'user', b' '),
                                            FixedDataModelElement(
                                                'brack_str1', b' to horde ('),
                                            IpAddressDataModelElement('ip'),
                                            FixedDataModelElement(
                                                'brack_str2', b')'),
                                        ]),
                                    SequenceModelElement(
                                        'success', [
                                            FixedDataModelElement(
                                                'success_str', b'User '),
                                            DelimitedDataModelElement(
                                                'user', b' '),
                                            FixedDataModelElement(
                                                'brack_str1',
                                                b' logged out of Horde ('),
                                            IpAddressDataModelElement('ip'),
                                            FixedDataModelElement(
                                                'brack_str2', b')'),
                                        ]),
                                    SequenceModelElement(
                                        'login_failed', [
                                            FixedDataModelElement(
                                                'failed_str',
                                                b'FAILED LOGIN for '),
                                            DelimitedDataModelElement(
                                                'user', b' '),
                                            FixedDataModelElement(
                                                'to_horde_str',
                                                b' to horde ('),
                                            IpAddressDataModelElement('ip'),
                                            FixedDataModelElement(
                                                'brack_str', b')'),
                                        ]),
                                ])
                            ]),
                            SequenceModelElement('function', [
                                FixedWordlistDataModelElement(
                                    'horde_function',
                                    [b'[nag]', b'[turba]', b'[horde]']),
                                FixedDataModelElement('nag_str',
                                                      b' PHP ERROR: '),
                                FirstMatchModelElement('php_error', [
                                    SequenceModelElement(
                                        'declaration', [
                                            FixedDataModelElement(
                                                'declaration_str',
                                                b'Declaration of '),
                                            DelimitedDataModelElement(
                                                'function_name1', b'('),
                                            FixedDataModelElement(
                                                'brack_str1', b'('),
                                            OptionalMatchModelElement(
                                                'arg1',
                                                DelimitedDataModelElement(
                                                    'arg1', b')')),
                                            FixedDataModelElement(
                                                'failed_str',
                                                b') should be compatible with '
                                            ),
                                            DelimitedDataModelElement(
                                                'function_name2', b'('),
                                            FixedDataModelElement(
                                                'brack_str2', b'('),
                                            OptionalMatchModelElement(
                                                'arg2',
                                                DelimitedDataModelElement(
                                                    'arg2', b')')),
                                            FixedDataModelElement(
                                                'brack_str3', b')'),
                                        ]),
                                    FixedDataModelElement(
                                        'file_str',
                                        b'finfo_file(): Empty filename or path'
                                    ),
                                    FixedDataModelElement(
                                        'header_str',
                                        b'Cannot modify header information - headers already sent'
                                    )
                                ])
                            ]),
                            SequenceModelElement('guest', [
                                FixedDataModelElement(
                                    'guest_str',
                                    b'Guest user is not authorized for Horde (Host: '
                                ),
                                IpAddressDataModelElement('ip'),
                                FixedDataModelElement('brack_str', b').')
                            ]),
                            SequenceModelElement('php_error', [
                                FixedDataModelElement('php_error_str',
                                                      b'PHP ERROR: '),
                                DelimitedDataModelElement('msg', b' ['),
                            ]),
                            SequenceModelElement('free_msg', [
                                DelimitedDataModelElement('msg', b' ['),
                            ])
                        ]),
                        FixedDataModelElement('to_str', b' [pid '),
                        DecimalIntegerValueModelElement('pid'),
                        FixedDataModelElement('line_str', b' on line '),
                        DecimalIntegerValueModelElement('line'),
                        FixedDataModelElement('of_str', b' of "'),
                        DelimitedDataModelElement('path', b'"'),
                        FixedDataModelElement('brack_str', b'"]')
                    ]),
                    SequenceModelElement(
                        'cron',
                        [
                            FixedDataModelElement('cron_str', b' CRON['),
                            DecimalIntegerValueModelElement('pid'),
                            FixedDataModelElement('brack_str1', b']: '),
                            FirstMatchModelElement(
                                'cron',
                                [
                                    SequenceModelElement(
                                        'cmd', [
                                            FixedDataModelElement(
                                                'brack_str', b'('),
                                            DelimitedDataModelElement(
                                                'user', b')'),
                                            FixedDataModelElement(
                                                'cmd_str', b') CMD '),
                                            AnyByteDataModelElement('cmd_msg')
                                        ]),
                                    SequenceModelElement(
                                        'session',
                                        [  # This only occurs in auth.log
                                            DelimitedDataModelElement(
                                                'pam', b'('),
                                            FixedDataModelElement(
                                                'brack_str', b'('),
                                            DelimitedDataModelElement(
                                                'name', b')'),
                                            FixedDataModelElement(
                                                'session_str', b'): session '),
                                            FixedWordlistDataModelElement(
                                                'status',
                                                [b'opened', b'closed']),
                                            FixedDataModelElement(
                                                'user_str', b' for user '),
                                            VariableByteDataModelElement(
                                                'user', alphabet),
                                            OptionalMatchModelElement(
                                                'uid',
                                                SequenceModelElement(
                                                    'uid', [
                                                        FixedDataModelElement(
                                                            'uid_str',
                                                            b' by (uid='),
                                                        DecimalIntegerValueModelElement(
                                                            'uid'),
                                                        FixedDataModelElement(
                                                            'brack_str', b')')
                                                    ]))
                                        ])
                                ])
                        ]),
                    SequenceModelElement(
                        'auth',
                        [  # This only occurs in auth.log
                            FixedDataModelElement('auth_str', b' auth: '),
                            DelimitedDataModelElement('pam', b'('),
                            FixedDataModelElement('brack_str', b'('),
                            DelimitedDataModelElement('name', b')'),
                            FixedDataModelElement(
                                'session_str',
                                b'): authentication failure; logname='),
                            OptionalMatchModelElement(
                                'logname',
                                DelimitedDataModelElement('logname', b' ')),
                            FixedDataModelElement('uid_str', b' uid='),
                            DecimalIntegerValueModelElement('uid'),
                            FixedDataModelElement('euid_str', b' euid='),
                            DecimalIntegerValueModelElement('euid'),
                            FixedDataModelElement('tty_str', b' tty='),
                            DelimitedDataModelElement('tty', b' '),
                            FixedDataModelElement('ruser_str', b' ruser='******'ruser', b' '),
                            FixedDataModelElement('rhost_str', b' rhost='),
                            IpAddressDataModelElement('rhost'),
                            OptionalMatchModelElement(
                                'user',
                                SequenceModelElement('user', [
                                    FixedDataModelElement(
                                        'user_str', b'  user='******'user', alphabet)
                                ]))
                        ]),
                    SequenceModelElement('systemd', [
                        FixedDataModelElement('systemd_str', b' systemd['),
                        DecimalIntegerValueModelElement('pid'),
                        FixedDataModelElement('brack_str1', b']: '),
                        FirstMatchModelElement('systemd', [
                            FixedDataModelElement(
                                'php_starting_str',
                                b'Starting Clean php session files...'),
                            FixedDataModelElement(
                                'php_started_str',
                                b'Started Clean php session files.'),
                            FixedDataModelElement(
                                'php_starting_str',
                                b'Starting Cleanup of Temporary Directories...'
                            ),
                            FixedDataModelElement(
                                'php_started_str',
                                b'Started Cleanup of Temporary Directories.'),
                            FixedDataModelElement(
                                'php_started_str',
                                b'Starting Daily apt upgrade and clean activities...'
                            ),
                            FixedDataModelElement(
                                'php_started_str',
                                b'Started Daily apt upgrade and clean activities.'
                            ),
                            FixedDataModelElement(
                                'php_started_str',
                                b'Starting Daily apt download activities...'),
                            FixedDataModelElement(
                                'php_started_str',
                                b'Started Daily apt download activities.'),
                            FixedDataModelElement(
                                'php_started_str',
                                b'Starting Security Auditing Service...'),
                            FixedDataModelElement(
                                'php_started_str',
                                b'Started Security Auditing Service.'),
                            FixedDataModelElement(
                                'php_started_str',
                                b'Stopping Security Auditing Service...'),
                            FixedDataModelElement(
                                'php_started_str',
                                b'Stopped Security Auditing Service.'),
                            FixedDataModelElement(
                                'php_started_str',
                                b'Reloading The Apache HTTP Server.'),
                            FixedDataModelElement(
                                'php_started_str',
                                b'Reloaded The Apache HTTP Server.'),
                            FixedDataModelElement(
                                'php_started_str',
                                b'Mounting Arbitrary Executable File Formats File System...'
                            ),
                            FixedDataModelElement(
                                'php_started_str',
                                b'Mounted Arbitrary Executable File Formats File System.'
                            ),
                            SequenceModelElement('apt', [
                                FixedDataModelElement('apt_str', b'apt'),
                                AnyByteDataModelElement('apt_msg')
                            ]),
                            SequenceModelElement('service', [
                                DelimitedDataModelElement('service', b':'),
                                FixedDataModelElement('col_str', b': '),
                                AnyByteDataModelElement('_msg')
                            ])
                        ]),
                    ]),
                    SequenceModelElement('kernel', [
                        FixedDataModelElement('kernel_str', b' kernel'),
                        OptionalMatchModelElement(
                            'id',
                            SequenceModelElement('id', [
                                FixedDataModelElement('brack_str', b'['),
                                DecimalIntegerValueModelElement('id'),
                                FixedDataModelElement('brack_str2', b']')
                            ])),
                        FixedDataModelElement('col_str', b': '),
                        AnyByteDataModelElement('kernel_msg')
                    ]),
                    SequenceModelElement('augenrules', [
                        FixedDataModelElement('augenrules_str',
                                              b' augenrules['),
                        DecimalIntegerValueModelElement('id'),
                        FixedDataModelElement('brack_str1', b']: '),
                        AnyByteDataModelElement('augenrules_msg')
                    ]),
                    SequenceModelElement('auditd', [
                        FixedDataModelElement('auditd_str', b' auditd['),
                        DecimalIntegerValueModelElement('id'),
                        FixedDataModelElement('brack_str1', b']: '),
                        AnyByteDataModelElement('auditd_msg')
                    ]),
                    SequenceModelElement('auditd2', [
                        FixedDataModelElement('auditd2_str', b' auditd: '),
                        AnyByteDataModelElement('auditd_msg')
                    ]),
                    SequenceModelElement('audispd', [
                        FixedDataModelElement('audispd_str', b' audispd: '),
                        AnyByteDataModelElement('audispd_msg')
                    ]),
                    SequenceModelElement('liblogging', [
                        FixedDataModelElement('liblogging_str',
                                              b' liblogging-stdlog: '),
                        AnyByteDataModelElement('liblogging_msg')
                    ]),
                    SequenceModelElement('freshclam', [
                        FixedDataModelElement('freshclam_str', b' freshclam['),
                        DecimalIntegerValueModelElement('id'),
                        FixedDataModelElement('brack_str1', b']: '),
                        AnyByteDataModelElement('freshclam_msg')
                    ]),
                    SequenceModelElement('dhclient', [
                        FixedDataModelElement('dhclient_str', b' dhclient['),
                        DecimalIntegerValueModelElement('id'),
                        FixedDataModelElement('brack_str1', b']: '),
                        FirstMatchModelElement('dhclient', [
                            SequenceModelElement('dhcprequest', [
                                FixedDataModelElement('dhcprequest_str',
                                                      b'DHCPREQUEST of '),
                                IpAddressDataModelElement('src_ip'),
                                FixedDataModelElement('on_str', b' on '),
                                DelimitedDataModelElement(
                                    'network_interface', b' '),
                                FixedDataModelElement('to_str', b' to '),
                                IpAddressDataModelElement('dst_ip'),
                                FixedDataModelElement('port_str', b' port '),
                                DecimalIntegerValueModelElement('port')
                            ]),
                            SequenceModelElement('dhcpack', [
                                FixedDataModelElement('dhcpack_str',
                                                      b'DHCPACK of '),
                                IpAddressDataModelElement('dst_ip'),
                                FixedDataModelElement('on_str', b' from '),
                                IpAddressDataModelElement('src_ip')
                            ]),
                            SequenceModelElement('bound', [
                                FixedDataModelElement('bound_str',
                                                      b'bound to '),
                                IpAddressDataModelElement('ip'),
                                FixedDataModelElement('renewal_str',
                                                      b' -- renewal in '),
                                DecimalIntegerValueModelElement('seconds'),
                                FixedDataModelElement('seconds_str',
                                                      b' seconds.')
                            ]),
                        ]),
                    ]),
                ])
        ])

    return model
def get_model():
    """Return a model to parse Exim logs from the AIT-LDS."""
    alphabet = b"!'#$%&\"()*+,-./0123456789:;<>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ\\^_`abcdefghijklmnopqrstuvwxyz{|}~=[]"

    model = SequenceModelElement("model", [
        DateTimeModelElement("time", b"%Y-%m-%d %H:%M:%S"),
        FixedDataModelElement("sp", b" "),
        FirstMatchModelElement("fm", [
            SequenceModelElement("start", [
                FixedDataModelElement("start", b"Start queue run: pid="),
                DecimalIntegerValueModelElement("pid"),
                ]),
            SequenceModelElement("end", [
                FixedDataModelElement("end", b"End queue run: pid="),
                DecimalIntegerValueModelElement("pid"),
                ]),
            SequenceModelElement("no_host_found", [
                FixedDataModelElement("no_host_found_str", b"no host name found for IP address "),
                IpAddressDataModelElement("ip"),
                ]),
            SequenceModelElement("vrfy_failed", [
                FixedDataModelElement("vrfy_failed_str", b"VRFY failed for "),
                DelimitedDataModelElement("mail", b" "),
                FixedDataModelElement("h_str", b" H="),
                DelimitedDataModelElement("h", b" "),
                FixedDataModelElement("sp1", b" ["),
                IpAddressDataModelElement("ip"),
                FixedDataModelElement("sp2", b"]")
                ]),
            SequenceModelElement("mail", [
                DelimitedDataModelElement("id", b" "),
                FirstMatchModelElement("dir", [
                    SequenceModelElement("dir_in", [
                        FixedDataModelElement("in", b" <= "),
                        FirstMatchModelElement("fm", [
                            SequenceModelElement("seq1", [
                                FixedDataModelElement("brack", b"<> "),
                                FirstMatchModelElement("fm", [
                                    SequenceModelElement("r", [
                                        FixedDataModelElement("r_str", b"R="),
                                        DelimitedDataModelElement("r", b" "),
                                        FixedDataModelElement("u_str", b" U="),
                                        DelimitedDataModelElement("u", b" "),
                                        ]),
                                    SequenceModelElement("h", [
                                        FixedDataModelElement("h_str", b"H="),
                                        DelimitedDataModelElement("h", b" "),
                                        FixedDataModelElement("sp1", b" ["),
                                        IpAddressDataModelElement("ip"),
                                        FixedDataModelElement("sp1", b"]"),
                                        ])
                                    ]),
                                FixedDataModelElement("sp2", b" P="),
                                DelimitedDataModelElement("p", b" "),
                                FixedDataModelElement("sp2", b" S="),
                                DecimalIntegerValueModelElement("s"),
                                ]),
                            SequenceModelElement("seq2", [
                                DelimitedDataModelElement("mail", b" "),
                                FixedDataModelElement("user_str", b" U="),
                                DelimitedDataModelElement("user", b" "),
                                FixedDataModelElement("p_str", b" P="),
                                DelimitedDataModelElement("p", b" "),
                                FixedDataModelElement("s_str", b" S="),
                                DecimalIntegerValueModelElement("s"),
                                OptionalMatchModelElement(
                                    "id", SequenceModelElement("id", [
                                        FixedDataModelElement("id_str", b" id="),
                                        AnyByteDataModelElement("id")
                                        ])
                                    )
                                ])
                            ])
                        ]),
                    SequenceModelElement("dir_out", [
                        FixedDataModelElement("in", b" => "),
                        DelimitedDataModelElement("name", b" "),
                        FixedDataModelElement("sp1", b" "),
                        OptionalMatchModelElement(
                            "mail_opt", SequenceModelElement("mail", [
                                FixedDataModelElement("brack1", b"("),
                                DelimitedDataModelElement("brack_mail", b")"),
                                FixedDataModelElement("brack2", b") "),
                                ])),
                        FixedDataModelElement("sp2", b"<"),
                        DelimitedDataModelElement("mail", b">"),
                        FixedDataModelElement("r_str", b"> R="),
                        DelimitedDataModelElement("r", b" "),
                        FixedDataModelElement("t_str", b" T="),
                        VariableByteDataModelElement("t", alphabet),
                        ]),
                    SequenceModelElement("aster", [
                        FixedDataModelElement("aster", b" ** "),
                        DelimitedDataModelElement("command", b" "),
                        FixedDataModelElement("headers_str", b' Too many "Received" headers - suspected mail loop')]),
                    FixedDataModelElement("completed", b" Completed"),
                    FixedDataModelElement("frozen", b" Message is frozen"),
                    FixedDataModelElement("frozen", b" Frozen (delivery error message)")
                ])
                ])])])

    return model
def get_model():
    """Return a model to parse Audit logs from the AIT-LDS."""
    alphabet = b'!"#$%&\'()*+,-./0123456789:;<>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ\\^_`abcdefghijklmnopqrstuvwxyz{|}~=[]'

    seq = [
        FixedDataModelElement('audit_str', b'audit('),
        DateTimeModelElement('time', b'%s.%f'),
        FixedDataModelElement('colon_str', b':'),
        DecimalIntegerValueModelElement('id'),
        FixedDataModelElement('pid_str', b'): pid='),
        VariableByteDataModelElement('pid', alphabet),
        FixedDataModelElement('uid_str', b' uid='),
        VariableByteDataModelElement('uid', alphabet),
        FixedDataModelElement('auid_str', b' auid='),
        VariableByteDataModelElement('auid', alphabet),
        FixedDataModelElement('ses_str', b' ses='),
        VariableByteDataModelElement('ses', alphabet),
        FixedDataModelElement('msg2_str', b' msg='),
        VariableByteDataModelElement('msg2', alphabet),
        FirstMatchModelElement('fm', [
            SequenceModelElement('acct', [
                FixedDataModelElement('acct_str', b' acct='),
                VariableByteDataModelElement('acct', alphabet)]),
            SequenceModelElement('comm', [
                FixedDataModelElement('comm_str', b' comm='),
                VariableByteDataModelElement('comm', alphabet)]),
            SequenceModelElement('cmd', [
                FixedDataModelElement('cmd_str', b' cmd='),
                VariableByteDataModelElement('cmd', alphabet)])]),
        OptionalMatchModelElement(
            'opt', SequenceModelElement('opt_seq', [
                FixedDataModelElement('exe_str', b' exe='),
                VariableByteDataModelElement('exe', alphabet),
                FixedDataModelElement('hostname_str', b' hostname='),
                VariableByteDataModelElement('hostname', alphabet),
                FixedDataModelElement('addr_str', b' addr='),
                VariableByteDataModelElement('addr', alphabet)])),
        FixedDataModelElement('terminal_str', b' terminal='),
        VariableByteDataModelElement('terminal', alphabet),
        FixedDataModelElement('res_str', b' res='),
        VariableByteDataModelElement('res', alphabet)]

    model = SequenceModelElement('model', [
        FixedDataModelElement('type_str', b'type='),
        FirstMatchModelElement('type', [
            SequenceModelElement('execve', [
                FixedDataModelElement('execve_str', b'EXECVE msg=audit('),
                DateTimeModelElement('time', b'%s.%f'),
                FixedDataModelElement('colon_str', b':'),
                DecimalIntegerValueModelElement('id'),
                FixedDataModelElement('argc_str', b'): argc='),
                DecimalIntegerValueModelElement('argc', value_sign_type=DecimalIntegerValueModelElement.SIGN_TYPE_OPTIONAL),
                FixedDataModelElement('a0_str', b' a0='),
                VariableByteDataModelElement('a0', alphabet),
                OptionalMatchModelElement(
                    'opt1', SequenceModelElement('seq1', [
                        FixedDataModelElement('a1_str', b' a1='),
                        VariableByteDataModelElement('a1', alphabet),
                        OptionalMatchModelElement(
                            'opt2', SequenceModelElement('seq2', [
                                FixedDataModelElement('a2_str', b' a2='),
                                VariableByteDataModelElement('a2', alphabet),
                                OptionalMatchModelElement(
                                    'opt3', SequenceModelElement('seq3', [
                                        FixedDataModelElement('a3_str', b' a3='),
                                        VariableByteDataModelElement('a3', alphabet),
                                        OptionalMatchModelElement(
                                            'opt4', SequenceModelElement('seq4', [
                                                FixedDataModelElement('a4_str', b' a4='),
                                                VariableByteDataModelElement('a4', alphabet)
                                                ])
                                            ),
                                        OptionalMatchModelElement(
                                            'opt5', SequenceModelElement('seq5', [
                                                FixedDataModelElement('a5_str', b' a5='),
                                                VariableByteDataModelElement('a5', alphabet)
                                                ])
                                            ),
                                        OptionalMatchModelElement(
                                            'opt6', SequenceModelElement('seq6', [
                                                FixedDataModelElement('a6_str', b' a6='),
                                                VariableByteDataModelElement('a6', alphabet)
                                                ])
                                            ),
                                        OptionalMatchModelElement(
                                            'opt7', SequenceModelElement('seq7', [
                                                FixedDataModelElement('a7_str', b' a7='),
                                                VariableByteDataModelElement('a7', alphabet)
                                                ])
                                            ),
                                        OptionalMatchModelElement(
                                            'opt8', SequenceModelElement('seq8', [
                                                FixedDataModelElement('a8_str', b' a8='),
                                                VariableByteDataModelElement('a8', alphabet)
                                                ])
                                            ),
                                        OptionalMatchModelElement(
                                            'opt9', SequenceModelElement('seq9', [
                                                FixedDataModelElement('a9_str', b' a9='),
                                                VariableByteDataModelElement('a9', alphabet)
                                                ])
                                            ),
                                        OptionalMatchModelElement(
                                            'opt10', SequenceModelElement('seq10', [
                                                FixedDataModelElement('a10_str', b' a10='),
                                                VariableByteDataModelElement('a10', alphabet)
                                                ])
                                            ),
                                        OptionalMatchModelElement(
                                            'opt11', SequenceModelElement('seq11', [
                                                FixedDataModelElement('a11_str', b' a11='),
                                                VariableByteDataModelElement('a11', alphabet)
                                                ])
                                            ),
                                        OptionalMatchModelElement(
                                            'opt12', SequenceModelElement('seq12', [
                                                FixedDataModelElement('a12_str', b' a12='),
                                                VariableByteDataModelElement('a12', alphabet)
                                                ])
                                            ),
                                        OptionalMatchModelElement(
                                            'opt13', SequenceModelElement('seq13', [
                                                FixedDataModelElement('a13_str', b' a13='),
                                                VariableByteDataModelElement('a13', alphabet)
                                                ])
                                            ),
                                        OptionalMatchModelElement(
                                            'opt14', SequenceModelElement('seq14', [
                                                FixedDataModelElement('a14_str', b' a14='),
                                                VariableByteDataModelElement('a14', alphabet)
                                                ])
                                            )]))]))]))]),
            SequenceModelElement('proctitle', [
                FixedDataModelElement('type_str', b'PROCTITLE msg=audit('),
                DateTimeModelElement('time', b'%s.%f'),
                FixedDataModelElement('colon_str', b':'),
                DecimalIntegerValueModelElement('id'),
                FixedDataModelElement('proctitle_str', b'): proctitle='),
                VariableByteDataModelElement('proctitle', alphabet)]),
            SequenceModelElement('syscall', [
                FixedDataModelElement('msg_str', b'SYSCALL msg=audit('),
                DateTimeModelElement('time', b'%s.%f'),
                FixedDataModelElement('colon_str', b':'),
                DecimalIntegerValueModelElement('id'),
                FixedDataModelElement('arch_str', b'): arch='),
                VariableByteDataModelElement('arch', alphabet),
                FixedDataModelElement('syscall_str', b' syscall='),
                DecimalIntegerValueModelElement('syscall', value_sign_type=DecimalIntegerValueModelElement.SIGN_TYPE_OPTIONAL),
                FixedDataModelElement('success_str', b' success='),
                VariableByteDataModelElement('success', alphabet),
                FixedDataModelElement('exit_str', b' exit='),
                VariableByteDataModelElement('exit', alphabet),
                FixedDataModelElement('a0_str', b' a0='),
                VariableByteDataModelElement('a0', alphabet),
                FixedDataModelElement('a1_str', b' a1='),
                VariableByteDataModelElement('a1', alphabet),
                FixedDataModelElement('a2_str', b' a2='),
                VariableByteDataModelElement('a2', alphabet),
                FixedDataModelElement('a3_str', b' a3='),
                VariableByteDataModelElement('a3', alphabet),
                FixedDataModelElement('items_str', b' items='),
                VariableByteDataModelElement('items', alphabet),
                FixedDataModelElement('ppid_str', b' ppid='),
                VariableByteDataModelElement('ppid', alphabet),
                FixedDataModelElement('pid_str', b' pid='),
                VariableByteDataModelElement('pid', alphabet),
                FixedDataModelElement('auid_str', b' auid='),
                VariableByteDataModelElement('auid', alphabet),
                FixedDataModelElement('uid_str', b' uid='),
                VariableByteDataModelElement('uid', alphabet),
                FixedDataModelElement('gid_str', b' gid='),
                VariableByteDataModelElement('gid', alphabet),
                FixedDataModelElement('euid_str', b' euid='),
                VariableByteDataModelElement('euid', alphabet),
                FixedDataModelElement('suid_str', b' suid='),
                VariableByteDataModelElement('suid', alphabet),
                FixedDataModelElement('fsuid_str', b' fsuid='),
                VariableByteDataModelElement('fsuid', alphabet),
                FixedDataModelElement('egid_str', b' egid='),
                VariableByteDataModelElement('egid', alphabet),
                FixedDataModelElement('sgid_str', b' sgid='),
                VariableByteDataModelElement('sgid', alphabet),
                FixedDataModelElement('fsgid_str', b' fsgid='),
                VariableByteDataModelElement('fsgid', alphabet),
                FixedDataModelElement('tty_str', b' tty='),
                VariableByteDataModelElement('tty', alphabet),
                FixedDataModelElement('ses_str', b' ses='),
                VariableByteDataModelElement('ses', alphabet),
                FixedDataModelElement('comm_str', b' comm='),
                VariableByteDataModelElement('comm', alphabet),
                FixedDataModelElement('exe_str', b' exe='),
                VariableByteDataModelElement('exe', alphabet),
                FixedDataModelElement('key_str', b' key='),
                VariableByteDataModelElement('key', alphabet)]),
            SequenceModelElement('path', [
                FixedDataModelElement('msg_str', b'PATH msg=audit('),
                DateTimeModelElement('time', b'%s.%f'),
                FixedDataModelElement('colon_str', b':'),
                DecimalIntegerValueModelElement('id'),
                FixedDataModelElement('item_str', b'): item='),
                DecimalIntegerValueModelElement('item', value_sign_type=DecimalIntegerValueModelElement.SIGN_TYPE_OPTIONAL),
                FixedDataModelElement('name_str', b' name='),
                VariableByteDataModelElement('name', alphabet),
                FirstMatchModelElement('path', [
                    SequenceModelElement('nametype', [
                        FixedDataModelElement('nametype_str', b' nametype='),
                        VariableByteDataModelElement('nametype', alphabet)]),
                    SequenceModelElement('inode', [
                        FixedDataModelElement('inode_str', b' inode='),
                        DecimalIntegerValueModelElement('inode', value_sign_type=DecimalIntegerValueModelElement.SIGN_TYPE_OPTIONAL),
                        FixedDataModelElement('dev_str', b' dev='),
                        VariableByteDataModelElement('dev', alphabet),
                        FixedDataModelElement('mode_str', b' mode='),
                        VariableByteDataModelElement('mode', alphabet),
                        FixedDataModelElement('ouid_str', b' ouid='),
                        VariableByteDataModelElement('ouid', alphabet),
                        FixedDataModelElement('ogid_str', b' ogid='),
                        VariableByteDataModelElement('ogid', alphabet),
                        FixedDataModelElement('rdev_str', b' rdev='),
                        VariableByteDataModelElement('rdev', alphabet),
                        FixedDataModelElement('nametype_str', b' nametype='),
                        VariableByteDataModelElement('nametype', alphabet)])])]),
            SequenceModelElement('login', [
                FixedDataModelElement('msg1_str', b'LOGIN msg=audit('),
                DateTimeModelElement('time', b'%s.%f'),
                FixedDataModelElement('colon_str', b':'),
                DecimalIntegerValueModelElement('id'),
                FixedDataModelElement('pid_str', b'): pid='),
                VariableByteDataModelElement('pid', alphabet),
                FixedDataModelElement('uid_str', b' uid='),
                VariableByteDataModelElement('uid', alphabet),
                FixedDataModelElement('old_auid_str', b' old-auid='),
                VariableByteDataModelElement('old_auid', alphabet),
                FixedDataModelElement('auid_str', b' auid='),
                VariableByteDataModelElement('auid', alphabet),
                OptionalMatchModelElement(
                    'tty', SequenceModelElement('tty', [
                        FixedDataModelElement('tty_str', b' tty='),
                        VariableByteDataModelElement('tty', alphabet)])),
                FixedDataModelElement('old_ses_str', b' old-ses='),
                VariableByteDataModelElement('old_ses', alphabet),
                FixedDataModelElement('ses_str', b' ses='),
                VariableByteDataModelElement('ses', alphabet),
                FixedDataModelElement('res_str', b' res='),
                VariableByteDataModelElement('res', alphabet)]),
            SequenceModelElement('sockaddr', [
                FixedDataModelElement('msg_str', b'SOCKADDR msg=audit('),
                DateTimeModelElement('time', b'%s.%f'),
                FixedDataModelElement('colon_str', b':'),
                DecimalIntegerValueModelElement('id'),
                FixedDataModelElement('saddr_str', b'): saddr='),
                VariableByteDataModelElement('saddr', alphabet)]),
            SequenceModelElement('unknown', [
                FixedDataModelElement('unknwon_str', b'UNKNOWN['),
                DecimalIntegerValueModelElement('unknown_id', value_sign_type=DecimalIntegerValueModelElement.SIGN_TYPE_OPTIONAL),
                FixedDataModelElement('msg_str', b'] msg=audit('),
                DateTimeModelElement('time', b'%s.%f'),
                FixedDataModelElement('colon_str', b':'),
                DecimalIntegerValueModelElement('id'),
                FixedDataModelElement('proctitle_str', b'): proctitle='),
                VariableByteDataModelElement('proctitle', alphabet)]),
            SequenceModelElement('cred_refr', [
                FixedDataModelElement('msg1_str', b'CRED_REFR msg=')] + seq),
            SequenceModelElement('user_start', [
                FixedDataModelElement('msg1_str', b'USER_START msg=')] + seq),
            SequenceModelElement('user_acct', [
                FixedDataModelElement('msg1_str', b'USER_ACCT msg=')] + seq),
            SequenceModelElement('user_auth', [
                FixedDataModelElement('msg1_str', b'USER_AUTH msg=')] + seq),
            SequenceModelElement('cred_disp', [
                FixedDataModelElement('msg1_str', b'CRED_DISP msg=')] + seq),
            SequenceModelElement('service_start', [
                FixedDataModelElement('msg1_str', b'SERVICE_START msg=')] + seq),
            SequenceModelElement('service_stop', [
                FixedDataModelElement('msg1_str', b'SERVICE_STOP msg=')] + seq),
            SequenceModelElement('user_end', [
                FixedDataModelElement('msg1_str', b'USER_END msg=')] + seq),
            SequenceModelElement('user_cmd', [
                FixedDataModelElement('msg1_str', b'USER_CMD msg=')] + seq),
            SequenceModelElement('cred_acq', [
                FixedDataModelElement('msg1_str', b'CRED_ACQ msg=')] + seq),
            SequenceModelElement('user_bprm_fcaps', [
                FixedDataModelElement('msg1_str', b'BPRM_FCAPS msg=audit('),
                DateTimeModelElement('time', b'%s.%f'),
                FixedDataModelElement('colon_str', b':'),
                DecimalIntegerValueModelElement('id'),
                FixedDataModelElement('fver_str', b'): fver='),
                VariableByteDataModelElement('fver', alphabet),
                FixedDataModelElement('fp_str', b' fp='),
                VariableByteDataModelElement('fp', alphabet),
                FixedDataModelElement('fi_str', b' fi='),
                VariableByteDataModelElement('fi', alphabet),
                FixedDataModelElement('fe_str', b' fe='),
                VariableByteDataModelElement('fe', alphabet),
                FixedDataModelElement('old_pp_str', b' old_pp='),
                VariableByteDataModelElement('old_pp', alphabet),
                FixedDataModelElement('old_pi_str', b' old_pi='),
                VariableByteDataModelElement('old_pi', alphabet),
                FixedDataModelElement('old_pe_str', b' old_pe='),
                VariableByteDataModelElement('old_pe', alphabet),
                FixedDataModelElement('new_pp_str', b' new_pp='),
                VariableByteDataModelElement('new_pp', alphabet),
                FixedDataModelElement('new_pi_str', b' new_pi='),
                VariableByteDataModelElement('new_pi', alphabet),
                FixedDataModelElement('new_pe_str', b' new_pe='),
                VariableByteDataModelElement('new_pe', alphabet)])])])

    return model
Beispiel #25
0
 def test1get_id(self):
     """Test if get_id works properly."""
     variable_byte_dme = VariableByteDataModelElement(
         self.id_, self.alphabet)
     self.assertEqual(variable_byte_dme.get_id(), self.id_)
Beispiel #26
0
 def test2get_child_elements(self):
     """Test if get_child_elements returns None."""
     variable_byte_dme = VariableByteDataModelElement(
         self.id_, self.alphabet)
     self.assertEqual(variable_byte_dme.get_child_elements(), None)
def build_analysis_pipeline(analysis_context):
    """
    Define the function to create pipeline for parsing the log data.
    It has also to define an AtomizerFactory to instruct aminer how to process incoming data streams to create log atoms from them.
    """
    date_format_string = b'%Y-%m-%d %H:%M:%S'
    cron = b' cron['

    # Build the parsing model:

    service_children_disk_report = [
        FixedDataModelElement(
            'Space',
            b' Current Disk Data is: Filesystem     Type  Size  Used Avail Use%'
        ),
        DelimitedDataModelElement('Data', b'%'),
        AnyByteDataModelElement('Rest')
    ]

    service_children_login_details = [
        FixedDataModelElement('User', b'User '),
        DelimitedDataModelElement('Username', b' '),
        FixedWordlistDataModelElement('Status',
                                      [b' logged in', b' logged out']),
        OptionalMatchModelElement(
            'PastTime',
            SequenceModelElement('Time', [
                FixedDataModelElement('Blank', b' '),
                DecimalIntegerValueModelElement('Minutes'),
                FixedDataModelElement('Ago', b' minutes ago.')
            ]))
    ]

    service_children_cron_job = [
        DateTimeModelElement('DTM', date_format_string),
        FixedDataModelElement('UNameSpace1', b' '),
        DelimitedDataModelElement('UName', b' '),
        FixedDataModelElement('UNameSpace2', b' '),
        DelimitedDataModelElement('User', b' '),
        FixedDataModelElement('Cron', cron),
        DecimalIntegerValueModelElement('JobNumber'),
        FixedDataModelElement('Details', b']: Job `cron.daily` started.')
    ]

    service_children_random_time = [
        FixedDataModelElement('Space', b'Random: '),
        DecimalIntegerValueModelElement('Random')
    ]

    service_children_sensors = [
        SequenceModelElement('CPUTemp', [
            FixedDataModelElement('FixedTemp', b'CPU Temp: '),
            DecimalIntegerValueModelElement('Temp'),
            FixedDataModelElement('Degrees', b'\xc2\xb0C')
        ]),
        FixedDataModelElement('Space1', b', '),
        SequenceModelElement('CPUWorkload', [
            FixedDataModelElement('Fixed Workload', b'CPU Workload: '),
            DecimalIntegerValueModelElement('Workload'),
            FixedDataModelElement('Percent', b'%')
        ]),
        FixedDataModelElement('Space2', b', '),
        DateTimeModelElement('DTM', date_format_string)
    ]

    service_children_user_ip_address = [
        FixedDataModelElement('User', b'User '),
        DelimitedDataModelElement('Username', b' '),
        FixedDataModelElement('Action', b' changed IP address to '),
        IpAddressDataModelElement('IP')
    ]

    service_children_cron_job_announcement = [
        DateTimeModelElement('DTM', date_format_string),
        FixedDataModelElement('Space', b' '),
        DelimitedDataModelElement('UName', b' '),
        FixedDataModelElement('Cron', cron),
        DecimalIntegerValueModelElement('JobNumber'),
        FixedDataModelElement('Run', b']: Will run job `'),
        FixedWordlistDataModelElement(
            'CronType',
            [b'cron.daily', b'cron.hourly', b'cron.monthly', b'cron.weekly']),
        FixedDataModelElement('Start Time', b'\' in 5 min.')
    ]

    service_children_cron_job_execution = [
        DateTimeModelElement('DTM', date_format_string),
        FixedDataModelElement('Space1', b' '),
        DelimitedDataModelElement('UName', b' '),
        FixedDataModelElement('Cron', cron),
        DecimalIntegerValueModelElement('JobNumber'),
        FixedDataModelElement('Job', b']: Job `'),
        FixedWordlistDataModelElement(
            'CronType',
            [b'cron.daily', b'cron.hourly', b'cron.monthly', b'cron.weekly']),
        FixedDataModelElement('Started', b'\' started')
    ]

    service_children_parsing_model_element = [
        DateTimeModelElement('DateTimeModelElement',
                             b'Current DateTime: %d.%m.%Y %H:%M:%S'),
        DecimalFloatValueModelElement('DecimalFloatValueModelElement',
                                      value_sign_type='optional'),
        DecimalIntegerValueModelElement('DecimalIntegerValueModelElement',
                                        value_sign_type='optional',
                                        value_pad_type='blank'),
        SequenceModelElement('', [
            DelimitedDataModelElement('DelimitedDataModelElement', b';'),
            FixedDataModelElement('FixedDataModelElement', b';')
        ])
    ]

    # ElementValueBranchModelElement
    fixed_data_me1 = FixedDataModelElement("fixed1", b'match ')
    fixed_data_me2 = FixedDataModelElement("fixed2", b'fixed String')
    fixed_wordlist_data_model_element = FixedWordlistDataModelElement(
        "wordlist", [b'data: ', b'string: '])
    decimal_integer_value_model_element = DecimalIntegerValueModelElement(
        "decimal")

    service_children_parsing_model_element.append(
        ElementValueBranchModelElement(
            'ElementValueBranchModelElement',
            FirstMatchModelElement("first", [
                SequenceModelElement(
                    "seq1",
                    [fixed_data_me1, fixed_wordlist_data_model_element]),
                SequenceModelElement("seq2", [
                    fixed_data_me1, fixed_wordlist_data_model_element,
                    fixed_data_me2
                ])
            ]), "wordlist", {
                0: decimal_integer_value_model_element,
                1: fixed_data_me2
            }))
    service_children_parsing_model_element.append(
        HexStringModelElement('HexStringModelElement'))
    service_children_parsing_model_element.append(
        SequenceModelElement('', [
            FixedDataModelElement('FixedDataModelElement',
                                  b'Gateway IP-Address: '),
            IpAddressDataModelElement('IpAddressDataModelElement')
        ]))
    service_children_parsing_model_element.append(
        MultiLocaleDateTimeModelElement('MultiLocaleDateTimeModelElement',
                                        [(b'%b %d %Y', "de_AT.utf8", None)]))
    service_children_parsing_model_element.append(
        RepeatedElementDataModelElement(
            'RepeatedElementDataModelElement',
            SequenceModelElement('SequenceModelElement', [
                FixedDataModelElement('FixedDataModelElement',
                                      b'drawn number: '),
                DecimalIntegerValueModelElement(
                    'DecimalIntegerValueModelElement')
            ]), 1))
    service_children_parsing_model_element.append(
        VariableByteDataModelElement('VariableByteDataModelElement', b'-@#'))
    service_children_parsing_model_element.append(
        SequenceModelElement('', [
            WhiteSpaceLimitedDataModelElement(
                'WhiteSpaceLimitedDataModelElement'),
            FixedDataModelElement('', b' ')
        ]))

    # The Base64StringModelElement must be just before the AnyByteDataModelElement to avoid unexpected Matches.
    service_children_parsing_model_element.append(
        Base64StringModelElement('Base64StringModelElement'))

    # The OptionalMatchModelElement must be paired with a FirstMatchModelElement because it accepts all data and thus no data gets
    # to the AnyByteDataModelElement. The AnyByteDataModelElement must be last, because all bytes are accepted.
    service_children_parsing_model_element.append(
        OptionalMatchModelElement(
            'OptionalMatchModelElement',
            FirstMatchModelElement('FirstMatchModelElement', [
                FixedDataModelElement('FixedDataModelElement',
                                      b'The-searched-element-was-found!'),
                AnyByteDataModelElement('AnyByteDataModelElement')
            ])))

    parsing_model = FirstMatchModelElement('model', [
        SequenceModelElement('CronAnnouncement',
                             service_children_cron_job_announcement),
        SequenceModelElement('CronExecution',
                             service_children_cron_job_execution),
        SequenceModelElement('DailyCron', service_children_cron_job),
        SequenceModelElement('DiskReport', service_children_disk_report),
        SequenceModelElement('LoginDetails', service_children_login_details),
        DecimalIntegerValueModelElement('Random'),
        SequenceModelElement('RandomTime', service_children_random_time),
        SequenceModelElement('Sensors', service_children_sensors),
        SequenceModelElement('IPAddresses', service_children_user_ip_address),
        FirstMatchModelElement('ParsingME',
                               service_children_parsing_model_element)
    ])

    # Some generic imports.
    from aminer.analysis import AtomFilters

    # Create all global handler lists here and append the real handlers
    # later on.
    # Use this filter to distribute all atoms to the analysis handlers.
    atom_filter = AtomFilters.SubhandlerFilter(None)

    from aminer.analysis.TimestampCorrectionFilters import SimpleMonotonicTimestampAdjust
    simple_monotonic_timestamp_adjust = SimpleMonotonicTimestampAdjust(
        [atom_filter])
    analysis_context.register_component(
        simple_monotonic_timestamp_adjust,
        component_name="SimpleMonotonicTimestampAdjust")

    from aminer.events.StreamPrinterEventHandler import StreamPrinterEventHandler
    stream_printer_event_handler = StreamPrinterEventHandler(analysis_context)
    from aminer.events.SyslogWriterEventHandler import SyslogWriterEventHandler
    syslog_event_handler = SyslogWriterEventHandler(analysis_context)
    from aminer.events.DefaultMailNotificationEventHandler import DefaultMailNotificationEventHandler
    if DefaultMailNotificationEventHandler.CONFIG_KEY_MAIL_TARGET_ADDRESS in analysis_context.aminer_config.config_properties:
        mail_notification_handler = DefaultMailNotificationEventHandler(
            analysis_context)
        analysis_context.register_component(mail_notification_handler,
                                            component_name="MailHandler")
    anomaly_event_handlers = [
        stream_printer_event_handler, syslog_event_handler,
        mail_notification_handler
    ]

    # Now define the AtomizerFactory using the model. A simple line based one is usually sufficient.
    from aminer.input.SimpleByteStreamLineAtomizerFactory import SimpleByteStreamLineAtomizerFactory
    analysis_context.atomizer_factory = SimpleByteStreamLineAtomizerFactory(
        parsing_model, [simple_monotonic_timestamp_adjust],
        anomaly_event_handlers)

    # Just report all unparsed atoms to the event handlers.
    from aminer.analysis.UnparsedAtomHandlers import SimpleUnparsedAtomHandler
    simple_unparsed_atom_handler = SimpleUnparsedAtomHandler(
        anomaly_event_handlers)
    atom_filter.add_handler(simple_unparsed_atom_handler,
                            stop_when_handled_flag=True)
    analysis_context.register_component(simple_unparsed_atom_handler,
                                        component_name="UnparsedHandler")

    from aminer.analysis.TimestampsUnsortedDetector import TimestampsUnsortedDetector
    timestamps_unsorted_detector = TimestampsUnsortedDetector(
        analysis_context.aminer_config, anomaly_event_handlers)
    atom_filter.add_handler(timestamps_unsorted_detector)
    analysis_context.register_component(
        timestamps_unsorted_detector,
        component_name="TimestampsUnsortedDetector")

    from aminer.analysis import Rules
    from aminer.analysis.AllowlistViolationDetector import AllowlistViolationDetector
    allowlist_rules = [
        Rules.OrMatchRule([
            Rules.AndMatchRule([
                Rules.PathExistsMatchRule(
                    '/model/LoginDetails/PastTime/Time/Minutes'),
                Rules.NegationMatchRule(
                    Rules.ValueMatchRule('/model/LoginDetails/Username',
                                         b'root'))
            ]),
            Rules.AndMatchRule([
                Rules.NegationMatchRule(
                    Rules.PathExistsMatchRule(
                        '/model/LoginDetails/PastTime/Time/Minutes')),
                Rules.PathExistsMatchRule('/model/LoginDetails')
            ]),
            Rules.NegationMatchRule(
                Rules.PathExistsMatchRule('/model/LoginDetails'))
        ])
    ]

    # This rule list should trigger, when the line does not look like: User root (logged in, logged out)
    # or User 'username' (logged in, logged out) x minutes ago.
    allowlist_violation_detector = AllowlistViolationDetector(
        analysis_context.aminer_config, allowlist_rules,
        anomaly_event_handlers)
    analysis_context.register_component(allowlist_violation_detector,
                                        component_name="Allowlist")
    atom_filter.add_handler(allowlist_violation_detector)

    from aminer.analysis.NewMatchPathDetector import NewMatchPathDetector
    new_match_path_detector = NewMatchPathDetector(
        analysis_context.aminer_config,
        anomaly_event_handlers,
        auto_include_flag=True)
    analysis_context.register_component(new_match_path_detector,
                                        component_name="NewMatchPath")
    atom_filter.add_handler(new_match_path_detector)

    def tuple_transformation_function(match_value_list):
        """Only allow output of the EnhancedNewMatchPathValueComboDetector after every 10000th element."""
        extra_data = enhanced_new_match_path_value_combo_detector.known_values_dict.get(
            tuple(match_value_list))
        if extra_data is not None:
            mod = 10000
            if (extra_data[2] + 1) % mod == 0:
                enhanced_new_match_path_value_combo_detector.auto_include_flag = False
            else:
                enhanced_new_match_path_value_combo_detector.auto_include_flag = True
        return match_value_list

    from aminer.analysis.EnhancedNewMatchPathValueComboDetector import EnhancedNewMatchPathValueComboDetector
    enhanced_new_match_path_value_combo_detector = EnhancedNewMatchPathValueComboDetector(
        analysis_context.aminer_config,
        ['/model/DailyCron/UName', '/model/DailyCron/JobNumber'],
        anomaly_event_handlers,
        auto_include_flag=True,
        tuple_transformation_function=tuple_transformation_function)
    analysis_context.register_component(
        enhanced_new_match_path_value_combo_detector,
        component_name="EnhancedNewValueCombo")
    atom_filter.add_handler(enhanced_new_match_path_value_combo_detector)

    from aminer.analysis.HistogramAnalysis import HistogramAnalysis, LinearNumericBinDefinition, ModuloTimeBinDefinition, \
        PathDependentHistogramAnalysis
    modulo_time_bin_definition = ModuloTimeBinDefinition(
        86400, 3600, 0, 1, 24, True)
    linear_numeric_bin_definition = LinearNumericBinDefinition(50, 5, 20, True)
    histogram_analysis = HistogramAnalysis(
        analysis_context.aminer_config,
        [('/model/RandomTime/Random', modulo_time_bin_definition),
         ('/model/Random', linear_numeric_bin_definition)], 10,
        anomaly_event_handlers)
    analysis_context.register_component(histogram_analysis,
                                        component_name="HistogramAnalysis")
    atom_filter.add_handler(histogram_analysis)

    path_dependent_histogram_analysis = PathDependentHistogramAnalysis(
        analysis_context.aminer_config, '/model/RandomTime',
        modulo_time_bin_definition, 10, anomaly_event_handlers)
    analysis_context.register_component(
        path_dependent_histogram_analysis,
        component_name="PathDependentHistogramAnalysis")
    atom_filter.add_handler(path_dependent_histogram_analysis)

    from aminer.analysis.MatchValueAverageChangeDetector import MatchValueAverageChangeDetector
    match_value_average_change_detector = MatchValueAverageChangeDetector(
        analysis_context.aminer_config, anomaly_event_handlers, None,
        ['/model/Random'], 100, 10)
    analysis_context.register_component(
        match_value_average_change_detector,
        component_name="MatchValueAverageChange")
    atom_filter.add_handler(match_value_average_change_detector)

    import sys
    from aminer.analysis.MatchValueStreamWriter import MatchValueStreamWriter
    match_value_stream_writer = MatchValueStreamWriter(sys.stdout, [
        '/model/Sensors/CPUTemp', '/model/Sensors/CPUWorkload',
        '/model/Sensors/DTM'
    ], b';', b'')
    analysis_context.register_component(
        match_value_stream_writer, component_name="MatchValueStreamWriter")
    atom_filter.add_handler(match_value_stream_writer)

    from aminer.analysis.NewMatchPathValueComboDetector import NewMatchPathValueComboDetector
    new_match_path_value_combo_detector = NewMatchPathValueComboDetector(
        analysis_context.aminer_config,
        ['/model/IPAddresses/Username', '/model/IPAddresses/IP'],
        anomaly_event_handlers,
        auto_include_flag=True)
    analysis_context.register_component(
        new_match_path_value_combo_detector,
        component_name="NewMatchPathValueCombo")
    atom_filter.add_handler(new_match_path_value_combo_detector)

    from aminer.analysis.NewMatchPathValueDetector import NewMatchPathValueDetector
    new_match_path_value_detector = NewMatchPathValueDetector(
        analysis_context.aminer_config,
        ['/model/DailyCron/JobNumber', '/model/IPAddresses/Username'],
        anomaly_event_handlers,
        auto_include_flag=True)
    analysis_context.register_component(new_match_path_value_detector,
                                        component_name="NewMatchPathValue")
    atom_filter.add_handler(new_match_path_value_detector)

    from aminer.analysis.MissingMatchPathValueDetector import MissingMatchPathValueDetector
    missing_match_path_value_detector = MissingMatchPathValueDetector(
        analysis_context.aminer_config, ['/model/DiskReport/Space'],
        anomaly_event_handlers,
        auto_include_flag=True,
        default_interval=2,
        realert_interval=5)
    analysis_context.register_component(missing_match_path_value_detector,
                                        component_name="MissingMatch")
    atom_filter.add_handler(missing_match_path_value_detector)

    from aminer.analysis.TimeCorrelationDetector import TimeCorrelationDetector
    time_correlation_detector = TimeCorrelationDetector(
        analysis_context.aminer_config,
        anomaly_event_handlers,
        2,
        min_rule_attributes=1,
        max_rule_attributes=5,
        record_count_before_event=70000,
        output_log_line=True)
    analysis_context.register_component(
        time_correlation_detector, component_name="TimeCorrelationDetector")
    atom_filter.add_handler(time_correlation_detector)

    from aminer.analysis.TimeCorrelationViolationDetector import TimeCorrelationViolationDetector, CorrelationRule, EventClassSelector
    cron_job_announcement = CorrelationRule(
        'CronJobAnnouncement',
        5,
        6,
        max_artefacts_a_for_single_b=1,
        artefact_match_parameters=[('/model/CronAnnouncement/JobNumber',
                                    '/model/CronExecution/JobNumber')])
    a_class_selector = EventClassSelector('Announcement',
                                          [cron_job_announcement], None)
    b_class_selector = EventClassSelector('Execution', None,
                                          [cron_job_announcement])
    rules = [
        Rules.PathExistsMatchRule('/model/CronAnnouncement/Run',
                                  a_class_selector),
        Rules.PathExistsMatchRule('/model/CronExecution/Job', b_class_selector)
    ]

    time_correlation_violation_detector = TimeCorrelationViolationDetector(
        analysis_context.aminer_config, rules, anomaly_event_handlers)
    analysis_context.register_component(
        time_correlation_violation_detector,
        component_name="TimeCorrelationViolationDetector")
    atom_filter.add_handler(time_correlation_violation_detector)
def get_model():
    """Get the model."""
    interface_name_model = VariableByteDataModelElement(
        "interface", b"0123456789abcdefghijklmnopqrstuvwxyz.")
    dtme = DateTimeModelElement("expire-date", b"%Y-%m-%dT%H:%M:%SZ")

    type_children = [
        SequenceModelElement("exit", [
            FixedDataModelElement("s0", b"ntpd exiting on signal "),
            DecimalIntegerValueModelElement("signal")
        ]),
        SequenceModelElement("listen-drop", [
            FixedDataModelElement("s0", b"Listen and drop on "),
            DecimalIntegerValueModelElement("fd"),
            FixedDataModelElement("s1", b" "), interface_name_model,
            FixedDataModelElement("s2", b" "),
            FirstMatchModelElement("address", [
                IpAddressDataModelElement("ipv4"),
                DelimitedDataModelElement("ipv6", b" "),
                FixedDataModelElement("ipv6_missing", b"[::]")
            ]),
            FirstMatchModelElement("udp", [
                FixedDataModelElement("s3", b" UDP 123"),
                FixedDataModelElement("s3", b":123")
            ])
        ]),
        SequenceModelElement("listen-normal", [
            FixedDataModelElement("s0", b"Listen normally on "),
            DecimalIntegerValueModelElement("fd"),
            FixedDataModelElement("s1", b" "), interface_name_model,
            FixedDataModelElement("s2", b" "),
            IpAddressDataModelElement("ip"),
            FirstMatchModelElement("msg", [
                FixedDataModelElement("port-new", b":123"),
                FixedDataModelElement("port-old", b" UDP 123")
            ])
        ]),
        SequenceModelElement("listen-routing", [
            FixedDataModelElement("s0",
                                  b"Listening on routing socket on fd #"),
            DecimalIntegerValueModelElement("fd"),
            FixedDataModelElement("s1", b" for interface updates")
        ]),
        SequenceModelElement("soliciting-pool", [
            FixedDataModelElement("s0", b"Soliciting pool server "),
            IpAddressDataModelElement("pool-server-ip")
        ]),
        SequenceModelElement("starting", [
            FixedDataModelElement("s0", b"ntpd "),
            DelimitedDataModelElement("version", b" "),
            FixedDataModelElement("s1", b" (1): Starting")
        ]),
        SequenceModelElement("no-root", [
            FixedDataModelElement("s0", b"must be run as root, not uid "),
            DecimalIntegerValueModelElement("uid")
        ]),
        SequenceModelElement("leapsecond-file", [
            FixedDataModelElement("s0", b"leapsecond file ('"),
            DelimitedDataModelElement("file", b"'"),
            FixedDataModelElement("s1", b"'): "),
            FirstMatchModelElement("first", [
                FixedDataModelElement("msg", b"good hash signature"),
                SequenceModelElement("seq", [
                    FixedDataModelElement("s2", b"loaded, expire="), dtme,
                    FixedDataModelElement("s3", b" last="), dtme,
                    FixedDataModelElement("s4", b" ofs="),
                    DecimalIntegerValueModelElement("ofs")
                ])
            ])
        ]),
        FixedDataModelElement(
            "unable-to-bind",
            b"unable to bind to wildcard address :: - another process may be running - EXITING"
        ),
        FixedDataModelElement("new-interfaces",
                              b"new interface(s) found: waking up resolver"),
        FixedDataModelElement(
            "ntp-io",
            b"ntp_io: estimated max descriptors: 1024, initial socket boundary: 16"
        ),
        FixedDataModelElement("peers-refreshed", b"peers refreshed"),
        FixedDataModelElement("log-file", b"logging to file /var/log/ntplog"),
        FixedDataModelElement("command-line", b"Command line: ntpd"),
        SequenceModelElement("precision", [
            FixedDataModelElement("s0", b"proto: precision = "),
            DecimalFloatValueModelElement("precision"),
            FixedDataModelElement("s1", b" usec ("),
            DecimalIntegerValueModelElement(
                "usec",
                value_sign_type=DecimalIntegerValueModelElement.
                SIGN_TYPE_OPTIONAL),
            FixedDataModelElement("s2", b")")
        ])
    ]

    model = SequenceModelElement("ntpd", [
        FixedDataModelElement("sname", b"ntpd["),
        DecimalIntegerValueModelElement("pid"),
        FixedDataModelElement("s0", b"]: "),
        FirstMatchModelElement("msg", type_children)
    ])
    return model
def build_analysis_pipeline(analysis_context):
    """
    Define the function to create pipeline for parsing the log data.
    It has also to define an AtomizerFactory to instruct aminer how to process incoming data streams to create log atoms from them.
    """
    date_format_string = b'%Y-%m-%d %H:%M:%S'
    cron = b' cron['

    # Build the parsing model:

    service_children_disk_report = [
        FixedDataModelElement('Space', b' Current Disk Data is: Filesystem     Type  Size  Used Avail Use%'),
        DelimitedDataModelElement('Data', b'%'), AnyByteDataModelElement('Rest')]

    service_children_login_details = [
        FixedDataModelElement('User/LoginDetails', b'User '), DelimitedDataModelElement('Username', b' '),
        FixedWordlistDataModelElement('Status', [b' logged in', b' logged out']),
        OptionalMatchModelElement('PastTime', SequenceModelElement('Time', [
            FixedDataModelElement('Blank', b' '), DecimalIntegerValueModelElement('Minutes'),
            FixedDataModelElement('Ago', b' minutes ago.')]))]

    service_children_cron_job = [
        DateTimeModelElement('DTM', date_format_string), FixedDataModelElement('UNameSpace1', b' '),
        DelimitedDataModelElement('UName', b' '), FixedDataModelElement('UNameSpace2', b' '), DelimitedDataModelElement('User', b' '),
        FixedDataModelElement('Cron', cron), DecimalIntegerValueModelElement('JobNumber'),
        FixedDataModelElement('Details', b']: Job `cron.daily` started.')]

    service_children_random_time = [FixedDataModelElement('Space', b'Random: '), DecimalIntegerValueModelElement('Random')]

    service_children_sensors = [SequenceModelElement('CPUTemp', [
        FixedDataModelElement('FixedTemp', b'CPU Temp: '), DecimalIntegerValueModelElement('Temp'),
        FixedDataModelElement('Degrees', b'\xc2\xb0C')]), FixedDataModelElement('Space1', b', '), SequenceModelElement('CPUWorkload', [
            FixedDataModelElement('FixedWorkload', b'CPU Workload: '), DecimalIntegerValueModelElement('Workload'),
            FixedDataModelElement('Percent', b'%')]), FixedDataModelElement('Space2', b', '),
        DateTimeModelElement('DTM', date_format_string)]

    service_children_user_ip_address = [
        FixedDataModelElement('User/UserIPAddress', b'User '), DelimitedDataModelElement('Username', b' '),
        FixedDataModelElement('Action', b' changed IP address to '), IpAddressDataModelElement('IP')]

    service_children_cron_job_announcement = [
        DateTimeModelElement('DTM', date_format_string), FixedDataModelElement('Space', b' '),
        DelimitedDataModelElement('UName', b' '), FixedDataModelElement('Cron', cron), DecimalIntegerValueModelElement('JobNumber'),
        FixedDataModelElement('Run', b']: Will run job `'),
        FixedWordlistDataModelElement('CronType', [b'cron.daily', b'cron.hourly', b'cron.monthly', b'cron.weekly']),
        FixedDataModelElement('StartTime', b'\' in 5 min.')]

    service_children_cron_job_execution = [
        DateTimeModelElement('DTM', date_format_string), FixedDataModelElement('Space1', b' '),
        DelimitedDataModelElement('UName', b' '), FixedDataModelElement('Cron', cron), DecimalIntegerValueModelElement('JobNumber'),
        FixedDataModelElement('Job', b']: Job `'),
        FixedWordlistDataModelElement('CronType', [b'cron.daily', b'cron.hourly', b'cron.monthly', b'cron.weekly']),
        FixedDataModelElement('Started', b'\' started')]

    service_children_audit = [SequenceModelElement('path', [
        FixedDataModelElement('type', b'type=PATH '), FixedDataModelElement('msg_audit', b'msg=audit('),
        DelimitedDataModelElement('msg', b':'), FixedDataModelElement('placeholder', b':'), DecimalIntegerValueModelElement('id'),
        FixedDataModelElement('item_string', b'): item='), DecimalIntegerValueModelElement('item'),
        FixedDataModelElement('name_string', b' name="'), DelimitedDataModelElement('name', b'"'),
        FixedDataModelElement('inode_string', b'" inode='), DecimalIntegerValueModelElement('inode'),
        FixedDataModelElement('dev_string', b' dev='), DelimitedDataModelElement('dev', b' '),
        FixedDataModelElement('mode_string', b' mode='),
        DecimalIntegerValueModelElement('mode', value_pad_type=DecimalIntegerValueModelElement.PAD_TYPE_ZERO),
        FixedDataModelElement('ouid_string', b' ouid='), DecimalIntegerValueModelElement('ouid'),
        FixedDataModelElement('ogid_string', b' ogid='), DecimalIntegerValueModelElement('ogid'),
        FixedDataModelElement('rdev_string', b' rdev='), DelimitedDataModelElement('rdev', b' '),
        FixedDataModelElement('nametype_string', b' nametype='), FixedWordlistDataModelElement('nametype', [b'NORMAL', b'ERROR'])]),
        SequenceModelElement('syscall', [
            FixedDataModelElement('type', b'type=SYSCALL '), FixedDataModelElement('msg_audit', b'msg=audit('),
            DelimitedDataModelElement('msg', b':'), FixedDataModelElement('placeholder', b':'), DecimalIntegerValueModelElement('id'),
            FixedDataModelElement('arch_string', b'): arch='), DelimitedDataModelElement('arch', b' '),
            FixedDataModelElement('syscall_string', b' syscall='), DecimalIntegerValueModelElement('syscall'),
            FixedDataModelElement('success_string', b' success='), FixedWordlistDataModelElement('success', [b'yes', b'no']),
            FixedDataModelElement('exit_string', b' exit='), DecimalIntegerValueModelElement('exit'),
            AnyByteDataModelElement('remainding_data')])]

    service_children_parsing_model_element = [
        DateTimeModelElement('DateTimeModelElement', b'Current DateTime: %d.%m.%Y %H:%M:%S'),
        DecimalFloatValueModelElement('DecimalFloatValueModelElement', value_sign_type='optional'),
        DecimalIntegerValueModelElement('DecimalIntegerValueModelElement', value_sign_type='optional', value_pad_type='blank'),
        SequenceModelElement('se', [
            DelimitedDataModelElement('DelimitedDataModelElement', b';'), FixedDataModelElement('FixedDataModelElement', b';')])]

    # ElementValueBranchModelElement
    fixed_data_me1 = FixedDataModelElement("fixed1", b'match ')
    fixed_data_me2 = FixedDataModelElement("fixed2", b'fixed String')
    fixed_wordlist_data_model_element = FixedWordlistDataModelElement("wordlist", [b'data: ', b'string: '])
    decimal_integer_value_model_element = DecimalIntegerValueModelElement("decimal")

    service_children_parsing_model_element.append(
        ElementValueBranchModelElement('ElementValueBranchModelElement', FirstMatchModelElement("first", [
            SequenceModelElement("seq1", [fixed_data_me1, fixed_wordlist_data_model_element]),
            SequenceModelElement("seq2", [fixed_data_me1, fixed_wordlist_data_model_element, fixed_data_me2])]), "wordlist",
                                 {0: decimal_integer_value_model_element, 1: fixed_data_me2}))
    service_children_parsing_model_element.append(HexStringModelElement('HexStringModelElement'))
    service_children_parsing_model_element.append(SequenceModelElement('se2', [
        FixedDataModelElement('FixedDataModelElement', b'Gateway IP-Address: '), IpAddressDataModelElement('IpAddressDataModelElement')]))
    import locale
    loc = locale.getlocale()
    if loc == (None, None):
        loc = ('en_US', 'utf8')
    service_children_parsing_model_element.append(
        MultiLocaleDateTimeModelElement('MultiLocaleDateTimeModelElement', [(b'%b %d %Y', None, '%s.%s' % loc)]))
    service_children_parsing_model_element.append(
        RepeatedElementDataModelElement('RepeatedElementDataModelElement', SequenceModelElement('SequenceModelElement', [
            FixedDataModelElement('FixedDataModelElement', b'[drawn number]: '),
            DecimalIntegerValueModelElement('DecimalIntegerValueModelElement')]), 1))
    service_children_parsing_model_element.append(VariableByteDataModelElement('VariableByteDataModelElement', b'-@#'))
    service_children_parsing_model_element.append(SequenceModelElement('se', [
        WhiteSpaceLimitedDataModelElement('WhiteSpaceLimitedDataModelElement'), FixedDataModelElement('fixed', b' ')]))

    # The Base64StringModelElement must be just before the AnyByteDataModelElement to avoid unexpected Matches.
    service_children_parsing_model_element.append(Base64StringModelElement('Base64StringModelElement'))

    # The OptionalMatchModelElement must be paired with a FirstMatchModelElement because it accepts all data and thus no data gets
    # to the AnyByteDataModelElement. The AnyByteDataModelElement must be last, because all bytes are accepted.
    service_children_parsing_model_element.append(
        OptionalMatchModelElement('/', FirstMatchModelElement('FirstMatchModelElement//optional', [
            FixedDataModelElement('FixedDataModelElement', b'The-searched-element-was-found!'), SequenceModelElement('se', [
                FixedDataModelElement('FixedDME', b'Any:'), AnyByteDataModelElement('AnyByteDataModelElement')])])))

    alphabet = b'ghijkl'
    service_children_ecd = []
    for _, char in enumerate(alphabet):
        char = bytes([char])
        service_children_ecd.append(FixedDataModelElement(char.decode(), char))

    parsing_model = FirstMatchModelElement('model', [
        SequenceModelElement('CronAnnouncement', service_children_cron_job_announcement),
        SequenceModelElement('CronExecution', service_children_cron_job_execution),
        SequenceModelElement('DailyCron', service_children_cron_job), SequenceModelElement('DiskReport', service_children_disk_report),
        SequenceModelElement('LoginDetails', service_children_login_details), DecimalIntegerValueModelElement('Random'),
        SequenceModelElement('RandomTime', service_children_random_time), SequenceModelElement('Sensors', service_children_sensors),
        SequenceModelElement('IPAddresses', service_children_user_ip_address), FirstMatchModelElement('type', service_children_audit),
        FirstMatchModelElement('ECD', service_children_ecd), FirstMatchModelElement('ParsingME', service_children_parsing_model_element)])

    # Some generic imports.
    from aminer.analysis import AtomFilters

    # Create all global handler lists here and append the real handlers later on.
    # Use this filter to distribute all atoms to the analysis handlers.
    atom_filter = AtomFilters.SubhandlerFilter(None)

    from aminer.analysis.TimestampCorrectionFilters import SimpleMonotonicTimestampAdjust
    simple_monotonic_timestamp_adjust = SimpleMonotonicTimestampAdjust([atom_filter])
    analysis_context.register_component(simple_monotonic_timestamp_adjust, component_name="SimpleMonotonicTimestampAdjust")

    from aminer.events.StreamPrinterEventHandler import StreamPrinterEventHandler
    from aminer.events.JsonConverterHandler import JsonConverterHandler
    stream_printer_event_handler = StreamPrinterEventHandler(analysis_context)
    json_converter_handler = JsonConverterHandler([stream_printer_event_handler], analysis_context)
    anomaly_event_handlers = [json_converter_handler]

    # Now define the AtomizerFactory using the model. A simple line based one is usually sufficient.
    from aminer.input.SimpleByteStreamLineAtomizerFactory import SimpleByteStreamLineAtomizerFactory
    analysis_context.atomizer_factory = SimpleByteStreamLineAtomizerFactory(parsing_model, [simple_monotonic_timestamp_adjust],
                                                                            anomaly_event_handlers)

    # Just report all unparsed atoms to the event handlers.
    from aminer.analysis.UnparsedAtomHandlers import SimpleUnparsedAtomHandler, VerboseUnparsedAtomHandler
    simple_unparsed_atom_handler = SimpleUnparsedAtomHandler(anomaly_event_handlers)
    atom_filter.add_handler(simple_unparsed_atom_handler, stop_when_handled_flag=False)
    analysis_context.register_component(simple_unparsed_atom_handler, component_name="SimpleUnparsedHandler")

    verbose_unparsed_atom_handler = VerboseUnparsedAtomHandler(anomaly_event_handlers, parsing_model)
    atom_filter.add_handler(verbose_unparsed_atom_handler, stop_when_handled_flag=True)
    analysis_context.register_component(verbose_unparsed_atom_handler, component_name="VerboseUnparsedHandler")

    from aminer.analysis.TimestampsUnsortedDetector import TimestampsUnsortedDetector
    timestamps_unsorted_detector = TimestampsUnsortedDetector(analysis_context.aminer_config, anomaly_event_handlers)
    atom_filter.add_handler(timestamps_unsorted_detector)
    analysis_context.register_component(timestamps_unsorted_detector, component_name="TimestampsUnsortedDetector")

    from aminer.analysis import Rules
    from aminer.analysis.AllowlistViolationDetector import AllowlistViolationDetector
    allowlist_rules = [
        Rules.OrMatchRule([
            Rules.AndMatchRule([
                Rules.PathExistsMatchRule('/model/LoginDetails/PastTime/Time/Minutes'),
                Rules.NegationMatchRule(Rules.ValueMatchRule('/model/LoginDetails/Username', b'root')),
                Rules.DebugMatchRule(debug_match_result=True)]),
            Rules.AndMatchRule([
                Rules.NegationMatchRule(Rules.PathExistsMatchRule('/model/LoginDetails/PastTime/Time/Minutes')),
                Rules.PathExistsMatchRule('/model/LoginDetails'),
                Rules.DebugMatchRule(debug_match_result=True)]),
            Rules.NegationMatchRule(Rules.PathExistsMatchRule('/model/LoginDetails'))])]

    # This rule list should trigger, when the line does not look like: User root (logged in, logged out)
    # or User 'username' (logged in, logged out) x minutes ago.
    allowlist_violation_detector = AllowlistViolationDetector(analysis_context.aminer_config, allowlist_rules, anomaly_event_handlers,
                                                              output_log_line=True)
    analysis_context.register_component(allowlist_violation_detector, component_name="Allowlist")
    atom_filter.add_handler(allowlist_violation_detector)

    from aminer.analysis.ParserCount import ParserCount
    parser_count = ParserCount(analysis_context.aminer_config, None, anomaly_event_handlers, 10)
    analysis_context.register_component(parser_count, component_name="ParserCount")
    atom_filter.add_handler(parser_count)

    from aminer.analysis.EventTypeDetector import EventTypeDetector
    etd = EventTypeDetector(analysis_context.aminer_config, anomaly_event_handlers)
    analysis_context.register_component(etd, component_name="EventTypeDetector")
    atom_filter.add_handler(etd)

    from aminer.analysis.VariableTypeDetector import VariableTypeDetector
    vtd = VariableTypeDetector(analysis_context.aminer_config, anomaly_event_handlers, etd, silence_output_except_indicator=False,
                               output_log_line=False, ignore_list=["/model/RandomTime"])
    analysis_context.register_component(vtd, component_name="VariableTypeDetector")
    atom_filter.add_handler(vtd)

    from aminer.analysis.VariableCorrelationDetector import VariableCorrelationDetector
    vtd = VariableCorrelationDetector(analysis_context.aminer_config, anomaly_event_handlers, etd, disc_div_thres=0.5,
                                      ignore_list=["/model/RandomTime"])
    analysis_context.register_component(vtd, component_name="VariableCorrelationDetector")
    atom_filter.add_handler(vtd)

    from aminer.analysis.EventCorrelationDetector import EventCorrelationDetector
    ecd = EventCorrelationDetector(analysis_context.aminer_config, anomaly_event_handlers, check_rules_flag=True,
                                   hypothesis_max_delta_time=1.0)
    analysis_context.register_component(ecd, component_name="EventCorrelationDetector")
    atom_filter.add_handler(ecd)

    from aminer.analysis.EventFrequencyDetector import EventFrequencyDetector
    efd = EventFrequencyDetector(analysis_context.aminer_config, anomaly_event_handlers, window_size=0.1)
    analysis_context.register_component(efd, component_name="EventFrequencyDetector")
    atom_filter.add_handler(efd)

    from aminer.analysis.EventSequenceDetector import EventSequenceDetector
    esd = EventSequenceDetector(analysis_context.aminer_config, anomaly_event_handlers, ['/model/ParsingME'], ignore_list=[
        '/model/ECD/g', '/model/ECD/h', '/model/ECD/i', '/model/ECD/j', '/model/ECD/k', '/model/ECD/l', '/model/Random',
        '/model/RandomTime', '/model/DailyCron'])
    analysis_context.register_component(esd, component_name="EventSequenceDetector")
    atom_filter.add_handler(esd)

    from aminer.analysis.MatchFilter import MatchFilter
    match_filter = MatchFilter(analysis_context.aminer_config, ['/model/Random'], anomaly_event_handlers, target_value_list=[
        1, 10, 100], output_log_line=True)
    analysis_context.register_component(match_filter, component_name="MatchFilter")
    atom_filter.add_handler(match_filter)

    from aminer.analysis.NewMatchPathDetector import NewMatchPathDetector
    new_match_path_detector = NewMatchPathDetector(analysis_context.aminer_config, anomaly_event_handlers, auto_include_flag=True,
                                                   output_log_line=True)
    analysis_context.register_component(new_match_path_detector, component_name="NewMatchPath")
    atom_filter.add_handler(new_match_path_detector)

    def tuple_transformation_function(match_value_list):
        """Only allow output of the EnhancedNewMatchPathValueComboDetector after every 10th element."""
        extra_data = enhanced_new_match_path_value_combo_detector.known_values_dict.get(tuple(match_value_list))
        if extra_data is not None:
            mod = 10
            if (extra_data[2] + 1) % mod == 0:
                enhanced_new_match_path_value_combo_detector.auto_include_flag = False
            else:
                enhanced_new_match_path_value_combo_detector.auto_include_flag = True
        return match_value_list

    from aminer.analysis.EnhancedNewMatchPathValueComboDetector import EnhancedNewMatchPathValueComboDetector
    enhanced_new_match_path_value_combo_detector = EnhancedNewMatchPathValueComboDetector(analysis_context.aminer_config, [
        '/model/DailyCron/UName', '/model/DailyCron/JobNumber'], anomaly_event_handlers, auto_include_flag=True,
        tuple_transformation_function=tuple_transformation_function, output_log_line=True)
    analysis_context.register_component(enhanced_new_match_path_value_combo_detector, component_name="EnhancedNewValueCombo")
    atom_filter.add_handler(enhanced_new_match_path_value_combo_detector)

    import re
    ip_match_action = Rules.EventGenerationMatchAction(
        "Analysis.Rules.IPv4InRFC1918MatchRule", "Private IP address occurred!", anomaly_event_handlers)

    vdmt = Rules.ValueDependentModuloTimeMatchRule(None, 3, ["/model/ECD/j", "/model/ECD/k", "/model/ECD/l"], {b"e": [0, 2.95]}, [0, 3])
    mt = Rules.ModuloTimeMatchRule(None, 3, 0, 3, None)
    time_allowlist_rules = [
        Rules.AndMatchRule([
            Rules.ParallelMatchRule([
                Rules.ValueDependentDelegatedMatchRule([
                    '/model/ECD/g', '/model/ECD/h', '/model/ECD/i', '/model/ECD/j', '/model/ECD/k', '/model/ECD/l'], {
                        (b"a",): mt, (b"b",): mt, (b"c",): mt, (b"d",): vdmt, (b"e",): vdmt, (b"f",): vdmt, None: mt}, mt),
                Rules.IPv4InRFC1918MatchRule("/model/ParsingME/se2/IpAddressDataModelElement", ip_match_action),
                Rules.DebugHistoryMatchRule(debug_match_result=True)
            ]),
            # IP addresses 8.8.8.8, 8.8.4.4 and 10.0.0.0 - 10.255.255.255 are not allowed
            Rules.NegationMatchRule(Rules.ValueListMatchRule("/model/ParsingME/se2/IpAddressDataModelElement", [134744072, 134743044])),
            Rules.NegationMatchRule(Rules.ValueRangeMatchRule("/model/ParsingME/se2/IpAddressDataModelElement", 167772160, 184549375)),
            Rules.NegationMatchRule(Rules.StringRegexMatchRule("/model/type/syscall/success", re.compile(b"^no$")))
        ])
    ]
    time_allowlist_violation_detector = AllowlistViolationDetector(
        analysis_context.aminer_config, time_allowlist_rules, anomaly_event_handlers, output_log_line=True)
    analysis_context.register_component(time_allowlist_violation_detector, component_name="TimeAllowlist")
    atom_filter.add_handler(time_allowlist_violation_detector)

    from aminer.analysis.HistogramAnalysis import HistogramAnalysis, LinearNumericBinDefinition, ModuloTimeBinDefinition, \
        PathDependentHistogramAnalysis
    modulo_time_bin_definition = ModuloTimeBinDefinition(86400, 3600, 0, 1, 24, True)
    linear_numeric_bin_definition = LinearNumericBinDefinition(50, 5, 20, True)
    histogram_analysis = HistogramAnalysis(analysis_context.aminer_config, [
        ('/model/RandomTime/Random', modulo_time_bin_definition), ('/model/Random', linear_numeric_bin_definition)], 10,
        anomaly_event_handlers, output_log_line=True)
    analysis_context.register_component(histogram_analysis, component_name="HistogramAnalysis")
    atom_filter.add_handler(histogram_analysis)

    path_dependent_histogram_analysis = PathDependentHistogramAnalysis(
        analysis_context.aminer_config, '/model/RandomTime', modulo_time_bin_definition, 10, anomaly_event_handlers, output_log_line=True)
    analysis_context.register_component(path_dependent_histogram_analysis, component_name="PathDependentHistogramAnalysis")
    atom_filter.add_handler(path_dependent_histogram_analysis)

    from aminer.analysis.MatchValueAverageChangeDetector import MatchValueAverageChangeDetector
    match_value_average_change_detector = MatchValueAverageChangeDetector(analysis_context.aminer_config, anomaly_event_handlers, None, [
        '/model/Random'], 100, 10, output_log_line=True)
    analysis_context.register_component(match_value_average_change_detector, component_name="MatchValueAverageChange")
    atom_filter.add_handler(match_value_average_change_detector)

    import sys
    from aminer.analysis.MatchValueStreamWriter import MatchValueStreamWriter
    match_value_stream_writer = MatchValueStreamWriter(
        sys.stdout, ['/model/Sensors/CPUTemp', '/model/Sensors/CPUWorkload', '/model/Sensors/DTM'], b';', b'')
    analysis_context.register_component(match_value_stream_writer, component_name="MatchValueStreamWriter")
    atom_filter.add_handler(match_value_stream_writer)

    from aminer.analysis.NewMatchPathValueComboDetector import NewMatchPathValueComboDetector
    new_match_path_value_combo_detector = NewMatchPathValueComboDetector(
        analysis_context.aminer_config, ['/model/IPAddresses/Username', '/model/IPAddresses/IP'],
        anomaly_event_handlers, output_log_line=True)
    analysis_context.register_component(new_match_path_value_combo_detector, component_name="NewMatchPathValueCombo")
    atom_filter.add_handler(new_match_path_value_combo_detector)

    from aminer.analysis.NewMatchIdValueComboDetector import NewMatchIdValueComboDetector
    new_match_id_value_combo_detector = NewMatchIdValueComboDetector(analysis_context.aminer_config, [
        '/model/type/path/name', '/model/type/syscall/syscall'], anomaly_event_handlers, id_path_list=[
        '/model/type/path/id', '/model/type/syscall/id'], min_allowed_time_diff=5, auto_include_flag=True, allow_missing_values_flag=True,
        output_log_line=True)
    analysis_context.register_component(new_match_id_value_combo_detector, component_name="NewMatchIdValueComboDetector")
    atom_filter.add_handler(new_match_id_value_combo_detector)

    from aminer.analysis.NewMatchPathValueDetector import NewMatchPathValueDetector
    new_match_path_value_detector = NewMatchPathValueDetector(analysis_context.aminer_config, [
        '/model/DailyCron/JobNumber', '/model/IPAddresses/Username'], anomaly_event_handlers, auto_include_flag=True, output_log_line=True)
    analysis_context.register_component(new_match_path_value_detector, component_name="NewMatchPathValue")
    atom_filter.add_handler(new_match_path_value_detector)

    from aminer.analysis.MissingMatchPathValueDetector import MissingMatchPathValueDetector
    missing_match_path_value_detector = MissingMatchPathValueDetector(
        analysis_context.aminer_config, ['/model/DiskReport/Space'], anomaly_event_handlers, auto_include_flag=True, default_interval=2,
        realert_interval=5, output_log_line=True)
    analysis_context.register_component(missing_match_path_value_detector, component_name="MissingMatch")
    atom_filter.add_handler(missing_match_path_value_detector)

    from aminer.analysis.TimeCorrelationDetector import TimeCorrelationDetector
    time_correlation_detector = TimeCorrelationDetector(
        analysis_context.aminer_config, anomaly_event_handlers, 2, min_rule_attributes=1, max_rule_attributes=5,
        record_count_before_event=10000, output_log_line=True)
    analysis_context.register_component(time_correlation_detector, component_name="TimeCorrelationDetector")
    atom_filter.add_handler(time_correlation_detector)

    from aminer.analysis.TimeCorrelationViolationDetector import TimeCorrelationViolationDetector, CorrelationRule, EventClassSelector
    cron_job_announcement = CorrelationRule('CronJobAnnouncement', 5, 6, max_artefacts_a_for_single_b=1, artefact_match_parameters=[
        ('/model/CronAnnouncement/JobNumber', '/model/CronExecution/JobNumber')])
    a_class_selector = EventClassSelector('Announcement', [cron_job_announcement], None)
    b_class_selector = EventClassSelector('Execution', None, [cron_job_announcement])
    rules = [Rules.PathExistsMatchRule('/model/CronAnnouncement/Run', a_class_selector),
             Rules.PathExistsMatchRule('/model/CronExecution/Job', b_class_selector)]

    time_correlation_violation_detector = TimeCorrelationViolationDetector(analysis_context.aminer_config, rules, anomaly_event_handlers,
                                                                           output_log_line=True)
    analysis_context.register_component(time_correlation_violation_detector, component_name="TimeCorrelationViolationDetector")
    atom_filter.add_handler(time_correlation_violation_detector)
Beispiel #30
0
def get_model():
    """Return a model to parse Audit logs from the AIT-LDS."""
    alphabet = b"!'#$%&\"()*+,-./0123456789:;<>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ\\^_`abcdefghijklmnopqrstuvwxyz{|}~=[]"

    seq = [
        FixedDataModelElement("audit_str", b"audit("),
        DateTimeModelElement("time", b"%s.%f"),
        FixedDataModelElement("colon_str", b":"),
        DecimalIntegerValueModelElement("id"),
        FixedDataModelElement("pid_str", b"): pid="),
        VariableByteDataModelElement("pid", alphabet),
        FixedDataModelElement("uid_str", b" uid="),
        VariableByteDataModelElement("uid", alphabet),
        FixedDataModelElement("auid_str", b" auid="),
        VariableByteDataModelElement("auid", alphabet),
        FixedDataModelElement("ses_str", b" ses="),
        VariableByteDataModelElement("ses", alphabet),
        FixedDataModelElement("msg2_str", b" msg="),
        VariableByteDataModelElement("msg2", alphabet),
        FirstMatchModelElement("fm", [
            SequenceModelElement("acct", [
                FixedDataModelElement("acct_str", b" acct="),
                VariableByteDataModelElement("acct", alphabet)]),
            SequenceModelElement("comm", [
                FixedDataModelElement("comm_str", b" comm="),
                VariableByteDataModelElement("comm", alphabet)]),
            SequenceModelElement("cmd", [
                FixedDataModelElement("cmd_str", b" cmd="),
                VariableByteDataModelElement("cmd", alphabet)])]),
        OptionalMatchModelElement(
            "opt", SequenceModelElement("opt_seq", [
                FixedDataModelElement("exe_str", b" exe="),
                VariableByteDataModelElement("exe", alphabet),
                FixedDataModelElement("hostname_str", b" hostname="),
                VariableByteDataModelElement("hostname", alphabet),
                FixedDataModelElement("addr_str", b" addr="),
                VariableByteDataModelElement("addr", alphabet)])),
        FixedDataModelElement("terminal_str", b" terminal="),
        VariableByteDataModelElement("terminal", alphabet),
        FixedDataModelElement("res_str", b" res="),
        VariableByteDataModelElement("res", alphabet)]

    model = SequenceModelElement("model", [
        FixedDataModelElement("type_str", b"type="),
        FirstMatchModelElement("type", [
            SequenceModelElement("execve", [
                FixedDataModelElement("execve_str", b"EXECVE msg=audit("),
                DateTimeModelElement("time", b"%s.%f"),
                FixedDataModelElement("colon_str", b":"),
                DecimalIntegerValueModelElement("id"),
                FixedDataModelElement("argc_str", b"): argc="),
                DecimalIntegerValueModelElement("argc", value_sign_type=DecimalIntegerValueModelElement.SIGN_TYPE_OPTIONAL),
                FixedDataModelElement("a0_str", b" a0="),
                VariableByteDataModelElement("a0", alphabet),
                OptionalMatchModelElement(
                    "opt1", SequenceModelElement("seq1", [
                        FixedDataModelElement("a1_str", b" a1="),
                        VariableByteDataModelElement("a1", alphabet),
                        OptionalMatchModelElement(
                            "opt2", SequenceModelElement("seq2", [
                                FixedDataModelElement("a2_str", b" a2="),
                                VariableByteDataModelElement("a2", alphabet),
                                OptionalMatchModelElement(
                                    "opt3", SequenceModelElement("seq3", [
                                        FixedDataModelElement("a3_str", b" a3="),
                                        VariableByteDataModelElement("a3", alphabet),
                                        OptionalMatchModelElement(
                                            "opt4", SequenceModelElement("seq4", [
                                                FixedDataModelElement("a4_str", b" a4="),
                                                VariableByteDataModelElement("a4", alphabet)
                                                ])
                                            ),
                                        OptionalMatchModelElement(
                                            "opt5", SequenceModelElement("seq5", [
                                                FixedDataModelElement("a5_str", b" a5="),
                                                VariableByteDataModelElement("a5", alphabet)
                                                ])
                                            ),
                                        OptionalMatchModelElement(
                                            "opt6", SequenceModelElement("seq6", [
                                                FixedDataModelElement("a6_str", b" a6="),
                                                VariableByteDataModelElement("a6", alphabet)
                                                ])
                                            ),
                                        OptionalMatchModelElement(
                                            "opt7", SequenceModelElement("seq7", [
                                                FixedDataModelElement("a7_str", b" a7="),
                                                VariableByteDataModelElement("a7", alphabet)
                                                ])
                                            ),
                                        OptionalMatchModelElement(
                                            "opt8", SequenceModelElement("seq8", [
                                                FixedDataModelElement("a8_str", b" a8="),
                                                VariableByteDataModelElement("a8", alphabet)
                                                ])
                                            ),
                                        OptionalMatchModelElement(
                                            "opt9", SequenceModelElement("seq9", [
                                                FixedDataModelElement("a9_str", b" a9="),
                                                VariableByteDataModelElement("a9", alphabet)
                                                ])
                                            ),
                                        OptionalMatchModelElement(
                                            "opt10", SequenceModelElement("seq10", [
                                                FixedDataModelElement("a10_str", b" a10="),
                                                VariableByteDataModelElement("a10", alphabet)
                                                ])
                                            ),
                                        OptionalMatchModelElement(
                                            "opt11", SequenceModelElement("seq11", [
                                                FixedDataModelElement("a11_str", b" a11="),
                                                VariableByteDataModelElement("a11", alphabet)
                                                ])
                                            ),
                                        OptionalMatchModelElement(
                                            "opt12", SequenceModelElement("seq12", [
                                                FixedDataModelElement("a12_str", b" a12="),
                                                VariableByteDataModelElement("a12", alphabet)
                                                ])
                                            ),
                                        OptionalMatchModelElement(
                                            "opt13", SequenceModelElement("seq13", [
                                                FixedDataModelElement("a13_str", b" a13="),
                                                VariableByteDataModelElement("a13", alphabet)
                                                ])
                                            ),
                                        OptionalMatchModelElement(
                                            "opt14", SequenceModelElement("seq14", [
                                                FixedDataModelElement("a14_str", b" a14="),
                                                VariableByteDataModelElement("a14", alphabet)
                                                ])
                                            )]))]))]))]),
            SequenceModelElement("proctitle", [
                FixedDataModelElement("type_str", b"PROCTITLE msg=audit("),
                DateTimeModelElement("time", b"%s.%f"),
                FixedDataModelElement("colon_str", b":"),
                DecimalIntegerValueModelElement("id"),
                FixedDataModelElement("proctitle_str", b"): proctitle="),
                VariableByteDataModelElement("proctitle", alphabet)]),
            SequenceModelElement("syscall", [
                FixedDataModelElement("msg_str", b"SYSCALL msg=audit("),
                DateTimeModelElement("time", b"%s.%f"),
                FixedDataModelElement("colon_str", b":"),
                DecimalIntegerValueModelElement("id"),
                FixedDataModelElement("arch_str", b"): arch="),
                VariableByteDataModelElement("arch", alphabet),
                FixedDataModelElement("syscall_str", b" syscall="),
                DecimalIntegerValueModelElement("syscall", value_sign_type=DecimalIntegerValueModelElement.SIGN_TYPE_OPTIONAL),
                FixedDataModelElement("success_str", b" success="),
                VariableByteDataModelElement("success", alphabet),
                FixedDataModelElement("exit_str", b" exit="),
                VariableByteDataModelElement("exit", alphabet),
                FixedDataModelElement("a0_str", b" a0="),
                VariableByteDataModelElement("a0", alphabet),
                FixedDataModelElement("a1_str", b" a1="),
                VariableByteDataModelElement("a1", alphabet),
                FixedDataModelElement("a2_str", b" a2="),
                VariableByteDataModelElement("a2", alphabet),
                FixedDataModelElement("a3_str", b" a3="),
                VariableByteDataModelElement("a3", alphabet),
                FixedDataModelElement("items_str", b" items="),
                VariableByteDataModelElement("items", alphabet),
                FixedDataModelElement("ppid_str", b" ppid="),
                VariableByteDataModelElement("ppid", alphabet),
                FixedDataModelElement("pid_str", b" pid="),
                VariableByteDataModelElement("pid", alphabet),
                FixedDataModelElement("auid_str", b" auid="),
                VariableByteDataModelElement("auid", alphabet),
                FixedDataModelElement("uid_str", b" uid="),
                VariableByteDataModelElement("uid", alphabet),
                FixedDataModelElement("gid_str", b" gid="),
                VariableByteDataModelElement("gid", alphabet),
                FixedDataModelElement("euid_str", b" euid="),
                VariableByteDataModelElement("euid", alphabet),
                FixedDataModelElement("suid_str", b" suid="),
                VariableByteDataModelElement("suid", alphabet),
                FixedDataModelElement("fsuid_str", b" fsuid="),
                VariableByteDataModelElement("fsuid", alphabet),
                FixedDataModelElement("egid_str", b" egid="),
                VariableByteDataModelElement("egid", alphabet),
                FixedDataModelElement("sgid_str", b" sgid="),
                VariableByteDataModelElement("sgid", alphabet),
                FixedDataModelElement("fsgid_str", b" fsgid="),
                VariableByteDataModelElement("fsgid", alphabet),
                FixedDataModelElement("tty_str", b" tty="),
                VariableByteDataModelElement("tty", alphabet),
                FixedDataModelElement("ses_str", b" ses="),
                VariableByteDataModelElement("ses", alphabet),
                FixedDataModelElement("comm_str", b" comm="),
                VariableByteDataModelElement("comm", alphabet),
                FixedDataModelElement("exe_str", b" exe="),
                VariableByteDataModelElement("exe", alphabet),
                FixedDataModelElement("key_str", b" key="),
                VariableByteDataModelElement("key", alphabet)]),
            SequenceModelElement("path", [
                FixedDataModelElement("msg_str", b"PATH msg=audit("),
                DateTimeModelElement("time", b"%s.%f"),
                FixedDataModelElement("colon_str", b":"),
                DecimalIntegerValueModelElement("id"),
                FixedDataModelElement("item_str", b"): item="),
                DecimalIntegerValueModelElement("item", value_sign_type=DecimalIntegerValueModelElement.SIGN_TYPE_OPTIONAL),
                FixedDataModelElement("name_str", b" name="),
                VariableByteDataModelElement("name", alphabet),
                FirstMatchModelElement("path", [
                    SequenceModelElement("nametype", [
                        FixedDataModelElement("nametype_str", b" nametype="),
                        VariableByteDataModelElement("nametype", alphabet)]),
                    SequenceModelElement("inode", [
                        FixedDataModelElement("inode_str", b" inode="),
                        DecimalIntegerValueModelElement("inode", value_sign_type=DecimalIntegerValueModelElement.SIGN_TYPE_OPTIONAL),
                        FixedDataModelElement("dev_str", b" dev="),
                        VariableByteDataModelElement("dev", alphabet),
                        FixedDataModelElement("mode_str", b" mode="),
                        VariableByteDataModelElement("mode", alphabet),
                        FixedDataModelElement("ouid_str", b" ouid="),
                        VariableByteDataModelElement("ouid", alphabet),
                        FixedDataModelElement("ogid_str", b" ogid="),
                        VariableByteDataModelElement("ogid", alphabet),
                        FixedDataModelElement("rdev_str", b" rdev="),
                        VariableByteDataModelElement("rdev", alphabet),
                        FixedDataModelElement("nametype_str", b" nametype="),
                        VariableByteDataModelElement("nametype", alphabet)])])]),
            SequenceModelElement("login", [
                FixedDataModelElement("msg1_str", b"LOGIN msg=audit("),
                DateTimeModelElement("time", b"%s.%f"),
                FixedDataModelElement("colon_str", b":"),
                DecimalIntegerValueModelElement("id"),
                FixedDataModelElement("pid_str", b"): pid="),
                VariableByteDataModelElement("pid", alphabet),
                FixedDataModelElement("uid_str", b" uid="),
                VariableByteDataModelElement("uid", alphabet),
                FixedDataModelElement("old_auid_str", b" old-auid="),
                VariableByteDataModelElement("old_auid", alphabet),
                FixedDataModelElement("auid_str", b" auid="),
                VariableByteDataModelElement("auid", alphabet),
                OptionalMatchModelElement(
                    "tty", SequenceModelElement("tty", [
                        FixedDataModelElement("tty_str", b" tty="),
                        VariableByteDataModelElement("tty", alphabet)])),
                FixedDataModelElement("old_ses_str", b" old-ses="),
                VariableByteDataModelElement("old_ses", alphabet),
                FixedDataModelElement("ses_str", b" ses="),
                VariableByteDataModelElement("ses", alphabet),
                FixedDataModelElement("res_str", b" res="),
                VariableByteDataModelElement("res", alphabet)]),
            SequenceModelElement("sockaddr", [
                FixedDataModelElement("msg_str", b"SOCKADDR msg=audit("),
                DateTimeModelElement("time", b"%s.%f"),
                FixedDataModelElement("colon_str", b":"),
                DecimalIntegerValueModelElement("id"),
                FixedDataModelElement("saddr_str", b"): saddr="),
                VariableByteDataModelElement("saddr", alphabet)]),
            SequenceModelElement("unknown", [
                FixedDataModelElement("unknwon_str", b"UNKNOWN["),
                DecimalIntegerValueModelElement("unknown_id", value_sign_type=DecimalIntegerValueModelElement.SIGN_TYPE_OPTIONAL),
                FixedDataModelElement("msg_str", b"] msg=audit("),
                DateTimeModelElement("time", b"%s.%f"),
                FixedDataModelElement("colon_str", b":"),
                DecimalIntegerValueModelElement("id"),
                FixedDataModelElement("proctitle_str", b"): proctitle="),
                VariableByteDataModelElement("proctitle", alphabet)]),
            SequenceModelElement("cred_refr", [
                FixedDataModelElement("msg1_str", b"CRED_REFR msg=")] + seq),
            SequenceModelElement("user_start", [
                FixedDataModelElement("msg1_str", b"USER_START msg=")] + seq),
            SequenceModelElement("user_acct", [
                FixedDataModelElement("msg1_str", b"USER_ACCT msg=")] + seq),
            SequenceModelElement("user_auth", [
                FixedDataModelElement("msg1_str", b"USER_AUTH msg=")] + seq),
            SequenceModelElement("cred_disp", [
                FixedDataModelElement("msg1_str", b"CRED_DISP msg=")] + seq),
            SequenceModelElement("service_start", [
                FixedDataModelElement("msg1_str", b"SERVICE_START msg=")] + seq),
            SequenceModelElement("service_stop", [
                FixedDataModelElement("msg1_str", b"SERVICE_STOP msg=")] + seq),
            SequenceModelElement("user_end", [
                FixedDataModelElement("msg1_str", b"USER_END msg=")] + seq),
            SequenceModelElement("user_cmd", [
                FixedDataModelElement("msg1_str", b"USER_CMD msg=")] + seq),
            SequenceModelElement("cred_acq", [
                FixedDataModelElement("msg1_str", b"CRED_ACQ msg=")] + seq),
            SequenceModelElement("user_bprm_fcaps", [
                FixedDataModelElement("msg1_str", b"BPRM_FCAPS msg=audit("),
                DateTimeModelElement("time", b"%s.%f"),
                FixedDataModelElement("colon_str", b":"),
                DecimalIntegerValueModelElement("id"),
                FixedDataModelElement("fver_str", b"): fver="),
                VariableByteDataModelElement("fver", alphabet),
                FixedDataModelElement("fp_str", b" fp="),
                VariableByteDataModelElement("fp", alphabet),
                FixedDataModelElement("fi_str", b" fi="),
                VariableByteDataModelElement("fi", alphabet),
                FixedDataModelElement("fe_str", b" fe="),
                VariableByteDataModelElement("fe", alphabet),
                FixedDataModelElement("old_pp_str", b" old_pp="),
                VariableByteDataModelElement("old_pp", alphabet),
                FixedDataModelElement("old_pi_str", b" old_pi="),
                VariableByteDataModelElement("old_pi", alphabet),
                FixedDataModelElement("old_pe_str", b" old_pe="),
                VariableByteDataModelElement("old_pe", alphabet),
                FixedDataModelElement("new_pp_str", b" new_pp="),
                VariableByteDataModelElement("new_pp", alphabet),
                FixedDataModelElement("new_pi_str", b" new_pi="),
                VariableByteDataModelElement("new_pi", alphabet),
                FixedDataModelElement("new_pe_str", b" new_pe="),
                VariableByteDataModelElement("new_pe", alphabet)])])])

    return model