Add support for setting a TOTP seed
[mirror/userdir-ldap.git] / ud-mailgate
1 #!/usr/bin/env python
2 # -*- mode: python -*-
3
4 #   Prior copyright probably rmurray, troup, joey, jgg -- weasel 2008
5 #   Copyright (c) 2009 Stephen Gran <steve@lobefin.net>
6 #   Copyright (c) 2008,2009,2010 Peter Palfrader <peter@palfrader.org>
7 #   Copyright (c) 2008 Joerg Jaspert <joerg@debian.org>
8 #   Copyright (c) 2010 Helmut Grohne <helmut@subdivi.de>
9
10 import userdir_gpg, userdir_ldap, sys, traceback, time, ldap, os, commands
11 import pwd, tempfile
12 import subprocess
13 import email, email.parser
14 import binascii
15
16 from userdir_gpg import *
17 from userdir_ldap import *
18 from userdir_exceptions import *
19
20 # Error codes from /usr/include/sysexits.h
21 ReplyTo = ConfModule.replyto;
22 PingFrom = ConfModule.pingfrom;
23 ChPassFrom = ConfModule.chpassfrom;
24 ChangeFrom = ConfModule.changefrom;
25 ReplayCacheFile = ConfModule.replaycachefile;
26 SSHFingerprintFile = ConfModule.fingerprintfile
27
28 UUID_FORMAT = '[0-9a-f]{8}-[0-9a-f]{4}-[0-9a-f]{4}-[0-9a-f]{4}-[0-9a-f]{12}'
29
30 EX_TEMPFAIL = 75;
31 EX_PERMFAIL = 65;      # EX_DATAERR
32 Error = 'Message Error';
33 SeenKey = 0;
34 SeenDNS = 0;
35 mailRBL = {}
36 mailRHSBL = {}
37 mailWhitelist = {}
38 SeenList = {}
39 DNS = {}
40 ValidHostNames = [] # will be initialized in later
41
42 SSHFingerprint = re.compile('^(\d+) ([0-9a-f\:]{47}) (.+)$')
43 SSHRSA1Match = re.compile('^^(.* )?\d+ \d+ \d+')
44
45 GenderTable = {"male": '1',
46                "1": '1',
47                "female": '2',
48                "2": '2',
49                "unspecified": '9',
50                "9": '9',
51 };
52
53 ArbChanges = {"c": "..",
54               "l": ".*",
55               "facsimileTelephoneNumber": ".*",
56               "telephoneNumber": ".*",
57               "postalAddress": ".*",
58          "bATVToken": ".*",
59               "postalCode": ".*",
60               "loginShell": ".*",
61               "emailForward": "^([^<>@]+@.+)?$",
62               "jabberJID": "^([^<>@]+@.+)?$",
63               "ircNick": ".*",
64               "icqUin": "^[0-9]*$",
65               "onVacation": ".*",
66               "labeledURI": ".*",
67               "birthDate": "^([0-9]{4})([01][0-9])([0-3][0-9])$",
68               "mailDisableMessage": ".*",
69               "mailGreylisting": "^(TRUE|FALSE)$",
70               "mailCallout": "^(TRUE|FALSE)$",
71               "mailDefaultOptions": "^(TRUE|FALSE)$",
72               "VoIP": ".*",
73               "gender": "^(1|2|9|male|female|unspecified)$",
74          "mailContentInspectionAction": "^(reject|blackhole|markup)$",
75 };
76
77 DelItems = {"c": None,
78             "l": None,
79             "facsimileTelephoneNumber": None,
80             "telephoneNumber": None,
81             "postalAddress": None,
82             "bATVToken": None,
83             "postalCode": None,
84             "emailForward": None,
85             "ircNick": None,
86             "onVacation": None,
87             "labeledURI": None,
88             "latitude": None,
89             "longitude": None,
90             "icqUin": None,
91             "jabberJID": None,
92             "jpegPhoto": None,
93             "dnsZoneEntry": None,
94             "sshRSAAuthKey": None,
95             "birthDate" : None,
96             "mailGreylisting": None,
97             "mailCallout": None,
98             "mailRBL": None,
99             "mailRHSBL": None,
100             "mailWhitelist": None,
101             "mailDisableMessage": None,
102             "mailDefaultOptions": None,
103             "VoIP": None,
104             "mailContentInspectionAction": None,
105             };
106
107
108 # Decode a GPS location from some common forms
109 def LocDecode(Str,Dir):
110    # Check for Decimal degrees, DGM, or DGMS
111    if re.match("^[+-]?[\d.]+$",Str) != None:
112       return Str;
113
114    Deg = '0'; Min = None; Sec = None; Dr = Dir[0];
115    
116    # Check for DDDxMM.MMMM where x = [nsew]
117    Match = re.match("^(\d+)(["+Dir+"])([\d.]+)$",Str);
118    if Match != None:
119       G = Match.groups();
120       Deg = G[0]; Min = G[2]; Dr = G[1];
121
122    # Check for DD.DD x 
123    Match = re.match("^([\d.]+) ?(["+Dir+"])$",Str);
124    if Match != None:
125       G = Match.groups();
126       Deg = G[0]; Dr = G[1];
127
128    # Check for DD:MM.MM x 
129    Match = re.match("^(\d+):([\d.]+) ?(["+Dir+"])$",Str);
130    if Match != None:
131       G = Match.groups();
132       Deg = G[0]; Min = G[1]; Dr = G[2];
133
134    # Check for DD:MM:SS.SS x
135    Match = re.match("^(\d+):(\d+):([\d.]+) ?(["+Dir+"])$",Str);
136    if Match != None:
137       G = Match.groups();
138       Deg = G[0]; Min = G[1]; Sec = G[2]; Dr = G[3];
139       
140    # Some simple checks
141    if float(Deg) > 180:
142       raise UDFormatError, "Bad degrees";
143    if Min != None and float(Min) > 60:
144       raise UDFormatError, "Bad minutes";
145    if Sec != None and float(Sec) > 60:
146       raise UDFormatError, "Bad seconds";
147       
148    # Pad on an extra leading 0 to disambiguate small numbers
149    if len(Deg) <= 1 or Deg[1] == '.':
150       Deg = '0' + Deg;
151    if Min != None and (len(Min) <= 1 or Min[1] == '.'):
152       Min = '0' + Min;
153    if Sec != None and (len(Sec) <= 1 or Sec[1] == '.'):
154       Sec = '0' + Sec;
155    
156    # Construct a DGM/DGMS type value from the components.
157    Res = "+"
158    if Dr == Dir[1]:
159       Res = "-";
160    Res = Res + Deg;
161    if Min != None:
162       Res = Res + Min;
163    if Sec != None:
164       Res = Res + Sec;
165    return Res;
166               
167 # Handle changing a set of arbitary fields
168 #  <field>: value
169 def DoArbChange(Str,Attrs):
170    Match = re.match("^([^ :]+): (.*)$",Str);
171    if Match == None:
172       return None;
173    G = Match.groups();
174
175    attrName = G[0].lower();
176    for i in ArbChanges.keys():
177       if i.lower() == attrName:
178          attrName = i;
179          break;
180    if ArbChanges.has_key(attrName) == 0:
181       return None;
182
183    if re.match(ArbChanges[attrName],G[1]) == None:
184       raise UDFormatError, "Item does not match the required format"+ArbChanges[attrName];
185
186    value = G[1];
187    if attrName == 'gender':
188       if G[1] not in GenderTable:
189          raise UDFormatError, "Gender not found in table"
190       value = GenderTable[G[1]]
191
192 #   if attrName == 'birthDate':
193 #      (re.match("^([0-9]{4})([01][0-9])([0-3][0-9])$",G[1]) {
194 #    $bd_yr = $1; $bd_mo = $2; $bd_day = $3;
195 #    if ($bd_mo > 0 and $bd_mo <= 12 and $bd_day > 0) {
196 #      if ($bd_mo == 2) {
197 #        if ($bd_day == 29 and ($bd_yr == 0 or ($bd_yr % 4 == 0 && ($bd_yr % 100 != 0 || $bd_yr % 400 == 0)))) {
198 #          $bd_ok = 1;
199 #        } elsif ($bd_day <= 28) {
200 #          $bd_ok = 1;
201 #        }
202 #      } elsif ($bd_mo == 4 or $bd_mo == 6 or $bd_mo == 9 or $bd_mo == 11) {
203 #       if ($bd_day <= 30) {
204 #         $bd_ok = 1;
205 #       }
206 #      } else {
207 #       if ($bd_day <= 31) {
208 #         $bd_ok = 1;
209 #       }
210 #      }
211 #    }
212 #  } elsif (not defined($query->param('birthdate')) or $query->param('birthdate') =~ /^\s*$/) {
213 #    $bd_ok = 1;
214 #  }
215    Attrs.append((ldap.MOD_REPLACE,attrName,value));
216    return "Changed entry %s to %s"%(attrName,value);
217
218 # Handle changing a set of arbitary fields
219 #  <field>: value
220 def DoDel(Str,Attrs):
221    Match = re.match("^del (.*)$",Str);
222    if Match == None:
223       return None;
224    G = Match.groups();
225
226    attrName = G[0].lower();
227    for i in DelItems.keys():
228       if i.lower() == attrName:
229          attrName = i;
230          break;
231    if DelItems.has_key(attrName) == 0:
232       return "Cannot erase entry %s"%(attrName);
233
234    Attrs.append((ldap.MOD_DELETE,attrName,None));
235    return "Removed entry %s"%(attrName);
236
237 # Handle a position change message, the line format is:
238 #  Lat: -12412.23 Long: +12341.2342
239 def DoPosition(Str,Attrs):
240    Match = re.match("^lat: ([+\-]?[\d:.ns]+(?: ?[ns])?) long: ([+\-]?[\d:.ew]+(?: ?[ew])?)$", Str.lower())
241    if Match == None:
242       return None;
243
244    G = Match.groups();
245    try:
246       sLat = LocDecode(G[0],"ns");
247       sLong = LocDecode(G[1],"ew");
248       Lat = DecDegree(sLat,1);
249       Long = DecDegree(sLong,1);
250    except:
251       raise UDFormatError, "Positions were found, but they are not correctly formed";
252
253    Attrs.append((ldap.MOD_REPLACE,"latitude",sLat));
254    Attrs.append((ldap.MOD_REPLACE,"longitude",sLong));
255    return "Position set to %s/%s (%s/%s decimal degrees)"%(sLat,sLong,Lat,Long);
256
257 # Load bad ssh fingerprints
258 def LoadBadSSH():
259    f = open(SSHFingerprintFile, "r")
260    bad = []
261    FingerprintLine = re.compile('^([0-9a-f\:]{47}).*$')
262    for line in f.readlines():
263       Match = FingerprintLine.match(line)
264       if Match is not None:
265          g = Match.groups()
266          bad.append(g[0])
267    return bad
268
269 # Handle an SSH authentication key, the line format is:
270 #  [options] 1024 35 13188913666680[..] [comment]
271 # maybe it really should be:
272 # [allowed_hosts=machine1,machine2 ][options ]ssh-rsa keybytes [comment]
273 machine_regex = re.compile("^[0-9a-zA-Z.-]+$")
274 def DoSSH(Str, Attrs, badkeys, uid):
275    Match = SSH2AuthSplit.match(Str);
276    if Match == None:
277       return None;
278    g = Match.groups()
279    typekey = g[1]
280    if Match == None:
281       Match = SSHRSA1Match.match(Str)
282       if Match is not None:
283          return "RSA1 keys not supported anymore"
284       return None;
285
286    # lines can now be prepended with "allowed_hosts=machine1,machine2 "
287    machines = []
288    if Str.startswith("allowed_hosts="):
289       Str = Str.split("=", 1)[1]
290       if ' ' not in Str:
291          return "invalid ssh key syntax with machine specification"
292       machines, Str = Str.split(' ', 1)
293       machines = machines.split(",")
294       for m in machines:
295          if not m:
296             return "empty machine specification for ssh key"
297          if not machine_regex.match(m):
298             return "machine specification for ssh key contains invalid characters"
299          if m not in ValidHostNames:
300             return "unknown machine used in allowed_hosts stanza for ssh keys"
301
302    (fd, path) = tempfile.mkstemp(".pub", "sshkeytry", "/tmp")
303    f = open(path, "w")
304    f.write("%s\n" % (Str))
305    f.close()
306    cmd = "/usr/bin/ssh-keygen -l -f %s < /dev/null" % (path)
307    (result, output) = commands.getstatusoutput(cmd)
308    os.remove(path)
309    if (result != 0):
310       raise UDExecuteError, "ssh-keygen -l invocation failed!\n%s\n" % (output)
311
312    # format the string again for ldap:
313    if machines:
314       Str = "allowed_hosts=%s %s" % (",".join(machines), Str)
315
316
317    # Head
318    Date = time.strftime("%a, %d %b %Y %H:%M:%S +0000",time.gmtime(time.time()))
319    ErrReplyHead = "From: %s\nCc: %s\nReply-To: %s\nDate: %s\n" % (os.environ['SENDER'],os.environ['SENDER'],ReplyTo,Date)
320    Subst = {}
321    Subst["__ADMIN__"] = ReplyTo
322    Subst["__USER__"] = uid
323
324    Match = SSHFingerprint.match(output)
325    g = Match.groups()
326    key_size = g[0]
327    fingerprint = g[1]
328
329    if typekey == "rsa":
330       key_size_ok = (int(key_size) >= 2048)
331    elif typekey == "ed25519":
332      key_size_ok = True
333    else:
334      key_size_ok = False
335
336    if not key_size_ok:
337       return "SSH key fails formal criteria, not added.  We only accept RSA keys (>= 2048 bits) or ed25519 keys."
338    elif fingerprint in badkeys:
339       try:
340          # Body
341          Subst["__ERROR__"] = "SSH key with fingerprint %s known as bad key" % (g[1])
342          ErrReply = TemplateSubst(Subst,open(TemplatesDir+"admin-info","r").read())
343
344          Child = os.popen("/usr/sbin/sendmail -t","w")
345          Child.write(ErrReplyHead)
346          Child.write(ErrReply)
347          if Child.close() != None:
348             raise UDExecuteError, "Sendmail gave a non-zero return code"
349       except:
350          sys.exit(EX_TEMPFAIL)
351
352       # And now break and stop processing input, which sends a reply to the user.
353       raise UDFormatError, "Submitted SSH Key known to be bad and insecure, processing halted, NOTHING MODIFIED AT ALL"
354
355    global SeenKey;
356    if SeenKey:
357      Attrs.append((ldap.MOD_ADD,"sshRSAAuthKey",Str));
358      return "SSH Key added: %s %s [%s]"%(key_size, fingerprint, FormatSSHAuth(Str))
359
360    Attrs.append((ldap.MOD_REPLACE,"sshRSAAuthKey",Str));
361    SeenKey = 1;
362    return "SSH Keys replaced with: %s %s [%s]"%(key_size, fingerprint, FormatSSHAuth(Str))
363
364 # Handle changing a dns entry
365 #  host IN A     12.12.12.12
366 #  host IN AAAA  1234::5678
367 #  host IN CNAME foo.bar.    <- Trailing dot is required
368 #  host IN MX    foo.bar.    <- Trailing dot is required
369 def DoDNS(Str,Attrs,DnRecord):
370    cnamerecord = re.match("^[-\w]+\s+IN\s+CNAME\s+([-\w.]+\.)$",Str,re.IGNORECASE)
371    arecord     = re.match('^[-\w]+\s+IN\s+A\s+(\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3})$',Str,re.IGNORECASE)
372    mxrecord    = re.match("^[-\w]+\s+IN\s+MX\s+(\d{1,3})\s+([-\w.]+\.)$",Str,re.IGNORECASE)
373    txtrecord   = re.match("^[-\w]+\s+IN\s+TXT\s+([-\d. a-z\t<>@]+)", Str, re.IGNORECASE)
374    #aaaarecord  = re.match('^[-\w]+\s+IN\s+AAAA\s+((?:[0-9a-f]{1,4})(?::[0-9a-f]{1,4})*(?::(?:(?::[0-9a-f]{1,4})*|:))?)$',Str,re.IGNORECASE)
375    aaaarecord  = re.match('^[-\w]+\s+IN\s+AAAA\s+([A-F0-9:]{2,39})$',Str,re.IGNORECASE)
376
377    if cnamerecord is None and\
378       arecord is None and\
379       mxrecord is None and\
380       txtrecord is None and\
381       aaaarecord is None:
382      return None;
383
384    # Check if the name is already taken
385    G = re.match('^([-\w+]+)\s',Str)
386    if G is None:
387      raise UDFormatError, "Hostname not found although we already passed record syntax checks"
388    hostname = G.group(1)
389
390    # Check for collisions
391    global l;
392    # [JT 20070409 - search for both tab and space suffixed hostnames
393    #  since we accept either.  It'd probably be better to parse the
394    #  incoming string in order to construct what we feed LDAP rather
395    #  than just passing it through as is.]
396    filter = "(|(dnsZoneEntry=%s *)(dnsZoneEntry=%s *))" % (hostname, hostname)
397    Rec = l.search_s(BaseDn,ldap.SCOPE_ONELEVEL,filter,["uid"]);
398    for x in Rec:
399       if GetAttr(x,"uid") != GetAttr(DnRecord,"uid"):
400          return "DNS entry is already owned by " + GetAttr(x,"uid")
401
402    global SeenDNS;
403    global DNS;
404
405    if cnamerecord:
406      if DNS.has_key(hostname):
407        return "CNAME and other RR types not allowed: "+Str
408      else:
409        DNS[hostname] = 2
410    else:
411      if DNS.has_key(hostname) and DNS[hostname] == 2:
412        return "CNAME and other RR types not allowed: "+Str
413      else:
414        DNS[hostname] = 1
415
416    if cnamerecord is not None:
417      sanitized = "%s IN CNAME %s" % (hostname, cnamerecord.group(1))
418    elif txtrecord is not None:
419       sanitized = "%s IN TXT %s" % (hostname, txtrecord.group(1))
420    elif arecord is not None:
421      ipaddress = arecord.group(1)
422      for quad in ipaddress.split('.'):
423        if not (int(quad) >=0 and int(quad) <= 255):
424          return "Invalid quad %s in IP address %s in line %s" %(quad, ipaddress, Str)
425      sanitized = "%s IN A %s"% (hostname, ipaddress)
426    elif mxrecord is not None:
427      priority = mxrecord.group(1)
428      mx = mxrecord.group(2)
429      sanitized = "%s IN MX %s %s" % (hostname, priority, mx)
430    elif aaaarecord is not None:
431      ipv6address = aaaarecord.group(1)
432      parts = ipv6address.split(':')
433      if len(parts) > 8:
434        return "Invalid IPv6 address (%s): too many parts"%(ipv6address)
435      if len(parts) <= 2:
436        return "Invalid IPv6 address (%s): too few parts"%(ipv6address)
437      if parts[0] == "":
438        parts.pop(0)
439      if parts[-1] == "":
440        parts.pop(-1)
441      seenEmptypart = False
442      for p in parts:
443        if len(p) > 4:
444          return "Invalid IPv6 address (%s): part %s is longer than 4 characters"%(ipv6address, p)
445        if p == "":
446          if seenEmptypart:
447            return "Invalid IPv6 address (%s): more than one :: (nothing in between colons) is not allowed"%(ipv6address)
448          seenEmptypart = True
449      sanitized = "%s IN AAAA %s" % (hostname, ipv6address)
450    else:
451      raise UDFormatError, "None of the types I recognize was it.  I shouldn't be here.  confused."
452
453    if SeenDNS:
454      Attrs.append((ldap.MOD_ADD,"dnsZoneEntry",sanitized));
455      return "DNS Entry added "+sanitized;
456
457    Attrs.append((ldap.MOD_REPLACE,"dnsZoneEntry",sanitized));
458    SeenDNS = 1;
459    return "DNS Entry replaced with "+sanitized;
460
461 # Handle an RBL list (mailRBL, mailRHSBL, mailWhitelist)
462 def DoRBL(Str,Attrs):
463    Match = re.compile('^mail(rbl|rhsbl|whitelist) ([-a-z0-9.]+)$').match(Str.lower())
464    if Match == None:
465       return None
466    
467    if Match.group(1) == "rbl":
468       Key = "mailRBL"
469    if Match.group(1) == "rhsbl":
470       Key = "mailRHSBL"
471    if Match.group(1) == "whitelist":
472       Key = "mailWhitelist"
473    Host = Match.group(2)
474
475    global SeenList
476    if SeenList.has_key(Key):
477      Attrs.append((ldap.MOD_ADD,Key,Host))
478      return "%s added %s" % (Key,Host)
479       
480    Attrs.append((ldap.MOD_REPLACE,Key,Host))
481    SeenList[Key] = 1;
482    return "%s replaced with %s" % (Key,Host)
483
484 # Handle a ConfirmSudoPassword request
485 def DoConfirmSudopassword(Str, SudoPasswd):
486    Match = re.compile('^confirm sudopassword ('+UUID_FORMAT+') ([a-z0-9.,*-]+) ([0-9a-f]{40})$').match(Str)
487    if Match == None:
488       return None
489
490    uuid = Match.group(1)
491    hosts = Match.group(2)
492    hmac = Match.group(3)
493
494    SudoPasswd[uuid] = (hosts, hmac)
495    return "got confirm for sudo password %s on host(s) %s, auth code %s" % (uuid,hosts, hmac)
496
497 def FinishConfirmSudopassword(l, uid, Attrs, SudoPasswd):
498    result = "\n"
499
500    if len(SudoPasswd) == 0:
501        return None
502
503    res = l.search_s(BaseDn,ldap.SCOPE_ONELEVEL,"uid="+uid, ['sudoPassword']);
504    if len(res) != 1:
505       raise UDFormatError, "Not exactly one hit when searching for user"
506    if res[0][1].has_key('sudoPassword'):
507       inldap = res[0][1]['sudoPassword']
508    else:
509       inldap = []
510
511    newldap = []
512    for entry in inldap:
513       Match = re.compile('^('+UUID_FORMAT+') (confirmed:[0-9a-f]{40}|unconfirmed) ([a-z0-9.,*-]+) ([^ ]+)$').match(entry)
514       if Match == None:
515          raise UDFormatError, "Could not parse existing sudopasswd entry"
516       uuid = Match.group(1)
517       status = Match.group(2)
518       hosts = Match.group(3)
519       cryptedpass = Match.group(4)
520
521       if SudoPasswd.has_key(uuid):
522          confirmedHosts = SudoPasswd[uuid][0]
523          confirmedHmac = SudoPasswd[uuid][1]
524          if status.startswith('confirmed:'):
525             if status == 'confirmed:'+make_passwd_hmac('password-is-confirmed', 'sudo', uid, uuid, hosts, cryptedpass):
526                result = result + "Entry %s for sudo password on hosts %s already confirmed.\n"%(uuid, hosts)
527             else:
528                result = result + "Entry %s for sudo password on hosts %s is listed as confirmed, but HMAC does not verify.\n"%(uuid, hosts)
529          elif confirmedHosts != hosts:
530             result = result + "Entry %s hostlist mismatch (%s vs. %s).\n"%(uuid, hosts, confirmedHosts)
531          elif make_passwd_hmac('confirm-new-password', 'sudo', uid, uuid, hosts, cryptedpass) == confirmedHmac:
532             result = result + "Entry %s for sudo password on hosts %s now confirmed.\n"%(uuid, hosts)
533             status = 'confirmed:'+make_passwd_hmac('password-is-confirmed', 'sudo', uid, uuid, hosts, cryptedpass)
534          else:
535             result = result + "Entry %s for sudo password on hosts %s HMAC verify failed.\n"%(uuid, hosts)
536          del SudoPasswd[uuid]
537
538       newentry = " ".join([uuid, status, hosts, cryptedpass])
539       if len(newldap) == 0:
540          newldap.append((ldap.MOD_REPLACE,"sudoPassword",newentry))
541       else:
542          newldap.append((ldap.MOD_ADD,"sudoPassword",newentry))
543
544    for entry in SudoPasswd:
545       result = result + "Entry %s that you confirm is not listed in ldap."%(entry)
546
547    for entry in newldap:
548       Attrs.append(entry)
549
550    return result
551
552 def connect_to_ldap_and_check_if_locked(DnRecord):
553    # Connect to the ldap server
554    l = connectLDAP()
555    F = open(PassDir+"/pass-"+pwd.getpwuid(os.getuid())[0],"r");
556    AccessPass = F.readline().strip().split(" ")
557    F.close();
558    l.simple_bind_s("uid="+AccessPass[0]+","+BaseDn,AccessPass[1]);
559
560    # Check for a locked account
561    Attrs = l.search_s(BaseDn,ldap.SCOPE_ONELEVEL,"uid="+GetAttr(DnRecord,"uid"));
562    if (GetAttr(Attrs[0],"userPassword").find("*LK*") != -1) \
563              or GetAttr(Attrs[0],"userPassword").startswith("!"):
564       raise UDNotAllowedError, "This account is locked";
565
566    return l
567
568 # Handle an [almost] arbitary change
569 def HandleChange(Reply,DnRecord,Key):
570    global PlainText;
571    Lines = re.split("\n *\r?",PlainText);
572
573    Result = "";
574    Attrs = [];
575    SudoPasswd = {}
576    Show = 0;
577    CommitChanges = 1
578    for Line in Lines: 
579       Line = Line.strip()
580       if Line == "":
581          continue;
582
583       # Try to process a command line
584       Result = Result + "> "+Line+"\n";
585       try:
586          if Line == "show":
587             Show = 1;
588             Res = "OK";
589          else:
590             badkeys = LoadBadSSH()
591             Res = DoPosition(Line,Attrs) or DoDNS(Line,Attrs,DnRecord) or \
592                   DoArbChange(Line,Attrs) or DoSSH(Line,Attrs,badkeys,GetAttr(DnRecord,"uid")) or \
593                   DoDel(Line,Attrs) or DoRBL(Line,Attrs) or DoConfirmSudopassword(Line, SudoPasswd)
594       except:
595          Res = None;
596          Result = Result + "==> %s: %s\n" %(sys.exc_type,sys.exc_value);
597
598       # Fail, if someone tries to send someone elses signed email to the
599       # daemon then we want to abort ASAP.
600       if Res == None:
601          CommitChanges = 0
602          Result = Result + "Command is not understood. Halted - no changes committed\n";
603          break;
604       Result = Result + Res + "\n";
605
606    # Connect to the ldap server
607    l = connect_to_ldap_and_check_if_locked(DnRecord)
608
609    if CommitChanges == 1 and len(SudoPasswd) > 0: # only if we are still good to go
610       try:
611          Res = FinishConfirmSudopassword(l, GetAttr(DnRecord,"uid"), Attrs, SudoPasswd)
612          if not Res is None:
613             Result = Result + Res + "\n";
614       except Error, e:
615          CommitChanges = 0
616          Result = Result + "FinishConfirmSudopassword raised an error (%s) - no changes committed\n"%(e);
617
618    if CommitChanges == 1 and len(Attrs) > 0:
619       Dn = "uid=" + GetAttr(DnRecord,"uid") + "," + BaseDn;
620       l.modify_s(Dn,Attrs);
621
622    Attribs = "";
623    if Show == 1:
624       Attrs = l.search_s(BaseDn,ldap.SCOPE_ONELEVEL,"uid="+GetAttr(DnRecord,"uid"));
625       if len(Attrs) == 0:
626          raise UDNotAllowedError, "User not found"
627       Attribs = GPGEncrypt(PrettyShow(Attrs[0])+"\n","0x"+Key[1],Key[4]);
628
629    Subst = {};
630    Subst["__FROM__"] = ChangeFrom;
631    Subst["__EMAIL__"] = EmailAddress(DnRecord);
632    Subst["__ADMIN__"] = ReplyTo;
633    Subst["__RESULT__"] = Result;
634    Subst["__ATTR__"] = Attribs;
635
636    return Reply + TemplateSubst(Subst,open(TemplatesDir+"change-reply","r").read());
637    
638 # Handle ping handles an email sent to the 'ping' address (ie this program
639 # called with a ping argument) It replies with a dump of the public records.
640 def HandlePing(Reply,DnRecord,Key):
641    Subst = {};
642    Subst["__FROM__"] = PingFrom;
643    Subst["__EMAIL__"] = EmailAddress(DnRecord);
644    Subst["__LDAPFIELDS__"] = PrettyShow(DnRecord);
645    Subst["__ADMIN__"] = ReplyTo;
646
647    return Reply + TemplateSubst(Subst,open(TemplatesDir+"ping-reply","r").read());
648
649
650
651 def get_crypttype_preamble(key):
652    if (key[4] == 1):
653       type = "Your message was encrypted using PGP 2.x\ncompatibility mode.";
654    else:
655       type = "Your message was encrypted using GPG (OpenPGP)\ncompatibility "\
656              "mode, without IDEA. This message cannot be decoded using PGP 2.x";
657    return type
658
659 # Handle a change password email sent to the change password address
660 # (this program called with the chpass argument)
661 def HandleChPass(Reply,DnRecord,Key):
662    # Generate a random password
663    Password = GenPass();
664    Pass = HashPass(Password);
665
666    # Use GPG to encrypt it      
667    Message = GPGEncrypt("Your new password is '" + Password + "'\n",\
668                         "0x"+Key[1],Key[4]);
669    Password = None;
670
671    if Message == None:
672       raise UDFormatError, "Unable to generate the encrypted reply, gpg failed.";
673
674    Subst = {};
675    Subst["__FROM__"] = ChPassFrom;
676    Subst["__EMAIL__"] = EmailAddress(DnRecord);
677    Subst["__CRYPTTYPE__"] = get_crypttype_preamble(Key)
678    Subst["__PASSWORD__"] = Message;
679    Subst["__ADMIN__"] = ReplyTo;
680    Reply = Reply + TemplateSubst(Subst,open(TemplatesDir+"passwd-changed","r").read());
681
682    l = connect_to_ldap_and_check_if_locked(DnRecord)
683    # Modify the password
684    Rec = [(ldap.MOD_REPLACE,"userPassword","{crypt}"+Pass),
685           (ldap.MOD_REPLACE,"shadowLastChange",str(int(time.time()/24/60/60)))];
686    Dn = "uid=" + GetAttr(DnRecord,"uid") + "," + BaseDn;
687    l.modify_s(Dn,Rec);
688
689    return Reply;
690
691 def HandleChTOTPSeed(Reply, DnRecord, Key):
692    # Generate a random seed
693    seed = binascii.hexlify(open("/dev/urandom", "r").read(32))
694    msg = GPGEncrypt("Your new TOTP seed is '%s'\n" % (seed,), "0x"+Key[1],Key[4]);
695
696    if msg is None:
697       raise UDFormatError, "Unable to generate the encrypted reply, gpg failed.";
698
699    Subst = {};
700    Subst["__FROM__"] = ChPassFrom
701    Subst["__EMAIL__"] = EmailAddress(DnRecord)
702    Subst["__PASSWORD__"] = msg
703    Subst["__ADMIN__"] = ReplyTo
704    Reply = Reply + TemplateSubst(Subst, open(TemplatesDir+"totp-seed-changed", "r").read())
705
706    l = connect_to_ldap_and_check_if_locked(DnRecord)
707    # Modify the password
708    Rec = [(ldap.MOD_REPLACE, "totpSeed", seed)]
709    Dn = "uid=" + GetAttr(DnRecord,"uid") + "," + BaseDn
710    l.modify_s(Dn,Rec)
711    return Reply;
712
713 def HandleChKrbPass(Reply,DnRecord,Key):
714    # Connect to the ldap server, will throw an exception if account locked.
715    l = connect_to_ldap_and_check_if_locked(DnRecord)
716
717    user = GetAttr(DnRecord,"uid")
718    krb_proc = subprocess.Popen( ('ud-krb-reset', user), stdin=subprocess.PIPE, stdout=subprocess.PIPE, stderr=subprocess.STDOUT)
719    krb_proc.stdin.close()
720    out = krb_proc.stdout.readlines()
721    krb_proc.wait()
722    exitcode = krb_proc.returncode
723
724    # Use GPG to encrypt it
725    m = "Tried to reset your kerberos principal's password.\n"
726    if exitcode == 0:
727       m += "The exitcode of the reset script was zero, indicating that everything\n"
728       m += "worked.  However, this being software who knows.  Script's output below."
729    else:
730       m += "The exitcode of the reset script was %d, indicating that something\n"%(exitcode)
731       m += "went terribly, terribly wrong.  Please consult the script's output below\n"
732       m += "for more information.  Contact the admins if you have any questions or\n"
733       m += "require assitance."
734
735    m += "\n"+''.join( map(lambda x: "| "+x, out)  )
736
737    Message = GPGEncrypt(m, "0x"+Key[1],Key[4]);
738    if Message == None:
739       raise UDFormatError, "Unable to generate the encrypted reply, gpg failed.";
740
741    Subst = {};
742    Subst["__FROM__"] = ChPassFrom;
743    Subst["__EMAIL__"] = EmailAddress(DnRecord);
744    Subst["__CRYPTTYPE__"] = get_crypttype_preamble(Key)
745    Subst["__PASSWORD__"] = Message;
746    Subst["__ADMIN__"] = ReplyTo;
747    Reply = Reply + TemplateSubst(Subst,open(TemplatesDir+"passwd-changed","r").read());
748
749    return Reply;
750
751 # Start of main program
752
753 # Drop messages from a mailer daemon.
754 if os.environ.has_key('SENDER') == 0 or len(os.environ['SENDER']) == 0:
755    sys.exit(0);
756
757 ErrMsg = "Indeterminate Error";
758 ErrType = EX_TEMPFAIL;
759 try:
760    # Startup the replay cache
761    ErrType = EX_TEMPFAIL;
762    ErrMsg = "Failed to initialize the replay cache:";
763
764    # Get the email 
765    ErrType = EX_PERMFAIL;
766    ErrMsg = "Failed to understand the email or find a signature:";
767    mail = email.parser.Parser().parse(sys.stdin);
768    Msg = GetClearSig(mail);
769
770    ErrMsg = "Message is not PGP signed:"
771    if Msg[0].find("-----BEGIN PGP SIGNED MESSAGE-----") == -1 and \
772       Msg[0].find("-----BEGIN PGP MESSAGE-----") == -1:
773       raise UDFormatError, "No PGP signature";
774    
775    # Check the signature
776    ErrMsg = "Unable to check the signature or the signature was invalid:";
777    pgp = GPGCheckSig2(Msg[0])
778
779    if not pgp.ok:
780       raise UDFormatError, pgp.why
781       
782    if pgp.text is None:
783       raise UDFormatError, "Null signature text"
784
785    # Extract the plain message text in the event of mime encoding
786    global PlainText;
787    ErrMsg = "Problem stripping MIME headers from the decoded message"
788    if Msg[1] == 1:
789       e = email.parser.Parser().parsestr(pgp.text)
790       PlainText = e.get_payload(decode=True)
791    else:
792       PlainText = pgp.text
793
794    # Connect to the ldap server
795    ErrType = EX_TEMPFAIL;
796    ErrMsg = "An error occured while performing the LDAP lookup";
797    global l;
798    l = connectLDAP()
799    l.simple_bind_s("","");
800
801    # Search for the matching key fingerprint
802    Attrs = l.search_s(BaseDn,ldap.SCOPE_ONELEVEL,"keyFingerPrint=" + pgp.key_fpr)
803
804    ErrType = EX_PERMFAIL;
805    if len(Attrs) == 0:
806       raise UDFormatError, "Key not found"
807    if len(Attrs) != 1:
808       raise UDFormatError, "Oddly your key fingerprint is assigned to more than one account.."
809
810
811    # Check the signature against the replay cache
812    RC = ReplayCache(ReplayCacheFile);
813    RC.process(pgp.sig_info)
814
815    # Determine the sender address
816    ErrMsg = "A problem occured while trying to formulate the reply";
817    Sender = mail['Reply-To']
818    if not Sender: Sender = mail['From']
819    if not Sender: raise UDFormatError, "Unable to determine the sender's address";
820
821    # Formulate a reply
822    Date = time.strftime("%a, %d %b %Y %H:%M:%S +0000",time.gmtime(time.time()));
823    Reply = "To: %s\nReply-To: %s\nDate: %s\n" % (Sender,ReplyTo,Date);
824
825    Res = l.search_s(HostBaseDn, ldap.SCOPE_SUBTREE, '(objectClass=debianServer)', ['hostname'] )
826    # Res is a list of tuples.
827    # The tuples contain a dn (str) and a dictionary.
828    # The dictionaries map the key "hostname" to a list.
829    # These lists contain a single hostname (str).
830    ValidHostNames = reduce(lambda a,b: a+b, [value.get("hostname", []) for (dn, value) in Res], [])
831
832    # Dispatch
833    if sys.argv[1] == "ping":
834       Reply = HandlePing(Reply,Attrs[0],pgp.key_info);
835    elif sys.argv[1] == "chpass":
836       if PlainText.strip().find("Please change my Debian password") >= 0:
837          Reply = HandleChPass(Reply,Attrs[0],pgp.key_info);
838       elif PlainText.strip().find("Please change my Kerberos password") >= 0:
839          Reply = HandleChKrbPass(Reply,Attrs[0],pgp.key_info);
840       elif PlainText.strip().find("Please change my TOTP seed") >= 0:
841          Reply = HandleChTOTPSeed(Reply, Attrs[0], pgp.key_info)
842       else:
843          raise UDFormatError,"Please send a signed message where the first line of text is the string 'Please change my Debian password' or some other string we accept here.";
844    elif sys.argv[1] == "change":
845       Reply = HandleChange(Reply,Attrs[0],pgp.key_info);
846    else:
847       print sys.argv;
848       raise UDFormatError, "Incorrect Invokation";
849
850    # Send the message through sendmail      
851    ErrMsg = "A problem occured while trying to send the reply";
852    Child = os.popen("/usr/sbin/sendmail -t","w");
853 #   Child = os.popen("cat","w");
854    Child.write(Reply);
855    if Child.close() != None:
856       raise UDExecuteError, "Sendmail gave a non-zero return code";
857
858 except:
859    # Error Reply Header
860    Date = time.strftime("%a, %d %b %Y %H:%M:%S +0000",time.gmtime(time.time()));
861    ErrReplyHead = "To: %s\nReply-To: %s\nDate: %s\n" % (os.environ['SENDER'],ReplyTo,Date);
862
863    # Error Body
864    Subst = {};
865    Subst["__ERROR__"] = ErrMsg;
866    Subst["__ADMIN__"] = ReplyTo;
867
868    Trace = "==> %s: %s\n" %(sys.exc_type,sys.exc_value);
869    List = traceback.extract_tb(sys.exc_traceback);
870    if len(List) > 1:
871       Trace = Trace + "Python Stack Trace:\n";
872       for x in List:
873          Trace = Trace +  "   %s %s:%u: %s\n" %(x[2],x[0],x[1],x[3]);
874
875    Subst["__TRACE__"] = Trace;
876
877    # Try to send the bounce
878    try:
879       ErrReply = TemplateSubst(Subst,open(TemplatesDir+"error-reply","r").read());
880
881       Child = os.popen("/usr/sbin/sendmail -t -oi -f ''","w");
882       Child.write(ErrReplyHead);
883       Child.write(ErrReply);
884       if Child.close() != None:
885          raise UDExecuteError, "Sendmail gave a non-zero return code";
886    except:
887       sys.exit(EX_TEMPFAIL);
888       
889    if ErrType != EX_PERMFAIL:
890       sys.exit(ErrType);
891    sys.exit(0);
892
893 # vim:set et:
894 # vim:set ts=3:
895 # vim:set shiftwidth=3: