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