Act on sudopassword confirms even if nothing else gets touched
[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
15 from userdir_gpg import *
16 from userdir_ldap import *
17 from userdir_exceptions import *
18
19 # Error codes from /usr/include/sysexits.h
20 ReplyTo = ConfModule.replyto;
21 PingFrom = ConfModule.pingfrom;
22 ChPassFrom = ConfModule.chpassfrom;
23 ChangeFrom = ConfModule.changefrom;
24 ReplayCacheFile = ConfModule.replaycachefile;
25 SSHFingerprintFile = ConfModule.fingerprintfile
26
27 UUID_FORMAT = '[0-9a-f]{8}-[0-9a-f]{4}-[0-9a-f]{4}-[0-9a-f]{4}-[0-9a-f]{12}'
28
29 EX_TEMPFAIL = 75;
30 EX_PERMFAIL = 65;      # EX_DATAERR
31 Error = 'Message Error';
32 SeenKey = 0;
33 SeenDNS = 0;
34 mailRBL = {}
35 mailRHSBL = {}
36 mailWhitelist = {}
37 SeenList = {}
38 DNS = {}
39 SudoPasswd = {}
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
327    if int(g[0]) < 1024:
328       try:
329          # Body
330          Subst["__ERROR__"] = "SSH keysize %s is below limit 1024" % (g[0])
331          ErrReply = TemplateSubst(Subst,open(TemplatesDir+"admin-info","r").read())
332
333          Child = os.popen("/usr/sbin/sendmail -t","w")
334          Child.write(ErrReplyHead)
335          Child.write(ErrReply)
336          if Child.close() != None:
337             raise UDExecuteError, "Sendmail gave a non-zero return code"
338       except:
339          sys.exit(EX_TEMPFAIL)
340
341       # And now break and stop processing input, which sends a reply to the user.
342       raise UDFormatError, "SSH keys must have at least 1024 bits, processing halted, NOTHING MODIFIED AT ALL"
343    elif g[1] in badkeys:
344       try:
345          # Body
346          Subst["__ERROR__"] = "SSH key with fingerprint %s known as bad key" % (g[1])
347          ErrReply = TemplateSubst(Subst,open(TemplatesDir+"admin-info","r").read())
348
349          Child = os.popen("/usr/sbin/sendmail -t","w")
350          Child.write(ErrReplyHead)
351          Child.write(ErrReply)
352          if Child.close() != None:
353             raise UDExecuteError, "Sendmail gave a non-zero return code"
354       except:
355          sys.exit(EX_TEMPFAIL)
356
357       # And now break and stop processing input, which sends a reply to the user.
358       raise UDFormatError, "Submitted SSH Key known to be bad and insecure, processing halted, NOTHING MODIFIED AT ALL"
359
360    if (typekey == "dss"):
361       return "DSA keys not accepted anymore"
362
363    global SeenKey;
364    if SeenKey:
365      Attrs.append((ldap.MOD_ADD,"sshRSAAuthKey",Str));
366      return "SSH Key added "+FormatSSHAuth(Str);
367       
368    Attrs.append((ldap.MOD_REPLACE,"sshRSAAuthKey",Str));
369    SeenKey = 1;
370    return "SSH Keys replaced with "+FormatSSHAuth(Str);
371
372 # Handle changing a dns entry
373 #  host IN A     12.12.12.12
374 #  host IN AAAA  1234::5678
375 #  host IN CNAME foo.bar.    <- Trailing dot is required
376 #  host IN MX    foo.bar.    <- Trailing dot is required
377 def DoDNS(Str,Attrs,DnRecord):
378    cnamerecord = re.match("^[-\w]+\s+IN\s+CNAME\s+([-\w.]+\.)$",Str,re.IGNORECASE)
379    arecord     = re.match('^[-\w]+\s+IN\s+A\s+(\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3})$',Str,re.IGNORECASE)
380    mxrecord    = re.match("^[-\w]+\s+IN\s+MX\s+(\d{1,3})\s+([-\w.]+\.)$",Str,re.IGNORECASE)
381    txtrecord   = re.match("^[-\w]+\s+IN\s+TXT\s+([-\d. a-z\t<>@]+)", Str, re.IGNORECASE)
382    #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)
383    aaaarecord  = re.match('^[-\w]+\s+IN\s+AAAA\s+([A-F0-9:]{2,39})$',Str,re.IGNORECASE)
384
385    if cnamerecord is None and\
386       arecord is None and\
387       mxrecord is None and\
388       txtrecord is None and\
389       aaaarecord is None:
390      return None;
391
392    # Check if the name is already taken
393    G = re.match('^([-\w+]+)\s',Str)
394    if G is None:
395      raise UDFormatError, "Hostname not found although we already passed record syntax checks"
396    hostname = G.group(1)
397
398    # Check for collisions
399    global l;
400    # [JT 20070409 - search for both tab and space suffixed hostnames
401    #  since we accept either.  It'd probably be better to parse the
402    #  incoming string in order to construct what we feed LDAP rather
403    #  than just passing it through as is.]
404    filter = "(|(dnsZoneEntry=%s *)(dnsZoneEntry=%s *))" % (hostname, hostname)
405    Rec = l.search_s(BaseDn,ldap.SCOPE_ONELEVEL,filter,["uid"]);
406    for x in Rec:
407       if GetAttr(x,"uid") != GetAttr(DnRecord,"uid"):
408          return "DNS entry is already owned by " + GetAttr(x,"uid")
409
410    global SeenDNS;
411    global DNS;
412
413    if cnamerecord:
414      if DNS.has_key(hostname):
415        return "CNAME and other RR types not allowed: "+Str
416      else:
417        DNS[hostname] = 2
418    else:
419      if DNS.has_key(hostname) and DNS[hostname] == 2:
420        return "CNAME and other RR types not allowed: "+Str
421      else:
422        DNS[hostname] = 1
423
424    if cnamerecord is not None:
425      sanitized = "%s IN CNAME %s" % (hostname, cnamerecord.group(1))
426    elif txtrecord is not None:
427       sanitized = "%s IN TXT %s" % (hostname, txtrecord.group(1))
428    elif arecord is not None:
429      ipaddress = arecord.group(1)
430      for quad in ipaddress.split('.'):
431        if not (int(quad) >=0 and int(quad) <= 255):
432          return "Invalid quad %s in IP address %s in line %s" %(quad, ipaddress, Str)
433      sanitized = "%s IN A %s"% (hostname, ipaddress)
434    elif mxrecord is not None:
435      priority = mxrecord.group(1)
436      mx = mxrecord.group(2)
437      sanitized = "%s IN MX %s %s" % (hostname, priority, mx)
438    elif aaaarecord is not None:
439      ipv6address = aaaarecord.group(1)
440      parts = ipv6address.split(':')
441      if len(parts) > 8:
442        return "Invalid IPv6 address (%s): too many parts"%(ipv6address)
443      if len(parts) <= 2:
444        return "Invalid IPv6 address (%s): too few parts"%(ipv6address)
445      if parts[0] == "":
446        parts.pop(0)
447      if parts[-1] == "":
448        parts.pop(-1)
449      seenEmptypart = False
450      for p in parts:
451        if len(p) > 4:
452          return "Invalid IPv6 address (%s): part %s is longer than 4 characters"%(ipv6address, p)
453        if p == "":
454          if seenEmptypart:
455            return "Invalid IPv6 address (%s): more than one :: (nothing in between colons) is not allowed"%(ipv6address)
456          seenEmptypart = True
457      sanitized = "%s IN AAAA %s" % (hostname, ipv6address)
458    else:
459      raise UDFormatError, "None of the types I recognize was it.  I shouldn't be here.  confused."
460
461    if SeenDNS:
462      Attrs.append((ldap.MOD_ADD,"dnsZoneEntry",sanitized));
463      return "DNS Entry added "+sanitized;
464
465    Attrs.append((ldap.MOD_REPLACE,"dnsZoneEntry",sanitized));
466    SeenDNS = 1;
467    return "DNS Entry replaced with "+sanitized;
468
469 # Handle an RBL list (mailRBL, mailRHSBL, mailWhitelist)
470 def DoRBL(Str,Attrs):
471    Match = re.compile('^mail(rbl|rhsbl|whitelist) ([-a-z0-9.]+)$').match(Str.lower())
472    if Match == None:
473       return None
474    
475    if Match.group(1) == "rbl":
476       Key = "mailRBL"
477    if Match.group(1) == "rhsbl":
478       Key = "mailRHSBL"
479    if Match.group(1) == "whitelist":
480       Key = "mailWhitelist"
481    Host = Match.group(2)
482
483    global SeenList
484    if SeenList.has_key(Key):
485      Attrs.append((ldap.MOD_ADD,Key,Host))
486      return "%s added %s" % (Key,Host)
487       
488    Attrs.append((ldap.MOD_REPLACE,Key,Host))
489    SeenList[Key] = 1;
490    return "%s replaced with %s" % (Key,Host)
491
492 # Handle a ConfirmSudoPassword request
493 def DoConfirmSudopassword(Str):
494    Match = re.compile('^confirm sudopassword ('+UUID_FORMAT+') ([a-z0-9.,*]+) ([0-9a-f]{40})$').match(Str)
495    if Match == None:
496       return None
497
498    uuid = Match.group(1)
499    hosts = Match.group(2)
500    hmac = Match.group(3)
501
502    global SudoPasswd
503    SudoPasswd[uuid] = (hosts, hmac)
504    return "got confirm for sudo password %s on host(s) %s, auth code %s" % (uuid,hosts, hmac)
505
506 def FinishConfirmSudopassword(l, uid, Attrs):
507    global SudoPasswd
508    result = "\n"
509
510    if len(SudoPasswd) == 0:
511        return None
512
513    res = l.search_s(BaseDn,ldap.SCOPE_ONELEVEL,"uid="+uid, ['sudoPassword']);
514    if len(res) != 1:
515       raise UDFormatError, "Not exactly one hit when searching for user"
516    if res[0][1].has_key('sudoPassword'):
517       inldap = res[0][1]['sudoPassword']
518    else:
519       inldap = []
520
521    newldap = []
522    for entry in inldap:
523       Match = re.compile('^('+UUID_FORMAT+') (confirmed:[0-9a-f]{40}|unconfirmed) ([a-z0-9.,*]+) ([^ ]+)$').match(entry)
524       if Match == None:
525          raise UDFormatError, "Could not parse existing sudopasswd entry"
526       uuid = Match.group(1)
527       status = Match.group(2)
528       hosts = Match.group(3)
529       cryptedpass = Match.group(4)
530
531       if SudoPasswd.has_key(uuid):
532          confirmedHosts = SudoPasswd[uuid][0]
533          confirmedHmac = SudoPasswd[uuid][1]
534          if status.startswith('confirmed:'):
535             if status == 'confirmed:'+make_passwd_hmac('password-is-confirmed', 'sudo', uid, uuid, hosts, cryptedpass):
536                result = result + "Entry %s for sudo password on hosts %s already confirmed.\n"%(uuid, hosts)
537             else:
538                result = result + "Entry %s for sudo password on hosts %s is listed as confirmed, but HMAC does not verify.\n"%(uuid, hosts)
539          elif confirmedHosts != hosts:
540             result = result + "Entry %s hostlist mismatch (%s vs. %s).\n"%(uuid, hosts, confirmedHosts)
541          elif make_passwd_hmac('confirm-new-password', 'sudo', uid, uuid, hosts, cryptedpass) == confirmedHmac:
542             result = result + "Entry %s for sudo password on hosts %s now confirmed.\n"%(uuid, hosts)
543             status = 'confirmed:'+make_passwd_hmac('password-is-confirmed', 'sudo', uid, uuid, hosts, cryptedpass)
544          else:
545             result = result + "Entry %s for sudo password on hosts %s HMAC verify failed.\n"%(uuid, hosts)
546          del SudoPasswd[uuid]
547
548       newentry = " ".join([uuid, status, hosts, cryptedpass])
549       if len(newldap) == 0:
550          newldap.append((ldap.MOD_REPLACE,"sudoPassword",newentry))
551       else:
552          newldap.append((ldap.MOD_ADD,"sudoPassword",newentry))
553
554    for entry in SudoPasswd:
555       result = result + "Entry %s that you confirm is not listed in ldap."%(entry)
556
557    for entry in newldap:
558       Attrs.append(entry)
559
560    return result
561
562 def connect_to_ldap_and_check_if_locked(DnRecord):
563    # Connect to the ldap server
564    l = connectLDAP()
565    F = open(PassDir+"/pass-"+pwd.getpwuid(os.getuid())[0],"r");
566    AccessPass = F.readline().strip().split(" ")
567    F.close();
568    l.simple_bind_s("uid="+AccessPass[0]+","+BaseDn,AccessPass[1]);
569
570    # Check for a locked account
571    Attrs = l.search_s(BaseDn,ldap.SCOPE_ONELEVEL,"uid="+GetAttr(DnRecord,"uid"));
572    if (GetAttr(Attrs[0],"userPassword").find("*LK*") != -1) \
573              or GetAttr(Attrs[0],"userPassword").startswith("!"):
574       raise UDNotAllowedError, "This account is locked";
575
576    return l
577
578 # Handle an [almost] arbitary change
579 def HandleChange(Reply,DnRecord,Key):
580    global PlainText;
581    Lines = re.split("\n *\r?",PlainText);
582
583    Result = "";
584    Attrs = [];
585    Show = 0;
586    CommitChanges = 1
587    for Line in Lines: 
588       Line = Line.strip()
589       if Line == "":
590          continue;
591
592       # Try to process a command line
593       Result = Result + "> "+Line+"\n";
594       try:
595          if Line == "show":
596             Show = 1;
597             Res = "OK";
598          else:
599             badkeys = LoadBadSSH()
600             Res = DoPosition(Line,Attrs) or DoDNS(Line,Attrs,DnRecord) or \
601                   DoArbChange(Line,Attrs) or DoSSH(Line,Attrs,badkeys,GetAttr(DnRecord,"uid")) or \
602                   DoDel(Line,Attrs) or DoRBL(Line,Attrs) or DoConfirmSudopassword(Line)
603       except:
604          Res = None;
605          Result = Result + "==> %s: %s\n" %(sys.exc_type,sys.exc_value);
606
607       # Fail, if someone tries to send someone elses signed email to the
608       # daemon then we want to abort ASAP.
609       if Res == None:
610          CommitChanges = 0
611          Result = Result + "Command is not understood. Halted - no changes committed\n";
612          break;
613       Result = Result + Res + "\n";
614
615    # Connect to the ldap server
616    l = connect_to_ldap_and_check_if_locked(DnRecord)
617
618    if CommitChanges == 1 and len(SudoPasswd) > 0: # only if we are still good to go
619       try:
620          Res = FinishConfirmSudopassword(l, GetAttr(DnRecord,"uid"), Attrs)
621          if not Res is None:
622             Result = Result + Res + "\n";
623       except Error, e:
624          CommitChanges = 0
625          Result = Result + "FinishConfirmSudopassword raised an error (%s) - no changes committed\n"%(e);
626
627    if CommitChanges == 1 and len(Attrs) > 0:
628       Dn = "uid=" + GetAttr(DnRecord,"uid") + "," + BaseDn;
629       l.modify_s(Dn,Attrs);
630
631    Attribs = "";
632    if Show == 1:
633       Attrs = l.search_s(BaseDn,ldap.SCOPE_ONELEVEL,"uid="+GetAttr(DnRecord,"uid"));
634       if len(Attrs) == 0:
635          raise UDNotAllowedError, "User not found"
636       Attribs = GPGEncrypt(PrettyShow(Attrs[0])+"\n","0x"+Key[1],Key[4]);
637
638    Subst = {};
639    Subst["__FROM__"] = ChangeFrom;
640    Subst["__EMAIL__"] = EmailAddress(DnRecord);
641    Subst["__ADMIN__"] = ReplyTo;
642    Subst["__RESULT__"] = Result;
643    Subst["__ATTR__"] = Attribs;
644
645    return Reply + TemplateSubst(Subst,open(TemplatesDir+"change-reply","r").read());
646    
647 # Handle ping handles an email sent to the 'ping' address (ie this program
648 # called with a ping argument) It replies with a dump of the public records.
649 def HandlePing(Reply,DnRecord,Key):
650    Subst = {};
651    Subst["__FROM__"] = PingFrom;
652    Subst["__EMAIL__"] = EmailAddress(DnRecord);
653    Subst["__LDAPFIELDS__"] = PrettyShow(DnRecord);
654    Subst["__ADMIN__"] = ReplyTo;
655
656    return Reply + TemplateSubst(Subst,open(TemplatesDir+"ping-reply","r").read());
657
658
659
660 def get_crypttype_preamble(key):
661    if (key[4] == 1):
662       type = "Your message was encrypted using PGP 2.x\ncompatibility mode.";
663    else:
664       type = "Your message was encrypted using GPG (OpenPGP)\ncompatibility "\
665              "mode, without IDEA. This message cannot be decoded using PGP 2.x";
666    return type
667
668 # Handle a change password email sent to the change password address
669 # (this program called with the chpass argument)
670 def HandleChPass(Reply,DnRecord,Key):
671    # Generate a random password
672    Password = GenPass();
673    Pass = HashPass(Password);
674
675    # Use GPG to encrypt it      
676    Message = GPGEncrypt("Your new password is '" + Password + "'\n",\
677                         "0x"+Key[1],Key[4]);
678    Password = None;
679
680    if Message == None:
681       raise UDFormatError, "Unable to generate the encrypted reply, gpg failed.";
682
683    Subst = {};
684    Subst["__FROM__"] = ChPassFrom;
685    Subst["__EMAIL__"] = EmailAddress(DnRecord);
686    Subst["__CRYPTTYPE__"] = get_crypttype_preamble(Key)
687    Subst["__PASSWORD__"] = Message;
688    Subst["__ADMIN__"] = ReplyTo;
689    Reply = Reply + TemplateSubst(Subst,open(TemplatesDir+"passwd-changed","r").read());
690
691    l = connect_to_ldap_and_check_if_locked(DnRecord)
692    # Modify the password
693    Rec = [(ldap.MOD_REPLACE,"userPassword","{crypt}"+Pass),
694           (ldap.MOD_REPLACE,"shadowLastChange",str(int(time.time()/24/60/60)))];
695    Dn = "uid=" + GetAttr(DnRecord,"uid") + "," + BaseDn;
696    l.modify_s(Dn,Rec);
697
698    return Reply;
699
700 def HandleChKrbPass(Reply,DnRecord,Key):
701    # Connect to the ldap server, will throw an exception if account locked.
702    l = connect_to_ldap_and_check_if_locked(DnRecord)
703
704    user = GetAttr(DnRecord,"uid")
705    krb_proc = subprocess.Popen( ('ud-krb-reset', user), stdin=subprocess.PIPE, stdout=subprocess.PIPE, stderr=subprocess.STDOUT)
706    krb_proc.stdin.close()
707    out = krb_proc.stdout.readlines()
708    krb_proc.wait()
709    exitcode = krb_proc.returncode
710
711    # Use GPG to encrypt it
712    m = "Tried to reset your kerberos principal's password.\n"
713    if exitcode == 0:
714       m += "The exitcode of the reset script was zero, indicating that everything\n"
715       m += "worked.  However, this being software who knows.  Script's output below."
716    else:
717       m += "The exitcode of the reset script was %d, indicating that something\n"%(exitcode)
718       m += "went terribly, terribly wrong.  Please consult the script's output below\n"
719       m += "for more information.  Contact the admins if you have any questions or\n"
720       m += "require assitance."
721
722    m += "\n"+''.join( map(lambda x: "| "+x, out)  )
723
724    Message = GPGEncrypt(m, "0x"+Key[1],Key[4]);
725    if Message == None:
726       raise UDFormatError, "Unable to generate the encrypted reply, gpg failed.";
727
728    Subst = {};
729    Subst["__FROM__"] = ChPassFrom;
730    Subst["__EMAIL__"] = EmailAddress(DnRecord);
731    Subst["__CRYPTTYPE__"] = get_crypttype_preamble(Key)
732    Subst["__PASSWORD__"] = Message;
733    Subst["__ADMIN__"] = ReplyTo;
734    Reply = Reply + TemplateSubst(Subst,open(TemplatesDir+"passwd-changed","r").read());
735
736    return Reply;
737
738 # Start of main program
739
740 # Drop messages from a mailer daemon.
741 if os.environ.has_key('SENDER') == 0 or len(os.environ['SENDER']) == 0:
742    sys.exit(0);
743
744 ErrMsg = "Indeterminate Error";
745 ErrType = EX_TEMPFAIL;
746 try:
747    # Startup the replay cache
748    ErrType = EX_TEMPFAIL;
749    ErrMsg = "Failed to initialize the replay cache:";
750
751    # Get the email 
752    ErrType = EX_PERMFAIL;
753    ErrMsg = "Failed to understand the email or find a signature:";
754    mail = email.parser.Parser().parse(sys.stdin);
755    Msg = GetClearSig(mail);
756
757    ErrMsg = "Message is not PGP signed:"
758    if Msg[0].find("-----BEGIN PGP SIGNED MESSAGE-----") == -1 and \
759       Msg[0].find("-----BEGIN PGP MESSAGE-----") == -1:
760       raise UDFormatError, "No PGP signature";
761    
762    # Check the signature
763    ErrMsg = "Unable to check the signature or the signature was invalid:";
764    pgp = GPGCheckSig2(Msg[0])
765
766    if not pgp.ok:
767       raise UDFormatError, pgp.why
768       
769    if pgp.text is None:
770       raise UDFormatError, "Null signature text"
771
772    # Extract the plain message text in the event of mime encoding
773    global PlainText;
774    ErrMsg = "Problem stripping MIME headers from the decoded message"
775    if Msg[1] == 1:
776       e = email.parser.Parser().parsestr(pgp.text)
777       PlainText = e.get_payload(decode=True)
778    else:
779       PlainText = pgp.text
780
781    # Connect to the ldap server
782    ErrType = EX_TEMPFAIL;
783    ErrMsg = "An error occured while performing the LDAP lookup";
784    global l;
785    l = connectLDAP()
786    l.simple_bind_s("","");
787
788    # Search for the matching key fingerprint
789    Attrs = l.search_s(BaseDn,ldap.SCOPE_ONELEVEL,"keyFingerPrint=" + pgp.key_fpr)
790
791    ErrType = EX_PERMFAIL;
792    if len(Attrs) == 0:
793       raise UDFormatError, "Key not found"
794    if len(Attrs) != 1:
795       raise UDFormatError, "Oddly your key fingerprint is assigned to more than one account.."
796
797
798    # Check the signature against the replay cache
799    RC = ReplayCache(ReplayCacheFile);
800    RC.process(pgp.sig_info)
801
802    # Determine the sender address
803    ErrMsg = "A problem occured while trying to formulate the reply";
804    Sender = mail['Reply-To']
805    if not Sender: Sender = mail['From']
806    if not Sender: raise UDFormatError, "Unable to determine the sender's address";
807
808    # Formulate a reply
809    Date = time.strftime("%a, %d %b %Y %H:%M:%S +0000",time.gmtime(time.time()));
810    Reply = "To: %s\nReply-To: %s\nDate: %s\n" % (Sender,ReplyTo,Date);
811
812    Res = l.search_s(HostBaseDn, ldap.SCOPE_SUBTREE, '(objectClass=debianServer)', ['hostname'] )
813    # Res is a list of tuples.
814    # The tuples contain a dn (str) and a dictionary.
815    # The dictionaries map the key "hostname" to a list.
816    # These lists contain a single hostname (str).
817    ValidHostNames = reduce(lambda a,b: a+b, [value.get("hostname", []) for (dn, value) in Res], [])
818
819    # Dispatch
820    if sys.argv[1] == "ping":
821       Reply = HandlePing(Reply,Attrs[0],pgp.key_info);
822    elif sys.argv[1] == "chpass":
823       if PlainText.strip().find("Please change my Debian password") >= 0:
824          Reply = HandleChPass(Reply,Attrs[0],pgp.key_info);
825       elif PlainText.strip().find("Please change my Kerberos password") >= 0:
826          Reply = HandleChKrbPass(Reply,Attrs[0],pgp.key_info);
827       else:
828          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.";
829    elif sys.argv[1] == "change":
830       Reply = HandleChange(Reply,Attrs[0],pgp.key_info);
831    else:
832       print sys.argv;
833       raise UDFormatError, "Incorrect Invokation";
834
835    # Send the message through sendmail      
836    ErrMsg = "A problem occured while trying to send the reply";
837    Child = os.popen("/usr/sbin/sendmail -t","w");
838 #   Child = os.popen("cat","w");
839    Child.write(Reply);
840    if Child.close() != None:
841       raise UDExecuteError, "Sendmail gave a non-zero return code";
842
843 except:
844    # Error Reply Header
845    Date = time.strftime("%a, %d %b %Y %H:%M:%S +0000",time.gmtime(time.time()));
846    ErrReplyHead = "To: %s\nReply-To: %s\nDate: %s\n" % (os.environ['SENDER'],ReplyTo,Date);
847
848    # Error Body
849    Subst = {};
850    Subst["__ERROR__"] = ErrMsg;
851    Subst["__ADMIN__"] = ReplyTo;
852
853    Trace = "==> %s: %s\n" %(sys.exc_type,sys.exc_value);
854    List = traceback.extract_tb(sys.exc_traceback);
855    if len(List) > 1:
856       Trace = Trace + "Python Stack Trace:\n";
857       for x in List:
858          Trace = Trace +  "   %s %s:%u: %s\n" %(x[2],x[0],x[1],x[3]);
859
860    Subst["__TRACE__"] = Trace;
861
862    # Try to send the bounce
863    try:
864       ErrReply = TemplateSubst(Subst,open(TemplatesDir+"error-reply","r").read());
865
866       Child = os.popen("/usr/sbin/sendmail -t -oi -f ''","w");
867       Child.write(ErrReplyHead);
868       Child.write(ErrReply);
869       if Child.close() != None:
870          raise UDExecuteError, "Sendmail gave a non-zero return code";
871    except:
872       sys.exit(EX_TEMPFAIL);
873       
874    if ErrType != EX_PERMFAIL:
875       sys.exit(ErrType);
876    sys.exit(0);
877
878 # vim:set et:
879 # vim:set ts=3:
880 # vim:set shiftwidth=3: