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>
10 import userdir_gpg, userdir_ldap, sys, traceback, time, ldap, os, commands
13 import email, email.parser
15 from userdir_gpg import *
16 from userdir_ldap import *
17 from userdir_exceptions import *
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
27 UUID_FORMAT = '[0-9a-f]{8}-[0-9a-f]{4}-[0-9a-f]{4}-[0-9a-f]{4}-[0-9a-f]{12}'
30 EX_PERMFAIL = 65; # EX_DATAERR
31 Error = 'Message Error';
40 ValidHostNames = [] # will be initialized in later
42 SSHFingerprint = re.compile('^(\d+) ([0-9a-f\:]{47}) (.+)$')
43 SSHRSA1Match = re.compile('^^(.* )?\d+ \d+ \d+')
45 GenderTable = {"male": '1',
53 ArbChanges = {"c": "..",
55 "facsimileTelephoneNumber": ".*",
56 "telephoneNumber": ".*",
57 "postalAddress": ".*",
61 "emailForward": "^([^<>@]+@.+)?$",
62 "jabberJID": "^([^<>@]+@.+)?$",
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)$",
73 "gender": "^(1|2|9|male|female|unspecified)$",
74 "mailContentInspectionAction": "^(reject|blackhole|markup)$",
77 DelItems = {"c": None,
79 "facsimileTelephoneNumber": None,
80 "telephoneNumber": None,
81 "postalAddress": None,
94 "sshRSAAuthKey": None,
96 "mailGreylisting": None,
100 "mailWhitelist": None,
101 "mailDisableMessage": None,
102 "mailDefaultOptions": None,
104 "mailContentInspectionAction": None,
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:
114 Deg = '0'; Min = None; Sec = None; Dr = Dir[0];
116 # Check for DDDxMM.MMMM where x = [nsew]
117 Match = re.match("^(\d+)(["+Dir+"])([\d.]+)$",Str);
120 Deg = G[0]; Min = G[2]; Dr = G[1];
123 Match = re.match("^([\d.]+) ?(["+Dir+"])$",Str);
126 Deg = G[0]; Dr = G[1];
128 # Check for DD:MM.MM x
129 Match = re.match("^(\d+):([\d.]+) ?(["+Dir+"])$",Str);
132 Deg = G[0]; Min = G[1]; Dr = G[2];
134 # Check for DD:MM:SS.SS x
135 Match = re.match("^(\d+):(\d+):([\d.]+) ?(["+Dir+"])$",Str);
138 Deg = G[0]; Min = G[1]; Sec = G[2]; Dr = G[3];
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";
148 # Pad on an extra leading 0 to disambiguate small numbers
149 if len(Deg) <= 1 or Deg[1] == '.':
151 if Min != None and (len(Min) <= 1 or Min[1] == '.'):
153 if Sec != None and (len(Sec) <= 1 or Sec[1] == '.'):
156 # Construct a DGM/DGMS type value from the components.
167 # Handle changing a set of arbitary fields
169 def DoArbChange(Str,Attrs):
170 Match = re.match("^([^ :]+): (.*)$",Str);
175 attrName = G[0].lower();
176 for i in ArbChanges.keys():
177 if i.lower() == attrName:
180 if ArbChanges.has_key(attrName) == 0:
183 if re.match(ArbChanges[attrName],G[1]) == None:
184 raise UDFormatError, "Item does not match the required format"+ArbChanges[attrName];
187 if attrName == 'gender':
188 if G[1] not in GenderTable:
189 raise UDFormatError, "Gender not found in table"
190 value = GenderTable[G[1]]
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) {
197 # if ($bd_day == 29 and ($bd_yr == 0 or ($bd_yr % 4 == 0 && ($bd_yr % 100 != 0 || $bd_yr % 400 == 0)))) {
199 # } elsif ($bd_day <= 28) {
202 # } elsif ($bd_mo == 4 or $bd_mo == 6 or $bd_mo == 9 or $bd_mo == 11) {
203 # if ($bd_day <= 30) {
207 # if ($bd_day <= 31) {
212 # } elsif (not defined($query->param('birthdate')) or $query->param('birthdate') =~ /^\s*$/) {
215 Attrs.append((ldap.MOD_REPLACE,attrName,value));
216 return "Changed entry %s to %s"%(attrName,value);
218 # Handle changing a set of arbitary fields
220 def DoDel(Str,Attrs):
221 Match = re.match("^del (.*)$",Str);
226 attrName = G[0].lower();
227 for i in DelItems.keys():
228 if i.lower() == attrName:
231 if DelItems.has_key(attrName) == 0:
232 return "Cannot erase entry %s"%(attrName);
234 Attrs.append((ldap.MOD_DELETE,attrName,None));
235 return "Removed entry %s"%(attrName);
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())
246 sLat = LocDecode(G[0],"ns");
247 sLong = LocDecode(G[1],"ew");
248 Lat = DecDegree(sLat,1);
249 Long = DecDegree(sLong,1);
251 raise UDFormatError, "Positions were found, but they are not correctly formed";
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);
257 # Load bad ssh fingerprints
259 f = open(SSHFingerprintFile, "r")
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:
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);
281 Match = SSHRSA1Match.match(Str)
282 if Match is not None:
283 return "RSA1 keys not supported anymore"
286 # lines can now be prepended with "allowed_hosts=machine1,machine2 "
288 if Str.startswith("allowed_hosts="):
289 Str = Str.split("=", 1)[1]
291 return "invalid ssh key syntax with machine specification"
292 machines, Str = Str.split(' ', 1)
293 machines = machines.split(",")
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"
302 (fd, path) = tempfile.mkstemp(".pub", "sshkeytry", "/tmp")
304 f.write("%s\n" % (Str))
306 cmd = "/usr/bin/ssh-keygen -l -f %s < /dev/null" % (path)
307 (result, output) = commands.getstatusoutput(cmd)
310 raise UDExecuteError, "ssh-keygen -l invocation failed!\n%s\n" % (output)
312 # format the string again for ldap:
314 Str = "allowed_hosts=%s %s" % (",".join(machines), Str)
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)
321 Subst["__ADMIN__"] = ReplyTo
322 Subst["__USER__"] = uid
324 Match = SSHFingerprint.match(output)
330 Subst["__ERROR__"] = "SSH keysize %s is below limit 1024" % (g[0])
331 ErrReply = TemplateSubst(Subst,open(TemplatesDir+"admin-info","r").read())
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"
339 sys.exit(EX_TEMPFAIL)
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:
346 Subst["__ERROR__"] = "SSH key with fingerprint %s known as bad key" % (g[1])
347 ErrReply = TemplateSubst(Subst,open(TemplatesDir+"admin-info","r").read())
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"
355 sys.exit(EX_TEMPFAIL)
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"
360 if (typekey == "dss"):
361 return "DSA keys not accepted anymore"
365 Attrs.append((ldap.MOD_ADD,"sshRSAAuthKey",Str));
366 return "SSH Key added "+FormatSSHAuth(Str);
368 Attrs.append((ldap.MOD_REPLACE,"sshRSAAuthKey",Str));
370 return "SSH Keys replaced with "+FormatSSHAuth(Str);
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)
385 if cnamerecord is None and\
387 mxrecord is None and\
388 txtrecord is None and\
392 # Check if the name is already taken
393 G = re.match('^([-\w+]+)\s',Str)
395 raise UDFormatError, "Hostname not found although we already passed record syntax checks"
396 hostname = G.group(1)
398 # Check for collisions
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"]);
407 if GetAttr(x,"uid") != GetAttr(DnRecord,"uid"):
408 return "DNS entry is already owned by " + GetAttr(x,"uid")
414 if DNS.has_key(hostname):
415 return "CNAME and other RR types not allowed: "+Str
419 if DNS.has_key(hostname) and DNS[hostname] == 2:
420 return "CNAME and other RR types not allowed: "+Str
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(':')
442 return "Invalid IPv6 address (%s): too many parts"%(ipv6address)
444 return "Invalid IPv6 address (%s): too few parts"%(ipv6address)
449 seenEmptypart = False
452 return "Invalid IPv6 address (%s): part %s is longer than 4 characters"%(ipv6address, p)
455 return "Invalid IPv6 address (%s): more than one :: (nothing in between colons) is not allowed"%(ipv6address)
457 sanitized = "%s IN AAAA %s" % (hostname, ipv6address)
459 raise UDFormatError, "None of the types I recognize was it. I shouldn't be here. confused."
462 Attrs.append((ldap.MOD_ADD,"dnsZoneEntry",sanitized));
463 return "DNS Entry added "+sanitized;
465 Attrs.append((ldap.MOD_REPLACE,"dnsZoneEntry",sanitized));
467 return "DNS Entry replaced with "+sanitized;
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())
475 if Match.group(1) == "rbl":
477 if Match.group(1) == "rhsbl":
479 if Match.group(1) == "whitelist":
480 Key = "mailWhitelist"
481 Host = Match.group(2)
484 if SeenList.has_key(Key):
485 Attrs.append((ldap.MOD_ADD,Key,Host))
486 return "%s added %s" % (Key,Host)
488 Attrs.append((ldap.MOD_REPLACE,Key,Host))
490 return "%s replaced with %s" % (Key,Host)
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)
498 uuid = Match.group(1)
499 hosts = Match.group(2)
500 hmac = Match.group(3)
503 SudoPasswd[uuid] = (hosts, hmac)
504 return "got confirm for sudo password %s on host(s) %s, auth code %s" % (uuid,hosts, hmac)
506 def FinishConfirmSudopassword(l, uid, Attrs):
510 if len(SudoPasswd) == 0:
513 res = l.search_s(BaseDn,ldap.SCOPE_ONELEVEL,"uid="+uid, ['sudoPassword']);
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']
523 Match = re.compile('^('+UUID_FORMAT+') (confirmed:[0-9a-f]{40}|unconfirmed) ([a-z0-9.,*]+) ([^ ]+)$').match(entry)
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)
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)
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)
545 result = result + "Entry %s for sudo password on hosts %s HMAC verify failed.\n"%(uuid, hosts)
548 newentry = " ".join([uuid, status, hosts, cryptedpass])
549 if len(newldap) == 0:
550 newldap.append((ldap.MOD_REPLACE,"sudoPassword",newentry))
552 newldap.append((ldap.MOD_ADD,"sudoPassword",newentry))
554 for entry in SudoPasswd:
555 result = result + "Entry %s that you confirm is not listed in ldap."%(entry)
557 for entry in newldap:
562 def connect_to_ldap_and_check_if_locked(DnRecord):
563 # Connect to the ldap server
565 F = open(PassDir+"/pass-"+pwd.getpwuid(os.getuid())[0],"r");
566 AccessPass = F.readline().strip().split(" ")
568 l.simple_bind_s("uid="+AccessPass[0]+","+BaseDn,AccessPass[1]);
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";
578 # Handle an [almost] arbitary change
579 def HandleChange(Reply,DnRecord,Key):
581 Lines = re.split("\n *\r?",PlainText);
592 # Try to process a command line
593 Result = Result + "> "+Line+"\n";
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)
605 Result = Result + "==> %s: %s\n" %(sys.exc_type,sys.exc_value);
607 # Fail, if someone tries to send someone elses signed email to the
608 # daemon then we want to abort ASAP.
611 Result = Result + "Command is not understood. Halted - no changes committed\n";
613 Result = Result + Res + "\n";
615 # Connect to the ldap server
616 l = connect_to_ldap_and_check_if_locked(DnRecord)
618 if CommitChanges == 1 and len(Attrs) > 0: # only if we are still good to go
620 Res = FinishConfirmSudopassword(l, GetAttr(DnRecord,"uid"), Attrs)
622 Result = Result + Res + "\n";
625 Result = Result + "FinishConfirmSudopassword raised an error (%s) - no changes committed\n"%(e);
627 if CommitChanges == 1 and len(Attrs) > 0:
628 Dn = "uid=" + GetAttr(DnRecord,"uid") + "," + BaseDn;
629 l.modify_s(Dn,Attrs);
633 Attrs = l.search_s(BaseDn,ldap.SCOPE_ONELEVEL,"uid="+GetAttr(DnRecord,"uid"));
635 raise UDNotAllowedError, "User not found"
636 Attribs = GPGEncrypt(PrettyShow(Attrs[0])+"\n","0x"+Key[1],Key[4]);
639 Subst["__FROM__"] = ChangeFrom;
640 Subst["__EMAIL__"] = EmailAddress(DnRecord);
641 Subst["__ADMIN__"] = ReplyTo;
642 Subst["__RESULT__"] = Result;
643 Subst["__ATTR__"] = Attribs;
645 return Reply + TemplateSubst(Subst,open(TemplatesDir+"change-reply","r").read());
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):
651 Subst["__FROM__"] = PingFrom;
652 Subst["__EMAIL__"] = EmailAddress(DnRecord);
653 Subst["__LDAPFIELDS__"] = PrettyShow(DnRecord);
654 Subst["__ADMIN__"] = ReplyTo;
656 return Reply + TemplateSubst(Subst,open(TemplatesDir+"ping-reply","r").read());
660 def get_crypttype_preamble(key):
662 type = "Your message was encrypted using PGP 2.x\ncompatibility mode.";
664 type = "Your message was encrypted using GPG (OpenPGP)\ncompatibility "\
665 "mode, without IDEA. This message cannot be decoded using PGP 2.x";
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);
675 # Use GPG to encrypt it
676 Message = GPGEncrypt("Your new password is '" + Password + "'\n",\
681 raise UDFormatError, "Unable to generate the encrypted reply, gpg failed.";
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());
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;
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)
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()
709 exitcode = krb_proc.returncode
711 # Use GPG to encrypt it
712 m = "Tried to reset your kerberos principal's password.\n"
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."
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."
722 m += "\n"+''.join( map(lambda x: "| "+x, out) )
724 Message = GPGEncrypt(m, "0x"+Key[1],Key[4]);
726 raise UDFormatError, "Unable to generate the encrypted reply, gpg failed.";
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());
738 # Start of main program
740 # Drop messages from a mailer daemon.
741 if os.environ.has_key('SENDER') == 0 or len(os.environ['SENDER']) == 0:
744 ErrMsg = "Indeterminate Error";
745 ErrType = EX_TEMPFAIL;
747 # Startup the replay cache
748 ErrType = EX_TEMPFAIL;
749 ErrMsg = "Failed to initialize the replay cache:";
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);
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";
762 # Check the signature
763 ErrMsg = "Unable to check the signature or the signature was invalid:";
764 pgp = GPGCheckSig2(Msg[0])
767 raise UDFormatError, pgp.why
770 raise UDFormatError, "Null signature text"
772 # Extract the plain message text in the event of mime encoding
774 ErrMsg = "Problem stripping MIME headers from the decoded message"
776 e = email.parser.Parser().parsestr(pgp.text)
777 PlainText = e.get_payload(decode=True)
781 # Connect to the ldap server
782 ErrType = EX_TEMPFAIL;
783 ErrMsg = "An error occured while performing the LDAP lookup";
786 l.simple_bind_s("","");
788 # Search for the matching key fingerprint
789 Attrs = l.search_s(BaseDn,ldap.SCOPE_ONELEVEL,"keyFingerPrint=" + pgp.key_fpr)
791 ErrType = EX_PERMFAIL;
793 raise UDFormatError, "Key not found"
795 raise UDFormatError, "Oddly your key fingerprint is assigned to more than one account.."
798 # Check the signature against the replay cache
799 RC = ReplayCache(ReplayCacheFile);
800 RC.process(pgp.sig_info)
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";
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);
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], [])
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);
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);
833 raise UDFormatError, "Incorrect Invokation";
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");
840 if Child.close() != None:
841 raise UDExecuteError, "Sendmail gave a non-zero return code";
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);
850 Subst["__ERROR__"] = ErrMsg;
851 Subst["__ADMIN__"] = ReplyTo;
853 Trace = "==> %s: %s\n" %(sys.exc_type,sys.exc_value);
854 List = traceback.extract_tb(sys.exc_traceback);
856 Trace = Trace + "Python Stack Trace:\n";
858 Trace = Trace + " %s %s:%u: %s\n" %(x[2],x[0],x[1],x[3]);
860 Subst["__TRACE__"] = Trace;
862 # Try to send the bounce
864 ErrReply = TemplateSubst(Subst,open(TemplatesDir+"error-reply","r").read());
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";
872 sys.exit(EX_TEMPFAIL);
874 if ErrType != EX_PERMFAIL:
880 # vim:set shiftwidth=3: