e853056a7950eea8ca5ca8e3ccbfebb6966c78a6
[mirror/userdir-ldap.git] / ud-mailgate
1 #!/usr/bin/env python
2 # -*- mode: python -*-
3 import userdir_gpg, userdir_ldap, sys, traceback, time, ldap, os;
4 import string, pwd
5 from userdir_gpg import *;
6 from userdir_ldap import *;
7
8 # Error codes from /usr/include/sysexits.h
9 ReplyTo = ConfModule.replyto;
10 PingFrom = ConfModule.pingfrom;
11 ChPassFrom = ConfModule.chpassfrom;
12 ChangeFrom = ConfModule.changefrom;
13 ReplayCacheFile = ConfModule.replaycachefile;
14
15 EX_TEMPFAIL = 75;
16 EX_PERMFAIL = 65;      # EX_DATAERR
17 Error = 'Message Error';
18 SeenKey = 0;
19 SeenDNS = 0;
20 DNS = {}
21
22 ArbChanges = {"c": "..",
23               "l": ".*",
24               "facsimileTelephoneNumber": ".*",
25               "telephoneNumber": ".*",
26               "postalAddress": ".*",
27               "postalCode": ".*",
28               "loginShell": ".*",
29               "emailForward": "^([^<>@]+@.+)?$",
30               "ircNick": ".*",
31               "icqUin": "^[0-9]*$",
32               "onVacation": ".*",
33               "labeledURI": ".*"};
34
35 DelItems = {"c": None,
36             "l": None,
37             "facsimileTelephoneNumber": None,
38             "telephoneNumber": None,
39             "postalAddress": None,
40             "postalCode": None,
41             "emailForward": None,
42             "ircNick": None,
43             "onVacation": None,
44             "labeledURI": None,
45             "latitude": None,
46             "longitude": None,
47             "icqUin": None,
48             "dnsZoneEntry": None,
49             "sshRSAAuthKey": None,
50             "sshDSAAuthKey": None};
51
52 # Decode a GPS location from some common forms
53 def LocDecode(Str,Dir):
54    # Check for Decimal degrees, DGM, or DGMS
55    if re.match("^[+-]?[\d.]+$",Str) != None:
56       return Str;
57
58    Deg = '0'; Min = None; Sec = None; Dr = Dir[0];
59    
60    # Check for DDDxMM.MMMM where x = [nsew]
61    Match = re.match("^(\d+)(["+Dir+"])([\d.]+)$",Str);
62    if Match != None:
63       G = Match.groups();
64       Deg = G[0]; Min = G[2]; Dr = G[1];
65
66    # Check for DD.DD x 
67    Match = re.match("^([\d.]+) ?(["+Dir+"])$",Str);
68    if Match != None:
69       G = Match.groups();
70       Deg = G[0]; Dr = G[1];
71
72    # Check for DD:MM.MM x 
73    Match = re.match("^(\d+):([\d.]+) ?(["+Dir+"])$",Str);
74    if Match != None:
75       G = Match.groups();
76       Deg = G[0]; Min = G[1]; Dr = G[2];
77
78    # Check for DD:MM:SS.SS x
79    Match = re.match("^(\d+):(\d+):([\d.]+) ?(["+Dir+"])$",Str);
80    if Match != None:
81       G = Match.groups();
82       Deg = G[0]; Min = G[1]; Sec = G[2]; Dr = G[3];
83       
84    # Some simple checks
85    if float(Deg) > 180:
86       raise "Failed","Bad degrees";
87    if Min != None and float(Min) > 60:
88       raise "Failed","Bad minutes";
89    if Sec != None and float(Sec) > 60:
90       raise "Failed","Bad seconds";
91       
92    # Pad on an extra leading 0 to disambiguate small numbers
93    if len(Deg) <= 1 or Deg[1] == '.':
94       Deg = '0' + Deg;
95    if Min != None and (len(Min) <= 1 or Min[1] == '.'):
96       Min = '0' + Min;
97    if Sec != None and (len(Sec) <= 1 or Sec[1] == '.'):
98       Sec = '0' + Sec;
99    
100    # Construct a DGM/DGMS type value from the components.
101    Res = "+"
102    if Dr == Dir[1]:
103       Res = "-";
104    Res = Res + Deg;
105    if Min != None:
106       Res = Res + Min;
107    if Sec != None:
108       Res = Res + Sec;
109    return Res;
110               
111 # Handle changing a set of arbitary fields
112 #  <field>: value
113 def DoArbChange(Str,Attrs):
114    Match = re.match("^([^ :]+): (.*)$",Str);
115    if Match == None:
116       return None;
117    G = Match.groups();
118
119    attrName = G[0].lower();
120    for i in ArbChanges.keys():
121       if i.lower() == attrName:
122          attrName = i;
123          break;
124    if ArbChanges.has_key(attrName) == 0:
125       return None;
126
127    if re.match(ArbChanges[attrName],G[1]) == None:
128       raise Error, "Item does not match the required format"+ArbChanges[attrName];
129
130    Attrs.append((ldap.MOD_REPLACE,attrName,G[1]));
131    return "Changed entry %s to %s"%(attrName,G[1]);
132
133 # Handle changing a set of arbitary fields
134 #  <field>: value
135 def DoDel(Str,Attrs):
136    Match = re.match("^del (.*)$",Str);
137    if Match == None:
138       return None;
139    G = Match.groups();
140
141    attrName = G[0].lower();
142    for i in DelItems.keys():
143       if i.lower() == attrName:
144          attrName = i;
145          break;
146    if DelItems.has_key(attrName) == 0:
147       return "Cannot erase entry %s"%(attrName);
148
149    Attrs.append((ldap.MOD_DELETE,attrName,None));
150    return "Removed entry %s"%(attrName);
151
152 # Handle a position change message, the line format is:
153 #  Lat: -12412.23 Long: +12341.2342
154 def DoPosition(Str,Attrs):
155    Match = re.match("^lat: ([+\-]?[\d:.ns]+(?: ?[ns])?) long: ([+\-]?[\d:.ew]+(?: ?[ew])?)$",string.lower(Str));
156    if Match == None:
157       return None;
158
159    G = Match.groups();
160    try:
161       sLat = LocDecode(G[0],"ns");
162       sLong = LocDecode(G[1],"ew");
163       Lat = DecDegree(sLat,1);
164       Long = DecDegree(sLong,1);
165    except:
166       raise Error, "Positions were found, but they are not correctly formed";
167
168    Attrs.append((ldap.MOD_REPLACE,"latitude",sLat));
169    Attrs.append((ldap.MOD_REPLACE,"longitude",sLong));
170    return "Position set to %s/%s (%s/%s decimal degrees)"%(sLat,sLong,Lat,Long);
171
172 # Handle an SSH authentication key, the line format is:
173 #  [options] 1024 35 13188913666680[..] [comment]
174 def DoSSH(Str,Attrs):
175    Match = SSH2AuthSplit.match(Str);
176    if Match == None:
177       return None;
178    
179    global SeenKey;
180    if SeenKey:
181      Attrs.append((ldap.MOD_ADD,"sshRSAAuthKey",Str));
182      return "SSH Key added "+FormatSSHAuth(Str);
183       
184    Attrs.append((ldap.MOD_REPLACE,"sshRSAAuthKey",Str));
185    SeenKey = 1;
186    return "SSH Keys replaced with "+FormatSSHAuth(Str);
187
188 # Handle changing a dns entry
189 #  host in a 12.12.12.12
190 #  host in cname foo.bar.    <- Trailing dot is required
191 def DoDNS(Str,Attrs,DnRecord):
192    cname = re.match("^[-\w]+\s+in\s+cname\s+[-\w.]+\.$",Str,re.IGNORECASE);
193    if re.match('^[-\w]+\s+in\s+a\s+\d{1,3}\.\d{1,3}\.\d{1,3}\.\d{1,3}$',\
194         Str,re.IGNORECASE) == None and cname == None and \
195       re.match("^[-\w]+\s+in\s+mx\s+\d{1,3}\s+[-\w.]+\.$",Str,re.IGNORECASE) == None:
196      return None;     
197
198    # Check if the name is already taken
199    G = re.match('^([-\w+]+)\s',Str).groups();
200
201    # Check for collisions
202    global l;
203    Rec = l.search_s(BaseDn,ldap.SCOPE_ONELEVEL,"dnsZoneEntry="+G[0]+" *",["uid"]);
204    for x in Rec:
205       if GetAttr(x,"uid") != GetAttr(DnRecord,"uid"):
206          return "DNS entry is already owned by " + GetAttr(x,"uid")
207
208    global SeenDNS;
209    global DNS;
210
211    if cname:
212      if DNS.has_key(G[0]):
213        return "CNAME and other RR types not allowed: "+Str
214      else:
215        DNS[G[0]] = 2
216    else:
217      if DNS.has_key(G[0]) and DNS[G[0]] == 2:
218        return "CNAME and other RR types not allowed: "+Str
219      else:
220        DNS[G[0]] = 1
221      
222    if SeenDNS:
223      Attrs.append((ldap.MOD_ADD,"dnsZoneEntry",Str));
224      return "DNS Entry added "+Str;
225       
226    Attrs.append((ldap.MOD_REPLACE,"dnsZoneEntry",Str));
227    SeenDNS = 1;
228    return "DNS Entry replaced with "+Str;
229
230 # Handle an [almost] arbitary change
231 def HandleChange(Reply,DnRecord,Key):
232    global PlainText;
233    Lines = re.split("\n *\r?",PlainText);
234
235    Result = "";
236    Attrs = [];
237    Show = 0;
238    for Line in Lines: 
239       Line = string.strip(Line);
240       if Line == "":
241          continue;
242
243       # Try to process a command line
244       Result = Result + "> "+Line+"\n";
245       try:
246          if Line == "show":
247            Show = 1;
248            Res = "OK";
249          else:
250            Res = DoPosition(Line,Attrs) or DoDNS(Line,Attrs,DnRecord) or \
251                  DoArbChange(Line,Attrs) or DoSSH(Line,Attrs) or \
252                  DoDel(Line,Attrs);
253       except:
254          Res = None;
255          Result = Result + "==> %s: %s\n" %(sys.exc_type,sys.exc_value);
256          
257       # Fail, if someone tries to send someone elses signed email to the
258       # daemon then we want to abort ASAP.
259       if Res == None:
260          Result = Result + "Command is not understood. Halted\n";
261          break;
262       Result = Result + Res + "\n";
263
264    # Connect to the ldap server
265    l = ldap.open(LDAPServer);
266    F = open(PassDir+"/pass-"+pwd.getpwuid(os.getuid())[0],"r");
267    AccessPass = string.split(string.strip(F.readline())," ");
268    F.close();
269
270    # Modify the record
271    l.simple_bind_s("uid="+AccessPass[0]+","+BaseDn,AccessPass[1]);
272    oldAttrs = l.search_s(BaseDn,ldap.SCOPE_ONELEVEL,"uid="+GetAttr(DnRecord,"uid"));
273    if (string.find(GetAttr(oldAttrs[0],"userPassword"),"*LK*")  != -1):
274       raise Error, "This account is locked";
275    Dn = "uid=" + GetAttr(DnRecord,"uid") + "," + BaseDn;
276    l.modify_s(Dn,Attrs);
277
278    Attribs = "";
279    if Show == 1:
280       Attrs = l.search_s(BaseDn,ldap.SCOPE_ONELEVEL,"uid="+GetAttr(DnRecord,"uid"));
281       if len(Attrs) == 0:
282          raise Error, "User not found"
283       Attribs = GPGEncrypt(PrettyShow(Attrs[0])+"\n","0x"+Key[1],Key[4]);
284       
285    Subst = {};
286    Subst["__FROM__"] = ChangeFrom;
287    Subst["__EMAIL__"] = EmailAddress(DnRecord);
288    Subst["__ADMIN__"] = ReplyTo;
289    Subst["__RESULT__"] = Result;
290    Subst["__ATTR__"] = Attribs;
291
292    return Reply + TemplateSubst(Subst,open(TemplatesDir+"change-reply","r").read());
293    
294 # Handle ping handles an email sent to the 'ping' address (ie this program
295 # called with a ping argument) It replies with a dump of the public records.
296 def HandlePing(Reply,DnRecord,Key):
297    Subst = {};
298    Subst["__FROM__"] = PingFrom;
299    Subst["__EMAIL__"] = EmailAddress(DnRecord);
300    Subst["__LDAPFIELDS__"] = PrettyShow(DnRecord);
301    Subst["__ADMIN__"] = ReplyTo;
302
303    return Reply + TemplateSubst(Subst,open(TemplatesDir+"ping-reply","r").read());
304
305 # Handle a change password email sent to the change password address
306 # (this program called with the chpass argument)
307 def HandleChPass(Reply,DnRecord,Key):
308    # Generate a random password
309    Password = GenPass();
310    Pass = HashPass(Password);
311       
312    # Use GPG to encrypt it      
313    Message = GPGEncrypt("Your new password is '" + Password + "'\n",\
314                         "0x"+Key[1],Key[4]);
315    Password = None;
316
317    if Message == None:
318       raise Error, "Unable to generate the encrypted reply, gpg failed.";
319
320    if (Key[4] == 1):
321       Type = "Your message was encrypted using PGP 2.x\ncompatibility mode.";
322    else:
323       Type = "Your message was encrypted using GPG (OpenPGP)\ncompatibility "\
324              "mode, without IDEA. This message cannot be decoded using PGP 2.x";
325    
326    Subst = {};
327    Subst["__FROM__"] = ChPassFrom;
328    Subst["__EMAIL__"] = EmailAddress(DnRecord);
329    Subst["__CRYPTTYPE__"] = Type;
330    Subst["__PASSWORD__"] = Message;
331    Subst["__ADMIN__"] = ReplyTo;
332    Reply = Reply + TemplateSubst(Subst,open(TemplatesDir+"passwd-changed","r").read());
333    
334    # Connect to the ldap server
335    l = ldap.open(LDAPServer);
336    F = open(PassDir+"/pass-"+pwd.getpwuid(os.getuid())[0],"r");
337    AccessPass = string.split(string.strip(F.readline())," ");
338    F.close();
339    l.simple_bind_s("uid="+AccessPass[0]+","+BaseDn,AccessPass[1]);
340
341    # Check for a locked account
342    Attrs = l.search_s(BaseDn,ldap.SCOPE_ONELEVEL,"uid="+GetAttr(DnRecord,"uid"));
343    if (string.find(GetAttr(Attrs[0],"userPassword"),"*LK*")  != -1):
344       raise Error, "This account is locked";
345
346    # Modify the password
347    Rec = [(ldap.MOD_REPLACE,"userPassword","{crypt}"+Pass)];
348    Dn = "uid=" + GetAttr(DnRecord,"uid") + "," + BaseDn;
349    l.modify_s(Dn,Rec);
350
351    return Reply;
352       
353 # Start of main program
354
355 # Drop messages from a mailer daemon.
356 if os.environ.has_key('SENDER') == 0 or len(os.environ['SENDER']) == 0:
357    sys.exit(0);
358
359 ErrMsg = "Indeterminate Error";
360 ErrType = EX_TEMPFAIL;
361 try:
362    # Startup the replay cache
363    ErrType = EX_TEMPFAIL;
364    ErrMsg = "Failed to initialize the replay cache:";
365    RC = ReplayCache(ReplayCacheFile);
366    RC.Clean();
367
368    # Get the email 
369    ErrType = EX_PERMFAIL;
370    ErrMsg = "Failed to understand the email or find a signature:";
371    Email = mimetools.Message(sys.stdin,0);
372    Msg = GetClearSig(Email);
373
374    ErrMsg = "Message is not PGP signed:"
375    if string.find(Msg[0],"-----BEGIN PGP SIGNED MESSAGE-----") == -1 and \
376       string.find(Msg[0],"-----BEGIN PGP MESSAGE-----") == -1:
377       raise Error, "No PGP signature";
378    
379    # Check the signature
380    ErrMsg = "Unable to check the signature or the signature was invalid:";
381    Res = GPGCheckSig(Msg[0]);
382
383    if Res[0] != None:
384       raise Error, Res[0];
385       
386    if Res[3] == None:
387       raise Error, "Null signature text";
388
389    # Extract the plain message text in the event of mime encoding
390    global PlainText;
391    ErrMsg = "Problem stripping MIME headers from the decoded message"
392    if Msg[1] == 1:
393       try:
394          Index = string.index(Res[3],"\n\n") + 2;
395       except ValueError:
396          Index = string.index(Res[3],"\n\r\n") + 3;
397       PlainText = Res[3][Index:];
398    else:
399       PlainText = Res[3];   
400
401    # Check the signature against the replay cache
402    ErrMsg = "The replay cache rejected your message. Check your clock!";
403    Rply = RC.Check(Res[1]);
404    if Rply != None:
405       raise Error, Rply;
406
407    # Connect to the ldap server
408    ErrType = EX_TEMPFAIL;
409    ErrMsg = "An error occured while performing the LDAP lookup";
410    global l;
411    l = ldap.open(LDAPServer);
412    l.simple_bind_s("","");
413
414    # Search for the matching key fingerprint
415    Attrs = l.search_s(BaseDn,ldap.SCOPE_ONELEVEL,"keyFingerPrint=" + Res[2][1]);
416
417    ErrType = EX_PERMFAIL;
418    if len(Attrs) == 0:
419       raise Error, "Key not found"
420    if len(Attrs) != 1:
421       raise Error, "Oddly your key fingerprint is assigned to more than one account.."
422
423    RC.Add(Res[1]);
424
425    # Determine the sender address
426    ErrMsg = "A problem occured while trying to formulate the reply";
427    Sender = Email.getheader("Reply-To");
428    if Sender == None:
429       Sender = Email.getheader("From");
430    if Sender == None:
431       raise Error, "Unable to determine the sender's address";
432
433    # Formulate a reply
434    Date = time.strftime("%a, %d %b %Y %H:%M:%S +0000",time.gmtime(time.time()));
435    Reply = "To: %s\nReply-To: %s\nDate: %s\n" % (Sender,ReplyTo,Date);
436
437    # Dispatch
438    if sys.argv[1] == "ping":
439       Reply = HandlePing(Reply,Attrs[0],Res[2]);
440    elif sys.argv[1] == "chpass":
441       if string.find(string.strip(PlainText),"Please change my Debian password") != 0:
442          raise Error,"Please send a signed message where the first line of text is the string 'Please change my Debian password'";
443       Reply = HandleChPass(Reply,Attrs[0],Res[2]);
444    elif sys.argv[1] == "change":
445       Reply = HandleChange(Reply,Attrs[0],Res[2]);
446    else:
447       print sys.argv;
448       raise Error, "Incorrect Invokation";
449
450    # Send the message through sendmail      
451    ErrMsg = "A problem occured while trying to send the reply";
452    Child = os.popen("/usr/sbin/sendmail -t","w");
453 #   Child = os.popen("cat","w");
454    Child.write(Reply);
455    if Child.close() != None:
456       raise Error, "Sendmail gave a non-zero return code";
457
458 except:
459    # Error Reply Header
460    Date = time.strftime("%a, %d %b %Y %H:%M:%S +0000",time.gmtime(time.time()));
461    ErrReplyHead = "To: %s\nReply-To: %s\nDate: %s\n" % (os.environ['SENDER'],ReplyTo,Date);
462
463    # Error Body
464    Subst = {};
465    Subst["__ERROR__"] = ErrMsg;
466    Subst["__ADMIN__"] = ReplyTo;
467
468    Trace = "==> %s: %s\n" %(sys.exc_type,sys.exc_value);
469    List = traceback.extract_tb(sys.exc_traceback);
470    if len(List) > 1:
471       Trace = Trace + "Python Stack Trace:\n";
472       for x in List:
473          Trace = Trace +  "   %s %s:%u: %s\n" %(x[2],x[0],x[1],x[3]);
474
475    Subst["__TRACE__"] = Trace;
476
477    # Try to send the bounce
478    try:
479       ErrReply = TemplateSubst(Subst,open(TemplatesDir+"error-reply","r").read());
480
481       Child = os.popen("/usr/sbin/sendmail -t","w");
482       Child.write(ErrReplyHead);
483       Child.write(ErrReply);
484       if Child.close() != None:
485          raise Error, "Sendmail gave a non-zero return code";
486    except:
487       sys.exit(EX_TEMPFAIL);
488       
489    if ErrType != EX_PERMFAIL:
490       sys.exit(ErrType);
491    sys.exit(0);
492