Lots of restructuring and basic implementing

This commit is contained in:
Jan Philipp Timme 2019-12-18 15:35:23 +01:00
parent b554efad83
commit d0274f8046
1 changed files with 38 additions and 16 deletions

52
main.py
View File

@ -3,7 +3,6 @@ import sys
import logging import logging
import Milter import Milter
from Milter.utils import parse_addr
import re import re
@ -14,61 +13,84 @@ logger.setLevel(logging.DEBUG)
handler = logging.StreamHandler(sys.stdout) handler = logging.StreamHandler(sys.stdout)
handler.setLevel(logging.DEBUG) handler.setLevel(logging.DEBUG)
formatter = logging.Formatter('%(asctime)s - %(name)s - %(levelname)s - %(message)s') formatter = logging.Formatter('%(asctime)s - %(levelname)s - %(message)s')
handler.setFormatter(formatter) handler.setFormatter(formatter)
logger.addHandler(handler) logger.addHandler(handler)
split_from_regex = re.compile('(?P<from_label>("(.*)")|(.*))(.*)<(?P<from_address>.*)>') split_from_regex = re.compile('(?P<from_label>("(.*)")|(.*))(.*)<(?P<from_address>.*)>')
address_domain_regex = re.compile('.*@(?P<domain>[\.\w-]+)')
def splitFromHeader(value): def splitFromHeader(value):
"""Split 'From:' header into label and address values."""
match = split_from_regex.match(value) match = split_from_regex.match(value)
result = { return {
'label': match.group('from_label').strip(), 'label': match.group('from_label').strip(),
'address': match.group('from_address').strip() 'address': match.group('from_address').strip()
} }
return result
def labelContainsAddress(label):
""" Check whether given 'From:' header label contains something that looks like an email address."""
return address_domain_regex.match(label) is not None
def labelAndAddressDomainsMatch(split):
label_domain = address_domain_regex.match(split['label']).group('domain').strip()
address_domain = address_domain_regex.match(split['address']).group('domain').strip()
return label_domain.lower() == address_domain.lower()
class SuspiciousFrom(Milter.Base): class SuspiciousFrom(Milter.Base):
def __init__(self): def __init__(self):
self.id = Milter.uniqueID() self.id = Milter.uniqueID()
logger.info(f"{self.id} got fired up.") self.final_result = Milter.ACCEPT
self.milter_final_result = Milter.ACCEPT
self.new_headers = [] self.new_headers = []
logger.info(f"{self.id} got fired up.")
def header(self, field, value): def header(self, field, value):
"""Header hook gets called for every header within the email processed."""
if field.lower() == 'from': if field.lower() == 'from':
logger.info(f"Got \"From:\" header with raw value: '{value}'") logger.info(f"Got \"From:\" header with raw value: '{value}'")
split = splitFromHeader(value) split = splitFromHeader(value)
logger.info(f"Label: {split['label']}, address: {split['address']}") logger.info(f"Label: {split['label']}, address: {split['address']}")
if '@' in split['label']: if labelContainsAddress(split['label']):
self.milter_final_result = Milter.REJECT logger.info()
if labelAndAddressDomainsMatch(split):
self.new_headers.append({'name': 'X-From-Checked', 'value': 'Maybe multiple domains - no match - BAD!'})
self.final_result = Milter.ACCEPT
else:
self.new_headers.append({'name': 'X-From-Checked', 'value': 'Multiple domains - no match - BAD!'})
self.final_result = Milter.ACCEPT
else: else:
self.new_headers.append({'name': 'X-From-Checked', 'value': 'Yes, no address in label.'})
# Supposedly no additional address in the label, accept it for now # Supposedly no additional address in the label, accept it for now
# TODO: Also decode utf-8 weirdness and check in there # TODO: Also decode utf-8 weirdness and check in there
self.milter_final_result = Milter.ACCEPT self.new_headers.append({'name': 'X-From-Checked', 'value': 'Yes, no address in label.'})
return Milter.CONTINUE self.final_result = Milter.ACCEPT
else: # Use continue here, so we can reach eom hook.
# TODO: Log and react if multiple From-headers are found?
return Milter.CONTINUE return Milter.CONTINUE
def eom(self): def eom(self):
"""EOM hook gets called at the end of message processed. Headers and final verdict are applied only here."""
# Finish up message according to results collected on the way. # Finish up message according to results collected on the way.
for new_header in self.new_headers: for new_header in self.new_headers:
self.addheader(new_header['name'], new_header['value']) self.addheader(new_header['name'], new_header['value'])
return self.milter_final_result return self.final_result
def main(): def main():
# TODO: Move this into configuration of some sort.
milter_socket = "inet:7777@127.0.0.1" milter_socket = "inet:7777@127.0.0.1"
milter_timeout = 60 milter_timeout = 60
Milter.factory = SuspiciousFrom Milter.factory = SuspiciousFrom
logger.info(f"Starting Milter.") logger.info(f"Starting Milter.")
# This call blocks the main thread. # This call blocks the main thread.
# TODO: Improve handling CTRL+C
Milter.runmilter("SuspiciousFromMilter", milter_socket, milter_timeout, rmsock=False) Milter.runmilter("SuspiciousFromMilter", milter_socket, milter_timeout, rmsock=False)
logger.info(f"Milter finished running.") logger.info(f"Milter finished running.")
if __name__ == "__main__": if __name__ == "__main__":
logger.debug(f"Hello world!")
main() main()