fetchmailconf
上传用户:xxcykj
上传日期:2007-01-04
资源大小:727k
文件大小:67k
源码类别:

Email客户端

开发平台:

Unix_Linux

  1. #!/usr/bin/env python
  2. #
  3. # A GUI configurator for generating fetchmail configuration files.
  4. # by Eric S. Raymond, <esr@snark.thyrsus.com>.
  5. # Requires Python with Tkinter, and the following OS-dependent services:
  6. # posix, posixpath, socket
  7. version = "1.20"
  8. from Tkinter import *
  9. from Dialog import *
  10. import sys, time, os, string, socket, getopt
  11. #
  12. # Define the data structures the GUIs will be tossing around
  13. #
  14. class Configuration:
  15.     def __init__(self):
  16. self.poll_interval = 0 # Normally, run in foreground
  17. self.logfile = None # No logfile, initially
  18. self.idfile = os.environ["HOME"] + "/.fetchids" # Default idfile, initially
  19.         self.postmaster = None # No last-resort address, initially
  20.         self.bouncemail = TRUE # Bounce errors to users
  21.         self.properties = None # No exiguous properties
  22. self.invisible = FALSE # Suppress Received line & spoof?
  23. self.syslog = FALSE # Use syslogd for logging?
  24. self.servers = [] # List of included sites
  25. Configuration.typemap = (
  26.     ('poll_interval', 'Int'),
  27.     ('logfile', 'String'),
  28.     ('idfile', 'String'),
  29.     ('postmaster', 'String'),
  30.     ('bouncemail', 'Boolean'),
  31.     ('properties', 'String'),
  32.     ('syslog', 'Boolean'),
  33.     ('invisible', 'Boolean'))
  34.     def __repr__(self):
  35. str = "";
  36. if self.syslog != ConfigurationDefaults.syslog:
  37.    str = str + ("set syslogn")
  38. elif self.logfile:
  39.     str = str + ("set logfile "%s"n" % (self.logfile,));
  40. if self.idfile != ConfigurationDefaults.idfile:
  41.     str = str + ("set idfile "%s"n" % (self.idfile,));
  42. if self.postmaster != ConfigurationDefaults.postmaster:
  43.     str = str + ("set postmaster "%s"n" % (self.postmaster,));
  44.         if self.bouncemail:
  45.             str = str + ("set bouncemailn")
  46.         else:
  47.             str = str + ("set nobouncemailn")
  48. if self.properties != ConfigurationDefaults.properties:
  49.     str = str + ("set properties "%s"n" % (self.properties,));
  50. if self.poll_interval > 0:
  51.     str = str + "set daemon " + `self.poll_interval` + "n"
  52. for site in self.servers:
  53.     str = str + repr(site)
  54. return str
  55.     def __delitem__(self, name):
  56.         for si in range(len(self.servers)):
  57.             if self.servers[si].pollname == name:
  58.                 del self.servers[si]
  59.                 break
  60.     def __str__(self):
  61. return "[Configuration: " + repr(self) + "]"
  62. class Server:
  63.     def __init__(self):
  64. self.pollname = None # Poll label
  65. self.via = None # True name of host
  66. self.active = TRUE # Poll status
  67. self.interval = 0 # Skip interval
  68. self.protocol = 'auto' # Default to auto protocol
  69. self.port = 0 # Port number to use
  70. self.uidl = FALSE # Don't use RFC1725 UIDLs by default
  71. self.preauth = 'password' # Default to password authentication
  72. self.timeout = 300 # 5-minute timeout
  73. self.envelope = 'Received' # Envelope-address header
  74. self.envskip = 0 # Number of envelope headers to skip
  75. self.qvirtual = None # Name prefix to strip
  76. self.aka = [] # List of DNS aka names
  77. self.dns = TRUE # Enable DNS lookup on multidrop
  78. self.localdomains = [] # Domains to be considered local
  79. self.interface = None # IP address and range
  80. self.monitor = None # IP address and range
  81. self.plugin = None # Plugin command for going to server
  82. self.plugout = None # Plugin command for going to listener
  83. self.netsec = None # IPV6 security options
  84. self.users = [] # List of user entries for site
  85. Server.typemap = (
  86.     ('pollname',  'String'),
  87.     ('via',       'String'),
  88.     ('active',    'Boolean'),
  89.     ('interval',  'Int'),
  90.     ('protocol',  'String'),
  91.     ('port',      'Int'),
  92.     ('uidl',      'Boolean'),
  93.     ('preauth',      'String'),
  94.     ('timeout',   'Int'),
  95.     ('envelope',  'String'),
  96.     ('envskip',   'Int'),
  97.     ('qvirtual',  'String'),
  98.     # leave aka out
  99.     ('dns',       'Boolean'),
  100.     # leave localdomains out
  101.     ('interface', 'String'),
  102.     ('monitor',   'String'),
  103.     ('plugin',   'String'),
  104.     ('plugout',  'String'),
  105.     ('netsec',   'String'))
  106.     def dump(self, folded):
  107. str = ""
  108. if self.active:   str = str + "poll"
  109. else:             str = str + "skip"
  110. str = str + (" " + self.pollname)
  111. if self.via:
  112.     str = str + (" via " + str(self.via) + "n");
  113. if self.protocol != ServerDefaults.protocol:
  114.     str = str + " with proto " + self.protocol 
  115. if self.port != defaultports[self.protocol] and self.port != 0:
  116.     str = str + " port " + `self.port`
  117. if self.timeout != ServerDefaults.timeout:
  118.     str = str + " timeout " + `self.timeout`
  119. if self.interval != ServerDefaults.interval: 
  120.     str = str + " interval " + `self.interval`
  121. if self.envelope != ServerDefaults.envelope or self.envskip != ServerDefaults.envskip:
  122.     if self.envskip:
  123. str = str + " envelope " + self.envskip + " " + self.envelope
  124.     else:
  125. str = str + " envelope " + self.envelope
  126. if self.qvirtual:
  127.     str = str + (" qvirtual " + str(self.qvirtual) + "n");
  128. if self.preauth != ServerDefaults.preauth:
  129.     str = str + " preauth " + self.preauth
  130. if self.dns != ServerDefaults.dns or self.uidl != ServerDefaults.uidl:
  131.     str = str + " and options"
  132. if self.dns != ServerDefaults.dns:
  133.     str = str + flag2str(self.dns, 'dns')
  134. if self.uidl != ServerDefaults.uidl:
  135.     str = str + flag2str(self.uidl, 'uidl')
  136. if folded:        str = str + "n    "
  137. else:             str = str + " "
  138. if self.aka:
  139.      str = str + "aka"
  140.      for x in self.aka:
  141. str = str + " " + x
  142. if self.aka and self.localdomains: str = str + " "
  143. if self.localdomains:
  144.      str = str + ("localdomains")
  145.      for x in self.localdomains:
  146. str = str + " " + x
  147.         if (self.aka or self.localdomains):
  148.     if folded:
  149. str = str + "n    "
  150.     else:
  151. str = str + " "
  152. if self.interface:
  153.             str = str + "interface " + str(self.interface)
  154. if self.monitor:
  155.             str = str + "monitor " + str(self.monitor)
  156. if self.netsec:
  157.             str = str + "netsec " + str(self.netsec)
  158. if self.interface or self.monitor or self.netsec:
  159.     if folded:
  160. str = str + "n"
  161. if str[-1] == " ": str = str[0:-1]
  162. for user in self.users:
  163.     str = str + repr(user)
  164. str = str + "n"
  165. return str;
  166.     def __delitem__(self, name):
  167.         for ui in range(len(self.users)):
  168.             if self.users[ui].remote == name:
  169.                 del self.users[ui]
  170.                 break
  171.     def __repr__(self):
  172. return self.dump(TRUE)
  173.     def __str__(self):
  174. return "[Server: " + self.dump(FALSE) + "]"
  175. class User:
  176.     def __init__(self):
  177.         if os.environ.has_key("USER"):
  178.             self.remote = os.environ["USER"] # Remote username
  179.         elif os.environ.has_key("LOGNAME"):
  180.             self.remote = os.environ["LOGNAME"]
  181.         else:
  182.             print "Can't get your username!"
  183.             sys.exit(1)
  184. self.localnames = [self.remote,]# Local names
  185. self.password = None # Password for mail account access
  186. self.mailboxes = [] # Remote folders to retrieve from
  187. self.smtphunt = [] # Hosts to forward to
  188. self.smtpaddress = None # Append this to MAIL FROM line
  189. self.preconnect = None # Connection setup
  190. self.postconnect = None # Connection wrapup
  191. self.mda = None # Mail Delivery Agent
  192. self.bsmtp = None # BSMTP output file
  193.         self.lmtp = FALSE # Use LMTP rather than SMTP?
  194. self.antispam = "571 550 501" # Listener's spam-block code
  195. self.keep = FALSE # Keep messages
  196. self.flush = FALSE # Flush messages
  197. self.fetchall = FALSE # Fetch old messages
  198. self.rewrite = TRUE # Rewrite message headers
  199. self.forcecr = FALSE # Force LF -> CR/LF
  200. self.stripcr = FALSE # Strip CR
  201. self.pass8bits = FALSE # Force BODY=7BIT
  202. self.mimedecode = FALSE # Undo MIME armoring
  203. self.dropstatus = FALSE # Drop incoming Status lines
  204. self.limit = 0 # Message size limit
  205.         self.warnings = 0 # Size warning interval
  206. self.fetchlimit = 0 # Max messages fetched per batch
  207. self.batchlimit = 0 # Max message forwarded per batch
  208. self.expunge = 0 # Interval between expunges (IMAP)
  209.         self.ssl = 0 # Enable Seccure Socket Layer
  210.         self.sslkey = None # SSL key filename
  211.         self.sslcert = None # SSL certificate filename
  212.         self.properties = None # Extension properties
  213. User.typemap = (
  214.     ('remote',      'String'),
  215.     # leave out mailboxes and localnames
  216.     ('password',    'String'),
  217.             # Leave out smtphunt
  218.     ('smtpaddress', 'String'),
  219.     ('preconnect',  'String'),
  220.     ('postconnect', 'String'),
  221.     ('mda',         'String'),
  222.     ('bsmtp',       'String'),
  223.             ('lmtp',        'Boolean'),
  224.     ('antispam',    'String'),
  225.     ('keep',        'Boolean'),
  226.     ('flush',       'Boolean'),
  227.     ('fetchall',    'Boolean'),
  228.     ('rewrite',     'Boolean'),
  229.     ('forcecr',     'Boolean'),
  230.     ('stripcr',     'Boolean'),
  231.     ('pass8bits',   'Boolean'),
  232.     ('mimedecode',  'Boolean'),
  233.     ('dropstatus',  'Boolean'),
  234.     ('limit',       'Int'),
  235.     ('warnings',    'Int'),
  236.     ('fetchlimit',  'Int'),
  237.     ('batchlimit',  'Int'),
  238.     ('expunge',     'Int'),
  239.     ('ssl',         'Boolean'),
  240.     ('sslkey',      'String'),
  241.     ('sslcert',     'String'),
  242.             ('properties',  'String'))
  243.     def __repr__(self):
  244. res = "    "
  245. res = res + "user " + str(self.remote) + " there ";
  246. if self.password:
  247.             res = res + "with password " + str(self.password) + " "
  248. if self.localnames:
  249.             res = res + "is"
  250.             for x in self.localnames:
  251. res = res + " " + x
  252.             res = res + " here"
  253. if (self.keep != UserDefaults.keep
  254. or self.flush != UserDefaults.flush
  255. or self.fetchall != UserDefaults.fetchall
  256. or self.rewrite != UserDefaults.rewrite 
  257. or self.forcecr != UserDefaults.forcecr 
  258. or self.stripcr != UserDefaults.stripcr 
  259. or self.pass8bits != UserDefaults.pass8bits
  260. or self.mimedecode != UserDefaults.mimedecode
  261. or self.dropstatus != UserDefaults.dropstatus):
  262.     res = res + " options"
  263. if self.keep != UserDefaults.keep:
  264.     res = res + flag2str(self.keep, 'keep')
  265. if self.flush != UserDefaults.flush:
  266.     res = res + flag2str(self.flush, 'flush')
  267. if self.fetchall != UserDefaults.fetchall:
  268.     res = res + flag2str(self.fetchall, 'fetchall')
  269. if self.rewrite != UserDefaults.rewrite:
  270.     res = res + flag2str(self.rewrite, 'rewrite')
  271. if self.forcecr != UserDefaults.forcecr:
  272.     res = res + flag2str(self.forcecr, 'forcecr')
  273. if self.stripcr != UserDefaults.stripcr:
  274.     res = res + flag2str(self.stripcr, 'stripcr')
  275. if self.pass8bits != UserDefaults.pass8bits:
  276.     res = res + flag2str(self.pass8bits, 'pass8bits')
  277. if self.mimedecode != UserDefaults.mimedecode:
  278.     res = res + flag2str(self.mimedecode, 'mimedecode')
  279. if self.dropstatus != UserDefaults.dropstatus:
  280.     res = res + flag2str(self.dropstatus, 'dropstatus')
  281. if self.limit != UserDefaults.limit:
  282.     res = res + " limit " + `self.limit`
  283. if self.warnings != UserDefaults.warnings:
  284.     res = res + " warnings " + `self.warnings`
  285. if self.fetchlimit != UserDefaults.fetchlimit:
  286.     res = res + " fetchlimit " + `self.fetchlimit`
  287. if self.batchlimit != UserDefaults.batchlimit:
  288.     res = res + " batchlimit " + `self.batchlimit`
  289. if self.ssl != UserDefaults.ssl:
  290.     res = res + flag2str(self.ssl, 'ssl')
  291. if self.sslkey != UserDefaults.sslkey:
  292.     res = res + " sslkey " + `self.sslkey`
  293. if self.sslcert != UserDefaults.sslcert:
  294.     res = res + " ssl " + `self.sslcert`
  295. if self.expunge != UserDefaults.expunge:
  296.     res = res + " expunge " + `self.expunge`
  297.         res = res + "n"
  298.         trimmed = self.smtphunt;
  299.         if trimmed != [] and trimmed[len(trimmed) - 1] == "localhost":
  300.             trimmed = trimmed[0:len(trimmed) - 1]
  301.         if trimmed != [] and trimmed[len(trimmed) - 1] == hostname:
  302.             trimmed = trimmed[0:len(trimmed) - 1]
  303.         if trimmed != []:
  304.             res = res + "    smtphost "
  305.             for x in trimmed:
  306.                 res = res + " " + x
  307.                 res = res + "n"
  308. if self.mailboxes:
  309.      res = res + "    folder"
  310.      for x in self.mailboxes:
  311. res = res + " " + x
  312.      res = res + "n"
  313.         for fld in ('smtpaddress', 'preconnect', 'postconnect', 'mda', 'bsmtp', 'properties'):
  314.             if getattr(self, fld):
  315.                 res = res + " %s %sn" % (fld, `getattr(self, fld)`)
  316. if self.lmtp != UserDefaults.lmtp:
  317.     res = res + flag2str(self.lmtp, 'lmtp')
  318.         if self.antispam != UserDefaults.antispam:
  319.             res = res + "    antispam " + self.antispam + "n"
  320. return res;
  321.     def __str__(self):
  322. return "[User: " + repr(self) + "]"
  323. #
  324. # Helper code
  325. #
  326. defaultports = {"auto":0,
  327.      "POP2":109, 
  328. "POP3":110,
  329.                 "APOP":110,
  330.                 "KPOP":1109,
  331.                 "IMAP":143,
  332. "IMAP-GSS":143,
  333. "IMAP-K4":143,
  334. "ETRN":25}
  335. preauthlist = ("password", "kerberos", "ssh")
  336. listboxhelp = {
  337.     'title' : 'List Selection Help',
  338.     'banner': 'List Selection',
  339.     'text' : """
  340. You must select an item in the list box (by clicking on it). 
  341. """}
  342. def flag2str(value, string):
  343. # make a string representation of a .fetchmailrc flag or negated flag
  344.     str = ""
  345.     if value != None:
  346. str = str + (" ")
  347. if value == FALSE: str = str + ("no ")
  348. str = str + string;
  349.     return str
  350. class LabeledEntry(Frame):
  351. # widget consisting of entry field with caption to left
  352.     def bind(self, key, action):
  353. self.E.bind(key, action)
  354.     def focus_set(self):
  355. self.E.focus_set()
  356.     def __init__(self, Master, text, textvar, lwidth, ewidth=12):
  357. Frame.__init__(self, Master)
  358. self.L = Label(self, {'text':text, 'width':lwidth, 'anchor':'w'})
  359. self.E = Entry(self, {'textvar':textvar, 'width':ewidth})
  360. self.L.pack({'side':'left'})
  361. self.E.pack({'side':'left', 'expand':'1', 'fill':'x'})
  362. def ButtonBar(frame, legend, ref, alternatives, depth, command):
  363. # array of radio buttons, caption to left, picking from a string list
  364.     bar = Frame(frame)
  365.     width = len(alternatives) / depth;
  366.     Label(bar, text=legend).pack(side=LEFT)
  367.     for column in range(width):
  368. subframe = Frame(bar)
  369. for row in range(depth):
  370.     ind = width * row + column
  371.     Radiobutton(subframe,
  372. {'text':alternatives[ind], 
  373.  'variable':ref,
  374.  'value':alternatives[ind],
  375.  'command':command}).pack(side=TOP, anchor=W)
  376. subframe.pack(side=LEFT)
  377.     bar.pack(side=TOP);
  378.     return bar
  379. def helpwin(helpdict):
  380. # help message window with a self-destruct button
  381.     helpwin = Toplevel()
  382.     helpwin.title(helpdict['title']) 
  383.     helpwin.iconname(helpdict['title'])
  384.     Label(helpwin, text=helpdict['banner']).pack()
  385.     textframe = Frame(helpwin)
  386.     scroll = Scrollbar(textframe)
  387.     helpwin.textwidget = Text(textframe, setgrid=TRUE)
  388.     textframe.pack(side=TOP, expand=YES, fill=BOTH)
  389.     helpwin.textwidget.config(yscrollcommand=scroll.set)
  390.     helpwin.textwidget.pack(side=LEFT, expand=YES, fill=BOTH)
  391.     scroll.config(command=helpwin.textwidget.yview)
  392.     scroll.pack(side=RIGHT, fill=BOTH)
  393.     helpwin.textwidget.insert(END, helpdict['text']);
  394.     Button(helpwin, text='Done', 
  395.    command=lambda x=helpwin: Widget.destroy(x), bd=2).pack()
  396.     textframe.pack(side=TOP)
  397. def make_icon_window(base, image):
  398.     try:
  399.         # Some older pythons will error out on this
  400.         icon_image = PhotoImage(data=image)
  401.         icon_window = Toplevel()
  402.         Label(icon_window, image=icon_image, bg='black').pack()
  403.         base.master.iconwindow(icon_window)
  404. # Avoid TkInter brain death. PhotoImage objects go out of
  405.         # scope when the enclosing function returns.  Therefore
  406.         # we have to explicitly link them to something.
  407.         base.keepalive.append(icon_image)
  408.     except:
  409.         pass
  410. class ListEdit(Frame):
  411. # edit a list of values (duplicates not allowed) with a supplied editor hook 
  412.     def __init__(self, newlegend, list, editor, deletor, master, helptxt):
  413. self.editor = editor
  414. self.deletor = deletor
  415. self.list = list
  416. # Set up a widget to accept new elements
  417. self.newval = StringVar(master)
  418. newwin = LabeledEntry(master, newlegend, self.newval, '12')
  419. newwin.bind('<Double-1>', self.handleNew)
  420. newwin.bind('<Return>', self.handleNew)
  421. newwin.pack(side=TOP, fill=X, anchor=E)
  422. # Edit the existing list
  423. listframe = Frame(master)
  424. scroll = Scrollbar(listframe)
  425. self.listwidget = Listbox(listframe, height=0, selectmode='browse')
  426.         if self.list:
  427.             for x in self.list:
  428.                 self.listwidget.insert(END, x)
  429. listframe.pack(side=TOP, expand=YES, fill=BOTH)
  430. self.listwidget.config(yscrollcommand=scroll.set)
  431. self.listwidget.pack(side=LEFT, expand=YES, fill=BOTH)
  432. scroll.config(command=self.listwidget.yview)
  433. scroll.pack(side=RIGHT, fill=BOTH)
  434. self.listwidget.config(selectmode=SINGLE, setgrid=TRUE)
  435. self.listwidget.bind('<Double-1>', self.handleList);
  436. self.listwidget.bind('<Return>', self.handleList);
  437. bf = Frame(master);
  438. if self.editor:
  439.     Button(bf, text='Edit',   command=self.editItem).pack(side=LEFT)
  440. Button(bf, text='Delete', command=self.deleteItem).pack(side=LEFT)
  441. if helptxt:
  442.     self.helptxt = helptxt
  443.     Button(bf, text='Help', fg='blue',
  444.    command=self.help).pack(side=RIGHT)
  445. bf.pack(fill=X)
  446.     def help(self):
  447. helpwin(self.helptxt)
  448.     def handleList(self, event):
  449. self.editItem();
  450.     def handleNew(self, event):
  451. item = self.newval.get()
  452. entire = self.listwidget.get(0, self.listwidget.index('end'));
  453. if item and (not entire) or (not item in self.listwidget.get(0, self.listwidget.index('end'))):
  454.     self.listwidget.insert('end', item)
  455.     if self.list != None: self.list.append(item)
  456. self.newval.set('')
  457.     def editItem(self):
  458. select = self.listwidget.curselection()
  459. if not select:
  460.     helpwin(listboxhelp)
  461. else:
  462.     index = select[0]
  463.     if index and self.editor:
  464. label = self.listwidget.get(index);
  465. apply(self.editor, (label,))
  466.     def deleteItem(self):
  467. select = self.listwidget.curselection()
  468. if not select:
  469.     helpwin(listboxhelp)
  470. else:
  471.             index = string.atoi(select[0])
  472.             label = self.listwidget.get(index);
  473.             self.listwidget.delete(index)
  474.             if self.list != None:
  475.                 del self.list[index]
  476.             if self.deletor != None:
  477.                 apply(self.deletor, (label,))
  478. def ConfirmQuit(frame, context):
  479.     ans = Dialog(frame, 
  480.  title = 'Quit?',
  481.  text = 'Really quit ' + context + ' without saving?',
  482.  bitmap = 'question',
  483.  strings = ('Yes', 'No'),
  484.  default = 1)
  485.     return ans.num == 0
  486. def dispose_window(master, legend, help, savelegend='OK'):
  487.     dispose = Frame(master, relief=RAISED, bd=5)
  488.     Label(dispose, text=legend).pack(side=TOP,pady=10)
  489.     Button(dispose, text=savelegend, fg='blue',
  490.            command=master.save).pack(side=LEFT)
  491.     Button(dispose, text='Quit', fg='blue',
  492.            command=master.nosave).pack(side=LEFT)
  493.     Button(dispose, text='Help', fg='blue',
  494.            command=lambda x=help: helpwin(x)).pack(side=RIGHT)
  495.     dispose.pack(fill=X)
  496.     return dispose
  497. class MyWidget:
  498. # Common methods for Tkinter widgets -- deals with Tkinter declaration
  499.     def post(self, widgetclass, field):
  500. for x in widgetclass.typemap:
  501.     if x[1] == 'Boolean':
  502. setattr(self, x[0], BooleanVar(self))
  503.     elif x[1] == 'String':
  504. setattr(self, x[0], StringVar(self))
  505.     elif x[1] == 'Int':
  506. setattr(self, x[0], IntVar(self))
  507.     source = getattr(getattr(self, field), x[0])
  508.             if source:
  509.                 getattr(self, x[0]).set(source)
  510.     def fetch(self, widgetclass, field):
  511. for x in widgetclass.typemap:
  512.     setattr(getattr(self, field), x[0], getattr(self, x[0]).get())
  513. #
  514. # First, code to set the global fetchmail run controls.
  515. #
  516. configure_novice_help = {
  517.     'title' : 'Fetchmail novice configurator help',
  518.     'banner': 'Novice configurator help',
  519.     'text' : """
  520. In the `Novice Configurator Controls' panel, you can:
  521. Press `Save' to save the new fetchmail configuration you have created.
  522. Press `Quit' to exit without saving.
  523. Press `Help' to bring up this help message.
  524. In the `Novice Configuration' panels, you will set up the basic data
  525. needed to create a simple fetchmail setup.  These include:
  526. 1. The name of the remote site you want to query.
  527. 2. Your login name on that site.
  528. 3. Your password on that site.
  529. 4. A protocol to use (POP, IMAP, ETRN, etc.)
  530. 5. A polling interval.
  531. 6. Options to fetch old messages as well as new, uor to suppress
  532.    deletion of fetched message.
  533. The novice-configuration code will assume that you want to forward mail
  534. to a local sendmail listener with no special options.
  535. """}
  536. configure_expert_help = {
  537.     'title' : 'Fetchmail expert configurator help',
  538.     'banner': 'Expert configurator help',
  539.     'text' : """
  540. In the `Expert Configurator Controls' panel, you can:
  541. Press `Save' to save the new fetchmail configuration you have edited.
  542. Press `Quit' to exit without saving.
  543. Press `Help' to bring up this help message.
  544. In the `Run Controls' panel, you can set the following options that
  545. control how fetchmail runs:
  546. Poll interval
  547.         Number of seconds to wait between polls in the background.
  548.         If zero, fetchmail will run in foreground.
  549. Logfile
  550.         If empty, emit progress and error messages to stderr.
  551.         Otherwise this gives the name of the files to write to.
  552.         This field is ignored if the "Log to syslog?" option is on.
  553. Idfile
  554.         If empty, store seen-message IDs in .fetchids under user's home
  555.         directory.  If nonempty, use given file name.
  556. Postmaster
  557.         Who to send multidrop mail to as a last resort if no address can
  558.         be matched.  Normally empty; in this case, fetchmail treats the
  559.         invoking user as the address of last resort unless that user is
  560.         root.  If that user is root, fetchmail sends to `postmaster'.
  561. Bounces to sender?
  562. If this option is on (the default) error mail goes to the sender.
  563.         Otherwise it goes to the postmaster.
  564. Invisible
  565.         If false (the default) fetchmail generates a Received line into
  566.         each message and generates a HELO from the machine it is running on.
  567.         If true, fetchmail generates no Received line and HELOs as if it were
  568.         the remote site.
  569. In the `Remote Mail Configurations' panel, you can:
  570. 1. Enter the name of a new remote mail server you want fetchmail to query.
  571. To do this, simply enter a label for the poll configuration in the
  572. `New Server:' box.  The label should be a DNS name of the server (unless
  573. you are using ssh or some other tunneling method and will fill in the `via'
  574. option on the site configuration screen).
  575. 2. Change the configuration of an existing site.
  576. To do this, find the site's label in the listbox and double-click it.
  577. This will take you to a site configuration dialogue.
  578. """}
  579. class ConfigurationEdit(Frame, MyWidget):
  580.     def __init__(self, configuration, outfile, master, onexit):
  581.         self.subwidgets = {}
  582. self.configuration = configuration
  583.         self.outfile = outfile
  584.         self.container = master
  585.         self.onexit = onexit
  586.         ConfigurationEdit.mode_to_help = {
  587.             'novice':configure_novice_help, 'expert':configure_expert_help
  588.             }
  589.     def server_edit(self, sitename):
  590. self.subwidgets[sitename] = ServerEdit(sitename, self).edit(self.mode, Toplevel())
  591.     def server_delete(self, sitename):
  592.         try:
  593.             del self.configuration[sitename]
  594.         except:
  595.     pass
  596.     def edit(self, mode):
  597.         self.mode = mode
  598. Frame.__init__(self, self.container)
  599. self.master.title('fetchmail ' + self.mode + ' configurator');
  600. self.master.iconname('fetchmail ' + self.mode + ' configurator');
  601.         self.master.protocol('WM_DELETE_WINDOW', self.nosave)
  602.         self.keepalive = [] # Use this to anchor the PhotoImage object
  603.         make_icon_window(self, fetchmail_gif)
  604. Pack.config(self)
  605.         self.post(Configuration, 'configuration')
  606. dispose_window(self,
  607.                        'Configurator ' + self.mode + ' Controls',
  608.                        ConfigurationEdit.mode_to_help[self.mode],
  609.                        'Save')
  610. gf = Frame(self, relief=RAISED, bd = 5)
  611. Label(gf,
  612. text='Fetchmail Run Controls', 
  613. bd=2).pack(side=TOP, pady=10)
  614.         df = Frame(gf)
  615.         ff = Frame(df)
  616.         if self.mode != 'novice':
  617.             # Set the postmaster
  618.             log = LabeledEntry(ff, '     Postmaster:', self.postmaster, '14')
  619.             log.pack(side=RIGHT, anchor=E)
  620.         # Set the poll interval
  621.         de = LabeledEntry(ff, '     Poll interval:', self.poll_interval, '14')
  622.         de.pack(side=RIGHT, anchor=E)
  623.         ff.pack()
  624.         df.pack()
  625.         if self.mode != 'novice':
  626.             pf = Frame(gf)
  627.             Checkbutton(pf,
  628. {'text':'Bounces to sender?',
  629. 'variable':self.bouncemail,
  630. 'relief':GROOVE}).pack(side=LEFT, anchor=W)
  631.             pf.pack(fill=X)
  632.             sf = Frame(gf)
  633.             Checkbutton(sf,
  634. {'text':'Log to syslog?',
  635. 'variable':self.syslog,
  636. 'relief':GROOVE}).pack(side=LEFT, anchor=W)
  637.             log = LabeledEntry(sf, '     Logfile:', self.logfile, '14')
  638.             log.pack(side=RIGHT, anchor=E)
  639.             sf.pack(fill=X)
  640.             Checkbutton(gf,
  641. {'text':'Invisible mode?',
  642. 'variable':self.invisible,
  643.                  'relief':GROOVE}).pack(side=LEFT, anchor=W)
  644.             # Set the idfile
  645.             log = LabeledEntry(gf, '     Idfile:', self.idfile, '14')
  646.             log.pack(side=RIGHT, anchor=E)
  647. gf.pack(fill=X)
  648.         # Expert mode allows us to edit multiple sites
  649. lf = Frame(self, relief=RAISED, bd=5)
  650. Label(lf,
  651.       text='Remote Mail Server Configurations', 
  652.       bd=2).pack(side=TOP, pady=10)
  653. ListEdit('New Server:', 
  654. map(lambda x: x.pollname, self.configuration.servers),
  655. lambda site, self=self: self.server_edit(site),
  656. lambda site, self=self: self.server_delete(site),
  657.                 lf, remotehelp)
  658. lf.pack(fill=X)
  659.     def destruct(self):
  660.         for sitename in self.subwidgets.keys():
  661.             self.subwidgets[sitename].destruct()        
  662.         self.master.destroy()
  663.         self.onexit()
  664.     def nosave(self):
  665. if ConfirmQuit(self, self.mode + " configuration editor"):
  666.     self.destruct()
  667.     def save(self):
  668.         for sitename in self.subwidgets.keys():
  669.             self.subwidgets[sitename].save()
  670.         self.fetch(Configuration, 'configuration')
  671.         fm = None
  672.         if not self.outfile:
  673.             fm = sys.stdout
  674.         elif not os.path.isfile(self.outfile) or Dialog(self, 
  675.  title = 'Overwrite existing run control file?',
  676.  text = 'Really overwrite existing run control file?',
  677.  bitmap = 'question',
  678.  strings = ('Yes', 'No'),
  679.  default = 1).num == 0:
  680.             fm = open(self.outfile, 'w')
  681.         if fm:
  682.             fm.write("# Configuration created %s by fetchmailconfn" % time.ctime(time.time()))
  683.             fm.write(`self.configuration`)
  684.             if self.outfile:
  685.                 fm.close()
  686.             if fm != sys.stdout:
  687.                 os.chmod(self.outfile, 0600)
  688.             self.destruct()
  689. #
  690. # Server editing stuff.
  691. #
  692. remotehelp = {
  693.     'title' : 'Remote site help',
  694.     'banner': 'Remote sites',
  695.     'text' : """
  696. When you add a site name to the list here, 
  697. you initialize an entry telling fetchmail
  698. how to poll a new site.
  699. When you select a sitename (by double-
  700. clicking it, or by single-clicking to
  701. select and then clicking the Edit button),
  702. you will open a window to configure that
  703. site.
  704. """}
  705. serverhelp = {
  706.     'title' : 'Server options help',
  707.     'banner': 'Server Options',
  708.     'text' : """
  709. The server options screen controls fetchmail 
  710. options that apply to one of your mailservers.
  711. Once you have a mailserver configuration set
  712. up as you like it, you can select `OK' to
  713. store it in the server list maintained in
  714. the main configuration window.
  715. If you wish to discard changes to a server 
  716. configuration, select `Quit'.
  717. """}
  718. controlhelp = {
  719.     'title' : 'Run Control help',
  720.     'banner': 'Run Controls',
  721.     'text' : """
  722. If the `Poll normally' checkbox is on, the host is polled as part of
  723. the normal operation of fetchmail when it is run with no arguments.
  724. If it is off, fetchmail will only query this host when it is given as
  725. a command-line argument.
  726. The `True name of server' box should specify the actual DNS name
  727. to query. By default this is the same as the poll name.
  728. Normally each host described in the file is queried once each 
  729. poll cycle. If `Cycles to skip between polls' is greater than 0,
  730. that's the number of poll cycles that are skipped between the
  731. times this post is actually polled.
  732. The `Server timeout' is the number of seconds fetchmail will wait
  733. for a reply from the mailserver before concluding it is hung and
  734. giving up.
  735. """}
  736. protohelp = {
  737.     'title' : 'Protocol and Port help',
  738.     'banner': 'Protocol and Port',
  739.     'text' : """
  740. These options control the remote-mail protocol
  741. and TCP/IP service port used to query this
  742. server.
  743. If you click the `Probe for supported protocols'
  744. button, fetchmail will try to find you the most
  745. capable server on the selected host (this will
  746. only work if you're conncted to the Internet).
  747. The probe only checks for ordinary IMAP and POP
  748. protocols; fortunately these are the most
  749. frequently supported.
  750. The `Protocol' button bar offers you a choice of
  751. all the different protocols available.  The `auto'
  752. protocol is the default mode; it probes the host
  753. ports for POP3 and IMAP to see if either is
  754. available.
  755. Normally the TCP/IP service port to use is 
  756. dictated by the protocol choice.  The `Port'
  757. field (only present in expert mode) lets you
  758. set a non-standard port.
  759. """}
  760. sechelp = {
  761.     'title' : 'Security option help',
  762.     'banner': 'Security',
  763.     'text' : """
  764. The `interface' option allows you to specify a range
  765. of IP addresses to monitor for activity.  If these
  766. addresses are not active, fetchmail will not poll.
  767. Specifying this may protect you from a spoofing attack
  768. if your client machine has more than one IP gateway
  769. address and some of the gateways are to insecure nets.
  770. The `monitor' option, if given, specifies the only
  771. device through which fetchmail is permitted to connect
  772. to servers.  This option may be used to prevent
  773. fetchmail from triggering an expensive dial-out if the
  774. interface is not already active.
  775. The `interface' and `monitor' options are available
  776. only for Linux and freeBSD systems.  See the fetchmail
  777. manual page for details on these.
  778. The ssl option enables SSL communication with a mailserver
  779. supporting Secure Sockets Layer. The sslkey and sslcert options
  780. declare key and certificate files for use with SSL.
  781. The `netsec' option will be configurable only if fetchmail
  782. was compiled with IPV6 support.  If you need to use it,
  783. you probably know what to do.
  784. """}
  785. multihelp = {
  786.     'title' : 'Multidrop option help',
  787.     'banner': 'Multidrop',
  788.     'text' : """
  789. These options are only useful with multidrop mode.
  790. See the manual page for extended discussion.
  791. """}
  792. suserhelp = {
  793.     'title' : 'User list help',
  794.     'banner': 'User list',
  795.     'text' : """
  796. When you add a user name to the list here, 
  797. you initialize an entry telling fetchmail
  798. to poll the site on behalf of the new user.
  799. When you select a username (by double-
  800. clicking it, or by single-clicking to
  801. select and then clicking the Edit button),
  802. you will open a window to configure the
  803. user's options on that site.
  804. """}
  805. class ServerEdit(Frame, MyWidget):
  806.     def __init__(self, host, parent):
  807.         self.parent = parent
  808. self.server = None
  809.         self.subwidgets = {}
  810. for site in parent.configuration.servers:
  811.     if site.pollname == host:
  812. self.server = site
  813. if (self.server == None):
  814. self.server = Server()
  815. self.server.pollname = host
  816. self.server.via = None
  817. parent.configuration.servers.append(self.server)
  818.     def edit(self, mode, master=None):
  819. Frame.__init__(self, master)
  820. Pack.config(self)
  821. self.master.title('Fetchmail host ' + self.server.pollname);
  822. self.master.iconname('Fetchmail host ' + self.server.pollname);
  823. self.post(Server, 'server')
  824. self.makeWidgets(self.server.pollname, mode)
  825.         self.keepalive = [] # Use this to anchor the PhotoImage object
  826.         make_icon_window(self, fetchmail_gif)
  827. # self.grab_set()
  828. # self.focus_set()
  829. # self.wait_window()
  830. return self
  831.     def destruct(self):
  832.         for username in self.subwidgets.keys():
  833.             self.subwidgets[username].destruct()        
  834.         del self.parent.subwidgets[self.server.pollname]
  835.         Widget.destroy(self.master)
  836.     def nosave(self):
  837. if ConfirmQuit(self, 'server option editing'):
  838.     self.destruct()
  839.     def save(self):
  840. self.fetch(Server, 'server')
  841.         for username in self.subwidgets.keys():
  842.             self.subwidgets[username].save()        
  843. self.destruct()
  844.     def refreshPort(self):
  845. proto = self.protocol.get()
  846.         if self.port.get() == 0:
  847.             self.port.set(defaultports[proto])
  848. if not proto in ("POP3", "APOP", "KPOP"): self.uidl.state = DISABLED 
  849.     def user_edit(self, username, mode):
  850.         self.subwidgets[username] = UserEdit(username, self).edit(mode, Toplevel())
  851.     def user_delete(self, username):
  852.         if self.subwidgets.has_key(username):
  853.             del self.subwidgets[username]
  854.         del self.server[username]
  855.     def makeWidgets(self, host, mode):
  856. topwin = dispose_window(self, "Server options for querying " + host, serverhelp)
  857. leftwin = Frame(self);
  858. leftwidth = '25';
  859.         if mode != 'novice':
  860.             ctlwin = Frame(leftwin, relief=RAISED, bd=5)
  861.             Label(ctlwin, text="Run Controls").pack(side=TOP)
  862.             Checkbutton(ctlwin, text='Poll ' + host + ' normally?', variable=self.active).pack(side=TOP)
  863.             LabeledEntry(ctlwin, 'True name of ' + host + ':',
  864.       self.via, leftwidth).pack(side=TOP, fill=X)
  865.             LabeledEntry(ctlwin, 'Cycles to skip between polls:',
  866.       self.interval, leftwidth).pack(side=TOP, fill=X)
  867.             LabeledEntry(ctlwin, 'Server timeout (seconds):',
  868.       self.timeout, leftwidth).pack(side=TOP, fill=X)
  869.             Button(ctlwin, text='Help', fg='blue',
  870.        command=lambda: helpwin(controlhelp)).pack(side=RIGHT)
  871.             ctlwin.pack(fill=X)
  872.         # Compute the available protocols from the compile-time options
  873.         protolist = ['auto']
  874.         if 'pop2' in feature_options:
  875.             protolist.append("POP2")
  876.         if 'pop3' in feature_options:
  877.             protolist = protolist + ["POP3", "APOP", "KPOP"]
  878.         if 'sdps' in feature_options:
  879.             protolist.append("SDPS")
  880.         if 'imap' in feature_options:
  881.             protolist.append("IMAP")
  882.         if 'imap-gss' in feature_options:
  883.             protolist.append("IMAP-GSS")
  884.         if 'imap-k4' in feature_options:
  885.             protolist.append("IMAP-K4")
  886.         if 'etrn' in feature_options:
  887.             protolist.append("ETRN")
  888. protwin = Frame(leftwin, relief=RAISED, bd=5)
  889. Label(protwin, text="Protocol").pack(side=TOP)
  890. ButtonBar(protwin, '',
  891.                   self.protocol, protolist, 2,
  892.                   self.refreshPort) 
  893.         if mode != 'novice':
  894.             LabeledEntry(protwin, 'On server TCP/IP port:',
  895.       self.port, leftwidth).pack(side=TOP, fill=X)
  896.             self.refreshPort()
  897.             Checkbutton(protwin,
  898. text="POP3: track `seen' with client-side UIDLs?",
  899. variable=self.uidl).pack(side=TOP)   
  900. Button(protwin, text='Probe for supported protocols', fg='blue',
  901.        command=self.autoprobe).pack(side=LEFT)
  902. Button(protwin, text='Help', fg='blue',
  903.        command=lambda: helpwin(protohelp)).pack(side=RIGHT)
  904. protwin.pack(fill=X)
  905. userwin = Frame(leftwin, relief=RAISED, bd=5)
  906. Label(userwin, text="User entries for " + host).pack(side=TOP)
  907. ListEdit("New user: ",
  908.                  map(lambda x: x.remote, self.server.users),
  909.                  lambda u, m=mode, s=self: s.user_edit(u, m),
  910.                  lambda u, s=self: s.user_delete(u),
  911.                  userwin, suserhelp)
  912. userwin.pack(fill=X)
  913. leftwin.pack(side=LEFT, anchor=N, fill=X);
  914.         if mode != 'novice':
  915.             rightwin = Frame(self);
  916.             mdropwin = Frame(rightwin, relief=RAISED, bd=5)
  917.             Label(mdropwin, text="Multidrop options").pack(side=TOP)
  918.             LabeledEntry(mdropwin, 'Envelope address header:',
  919.       self.envelope, '22').pack(side=TOP, fill=X)
  920.             LabeledEntry(mdropwin, 'Envelope headers to skip:',
  921.       self.envskip, '22').pack(side=TOP, fill=X)
  922.             LabeledEntry(mdropwin, 'Name prefix to strip:',
  923.       self.qvirtual, '22').pack(side=TOP, fill=X)
  924.             Checkbutton(mdropwin, text="Enable multidrop DNS lookup?",
  925.     variable=self.dns).pack(side=TOP)
  926.             Label(mdropwin, text="DNS aliases").pack(side=TOP)
  927.             ListEdit("New alias: ", self.server.aka, None, None, mdropwin, None)
  928.             Label(mdropwin, text="Domains to be considered local").pack(side=TOP)
  929.             ListEdit("New domain: ",
  930.  self.server.localdomains, None, None, mdropwin, multihelp)
  931.             mdropwin.pack(fill=X)
  932.             if os_type == 'linux' or os_type == 'freebsd' or 'netsec' in feature_options:
  933.                 secwin = Frame(rightwin, relief=RAISED, bd=5)
  934.                 Label(secwin, text="Security").pack(side=TOP)
  935.                 # Don't actually let users set this.  KPOP sets it implicitly
  936.                 # ButtonBar(secwin, 'Preauthorization mode:',
  937.                 #   self.preauth, preauthlist, 1, None).pack(side=TOP)
  938.                 if os_type == 'linux' or os_type == 'freebsd'  or 'interface' in dictmembers:
  939.                     LabeledEntry(secwin, 'IP range to check before poll:',
  940.  self.interface, leftwidth).pack(side=TOP, fill=X)
  941.                 if os_type == 'linux' or os_type == 'freebsd' or 'monitor' in dictmembers:
  942.                     LabeledEntry(secwin, 'Interface to monitor:',
  943.  self.monitor, leftwidth).pack(side=TOP, fill=X)
  944.                 if 'netsec' in feature_options or 'netsec' in dictmembers:
  945.                     LabeledEntry(secwin, 'IPV6 security options:',
  946.  self.netsec, leftwidth).pack(side=TOP, fill=X)
  947.                 Button(secwin, text='Help', fg='blue',
  948.                        command=lambda: helpwin(sechelp)).pack(side=RIGHT)
  949.                 secwin.pack(fill=X)
  950.             rightwin.pack(side=LEFT, anchor=N);
  951.     def autoprobe(self):
  952.         # Note: this only handles case (1) near fetchmail.c:1032
  953.         # We're assuming people smart enough to set up ssh tunneling
  954.         # won't need autoprobing.
  955.         if self.server.via:
  956.             realhost = self.server.via
  957.         else:
  958.             realhost = self.server.pollname
  959.         greetline = None
  960.         for (protocol, port) in (("IMAP",143), ("POP3",110), ("POP2",109)):
  961.             sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
  962.             try:
  963.                 sock.connect(realhost, port)
  964.                 greetline = sock.recv(1024)
  965.                 sock.close()
  966.             except:
  967.                 pass
  968.             else:
  969.                 break
  970.         confwin = Toplevel()
  971.         if greetline == None:
  972.             title = "Autoprobe of " + realhost + " failed"
  973.             confirm = """
  974. Fetchmailconf didn't find any mailservers active.
  975. This could mean the host doesn't support any,
  976. or that your Internet connection is down, or
  977. that the host is so slow that the probe timed
  978. out before getting a response.
  979. """
  980.         else:
  981.             warnings = ''
  982.             # OK, now try to recognize potential problems
  983.             if protocol == "POP2":
  984.                 warnings = warnings + """
  985. It appears you have somehow found a mailserver running only POP2.
  986. Congratulations.  Have you considered a career in archaeology?
  987. Unfortunately, stock fetchmail binaries don't include POP2 support anymore.
  988. Unless the first line of your fetchmail -V output includes the string "POP2",
  989. you'll have to build it from sources yourself with the configure
  990. switch --enable-POP2.
  991. """
  992. # The greeting line on the server known to be buggy is:
  993. # +OK POP3 server ready (running FTGate V2, 2, 1, 0 Jun 21 1999 09:55:01)
  994. #
  995.             if string.find(greetline, "FTGate") > 0:
  996.                 warnings = warnings + """
  997. This POP server has a weird bug; it says OK twice in response to TOP.
  998. Its response to RETR is normal, so use the `fetchall'.
  999. """
  1000.             if string.find(greetline, "POP-Max") > 0:
  1001.                 warnings = warnings + """
  1002. The Mail Max server screws up on mail with attachments.  It reports the
  1003. message size with attachments included, but doesn't downloasd them on a
  1004. RETR or TOP.  You should get rid of it -- and the brain-dead NT server
  1005. it rode in on. 
  1006. """
  1007.             if string.find(greetline, "1.003") > 0 or string.find(greetline, "1.004") > 0:
  1008.                 warnings = warnings + """
  1009. This appears to be an old version of the UC Davis POP server.  These are
  1010. dangerously unreliable (among other problems, they may drop your mailbox
  1011. on the floor if your connection is interrupted during the session).
  1012. It is strongly recommended that you find a better POP3 server.  The fetchmail
  1013. FAQ includes pointers to good ones.
  1014. """
  1015.             if string.find(greetline, "usa.net") > 0:
  1016.                 warnings = warnings + """
  1017. You appear to be using USA.NET's free mail service.  Their POP3 servers
  1018. (at least as of the 2.2 version in use mid-1998) are quite flaky, but
  1019. fetchmail can compensate.  They seem to require that fetchall be switched on
  1020. (otherwise you won't necessarily see all your mail, not even new mail).
  1021. They also botch the TOP command the fetchmail normally uses for retrieval
  1022. (it only retrieves about 10 lines rather than the number specified).
  1023. Turning on fetchall will disable the use of TOP.
  1024. Therefore, it is strongly recommended that you turn on `fetchall' on all
  1025. user entries associated with this server.  
  1026. """
  1027.             if string.find(greetline, "OpenMail") > 0:
  1028.                 warnings = warnings + """
  1029. You appear to be using some version of HP OpenMail.  Many versions of
  1030. OpenMail do not process the "TOP" command correctly; the symptom is that
  1031. only the header and first line of each message is retrieved.  To work
  1032. around this bug, turn on `fetchall' on all user entries associated with
  1033. this server.  
  1034. """
  1035.             if string.find(greetline, "TEMS POP3") > 0:
  1036.                 warnings = warnings + """
  1037. Your POP3 server has "TEMS" in its header line.  At least one such
  1038. server does not process the "TOP" command correctly; the symptom is
  1039. that fetchmail hangs when trying to retrieve mail.  To work around
  1040. this bug, turn on `fetchall' on all user entries associated with this
  1041. server.
  1042. """
  1043.             if string.find(greetline, "GroupWise") > 0:
  1044.                 warnings = warnings + """
  1045. The Novell GroupWise IMAP server would be better named GroupFoolish;
  1046. it is (according to the designer of IMAP) unusably broken.  Among
  1047. other things, it doesn't include a required content length in its
  1048. BODY[TEXT] response.<p>
  1049. Fetchmail works around this problem, but we strongly recommend voting
  1050. with your dollars for a server that isn't brain-dead.  If you stick
  1051. with code as shoddy as GroupWise seems to be, you will probably pay
  1052. for it with other problems.<p>
  1053. """
  1054.             if string.find(greetline, "sprynet.com") > 0:
  1055.                 warnings = warnings + """
  1056. You appear to be using a SpryNet server.  In mid-1999 it was reported that
  1057. the SpryNet TOP command marks messages seen.  Therefore, for proper error
  1058. recovery in the event of a line drop, it is strongly recommended that you
  1059. turn on `fetchall' on all user entries associated with this server.  
  1060. """
  1061. # Steve VanDevender <stevev@efn.org> writes:
  1062. # The only system I have seen this happen with is cucipop-1.31
  1063. # under SunOS 4.1.4.  cucipop-1.31 runs fine on at least Solaris
  1064. # 2.x and probably quite a few other systems.  It appears to be a
  1065. # bug or bad interaction with the SunOS realloc() -- it turns out
  1066. # that internally cucipop does allocate a certain data structure in
  1067. # multiples of 16, using realloc() to bump it up to the next
  1068. # multiple if it needs more.
  1069. # The distinctive symptom is that when there are 16 messages in the
  1070. # inbox, you can RETR and DELE all 16 messages successfully, but on
  1071. # QUIT cucipop returns something like "-ERR Error locking your
  1072. # mailbox" and aborts without updating it.
  1073. # The cucipop banner looks like:
  1074. # +OK Cubic Circle's v1.31 1998/05/13 POP3 ready <6229000062f95036@wakko>
  1075. #
  1076.             if string.find(greetline, "Cubic Circle") > 0:
  1077.                 warnings = warnings + """
  1078. I see your server is running cucipop.  Better make sure the server box
  1079. isn't a SunOS 4.1.4 machine; cucipop tickles a bug in SunOS realloc()
  1080. under that version, and doesn't cope with the result gracefully.  Newer
  1081. SunOS and Solaris machines run cucipop OK.
  1082. """
  1083.             if string.find(greetline, "QPOP") > 0:
  1084.                 warnings = warnings + """
  1085. This appears to be a version of Eudora qpopper.  That's good.  Fetchmail
  1086. knows all about qpopper.  However, be aware that the 2.53 version of
  1087. qpopper does something odd that causes fetchmail to hang with a socket
  1088. error on very large messages.  This is probably not a fetchmail bug, as
  1089. it has been observed with fetchpop.  The fix is to upgrade to qpopper
  1090. 3.0beta or a more recent version.  Better yet, switch to IMAP.
  1091. """
  1092.             if string.find(greetline, "Imail") > 0:
  1093.                 warnings = warnings + """
  1094. We've seen a bug report indicating that this IMAP server (at least as of
  1095. version 5.0.7) returns an invalid body size for messages with MIME
  1096. attachments; the effect is to drop the attachments on the floor.  We
  1097. recommend you upgrade to a non-broken IMAP server.
  1098. """
  1099.             closebrak = string.find(greetline, ">")
  1100.             if  closebrak > 0 and greetline[closebrak+1] == "r":
  1101.                 warnings = warnings + """
  1102. It looks like you could use APOP on this server and avoid sending it your
  1103. password in clear.  You should talk to the mailserver administrator about
  1104. this.
  1105. """
  1106.             if string.find(greetline, "IMAP2bis") > 0:
  1107.                 warnings = warnings + """
  1108. IMAP2bis servers have a minor problem; they can't peek at messages without
  1109. marking them seen.  If you take a line hit during the retrieval, the 
  1110. interrupted message may get left on the server, marked seen.
  1111. To work around this, it is recommended that you set the `fetchall'
  1112. option on all user entries associated with this server, so any stuck
  1113. mail will be retrieved next time around.
  1114. """
  1115.             if string.find(greetline, "POP3 Server Ready") > 0:
  1116.                 warnings = warnings + """
  1117. Some server that uses this greeting line has been observed to choke on
  1118. TOP %d 99999999.  Use the fetchall option. if necessary, to force RETR.
  1119. """
  1120.             if string.find(greetline, "Netscape IMAP4rev1 Service 3.6") > 0:
  1121.                 warnings = warnings + """
  1122. This server violates the RFC2060 requirement that a BODY[TEXT] fetch should
  1123. set the messages's Seen flag.  As a result, if you use the keep option the
  1124. same messages will be downloaded over and over.
  1125. """
  1126.             if string.find(greetline, "IMAP4rev1") > 0:
  1127.                 warnings = warnings + """
  1128. I see an IMAP4rev1 server.  Excellent.  This is (a) the best kind of
  1129. remote-mail server, and (b) the one the fetchmail author uses.  Fetchmail
  1130. has therefore been extremely well tested with this class of server.
  1131. """
  1132.             if warnings == '':
  1133.                 warnings = warnings + """
  1134. Fetchmail doesn't know anything special about this server type.
  1135. """
  1136.             # Display success window with warnings
  1137.             title = "Autoprobe of " + realhost + " succeeded"
  1138.             confirm = "The " + protocol + " server said:nn" + greetline + warnings
  1139.             self.protocol.set(protocol)
  1140.         confwin.title(title) 
  1141.         confwin.iconname(title)
  1142.         Label(confwin, text=title).pack()
  1143.         Message(confwin, text=confirm, width=600).pack()
  1144.         Button(confwin, text='Done', 
  1145.                    command=lambda x=confwin: Widget.destroy(x), bd=2).pack()
  1146.         
  1147. #
  1148. # User editing stuff
  1149. #
  1150. userhelp = {
  1151.     'title' : 'User option help',
  1152.     'banner': 'User options',
  1153.     'text' : """
  1154. You may use this panel to set options
  1155. that may differ between individual
  1156. users on your site.
  1157. Once you have a user configuration set
  1158. up as you like it, you can select `OK' to
  1159. store it in the user list maintained in
  1160. the site configuration window.
  1161. If you wish to discard the changes you have
  1162. made to user options, select `Quit'.
  1163. """}
  1164. localhelp = {
  1165.     'title' : 'Local name help',
  1166.     'banner': 'Local names',
  1167.     'text' : """
  1168. The local name(s) in a user entry are the
  1169. people on the client machine who should
  1170. receive mail from the poll described.
  1171. Note: if a user entry has more than one
  1172. local name, messages will be retrieved
  1173. in multidrop mode.  This complicates
  1174. the configuration issues; see the manual
  1175. page section on multidrop mode.
  1176. """}
  1177. class UserEdit(Frame, MyWidget):
  1178.     def __init__(self, username, parent):
  1179.         self.parent = parent
  1180. self.user = None
  1181. for user in parent.server.users:
  1182.     if user.remote == username:
  1183. self.user = user
  1184. if self.user == None:
  1185.     self.user = User()
  1186.     self.user.remote = username
  1187.     self.user.localnames = [username]
  1188.     parent.server.users.append(self.user)
  1189.     def edit(self, mode, master=None):
  1190. Frame.__init__(self, master)
  1191. Pack.config(self)
  1192. self.master.title('Fetchmail user ' + self.user.remote
  1193.                           + ' querying ' + self.parent.server.pollname);
  1194. self.master.iconname('Fetchmail user ' + self.user.remote);
  1195. self.post(User, 'user')
  1196. self.makeWidgets(mode, self.parent.server.pollname)
  1197.         self.keepalive = [] # Use this to anchor the PhotoImage object
  1198.         make_icon_window(self, fetchmail_gif)
  1199. # self.grab_set()
  1200. # self.focus_set()
  1201. # self.wait_window()
  1202. return self
  1203.     def destruct(self):
  1204.         del self.parent.subwidgets[self.user.remote]
  1205.         Widget.destroy(self.master)
  1206.     def nosave(self):
  1207. if ConfirmQuit(self, 'user option editing'):
  1208.             self.destruct()
  1209.     def save(self):
  1210. self.fetch(User, 'user')
  1211. self.destruct()
  1212.     def makeWidgets(self, mode, servername):
  1213. dispose_window(self,
  1214. "User options for " + self.user.remote + " querying " + servername,
  1215. userhelp)
  1216.         if mode != 'novice':
  1217.             leftwin = Frame(self);
  1218.         else:
  1219.             leftwin = self
  1220.         secwin = Frame(leftwin, relief=RAISED, bd=5)
  1221.         Label(secwin, text="Authentication").pack(side=TOP)
  1222.         LabeledEntry(secwin, 'Password:',
  1223.       self.password, '12').pack(side=TOP, fill=X)
  1224.         secwin.pack(fill=X, anchor=N)
  1225.         if 'ssl' in feature_options or 'ssl' in dictmembers:
  1226.             sslwin = Frame(leftwin, relief=RAISED, bd=5)
  1227.             Checkbutton(sslwin, text="Use SSL?",
  1228.                         variable=self.ssl).pack(side=TOP, fill=X)
  1229.             LabeledEntry(sslwin, 'SSL key:',
  1230.  self.sslkey, '14').pack(side=TOP, fill=X)
  1231.             LabeledEntry(sslwin, 'SSL certificate:',
  1232.  self.sslcert, '14').pack(side=TOP, fill=X)
  1233.             sslwin.pack(fill=X, anchor=N)
  1234.         names = Frame(leftwin, relief=RAISED, bd=5)
  1235.         Label(names, text="Local names").pack(side=TOP)
  1236.         ListEdit("New name: ",
  1237.                      self.user.localnames, None, None, names, localhelp)
  1238.         names.pack(fill=X, anchor=N)
  1239.         if mode != 'novice':
  1240.             targwin = Frame(leftwin, relief=RAISED, bd=5)
  1241.             Label(targwin, text="Forwarding Options").pack(side=TOP)
  1242.             Label(targwin, text="Listeners to forward to").pack(side=TOP)
  1243.             ListEdit("New listener:",
  1244.                      self.user.smtphunt, None, None, targwin, None)
  1245.             LabeledEntry(targwin, 'Append to MAIL FROM line:',
  1246.      self.smtpaddress, '26').pack(side=TOP, fill=X)
  1247.             LabeledEntry(targwin, 'Connection setup command:',
  1248.      self.preconnect, '26').pack(side=TOP, fill=X)
  1249.             LabeledEntry(targwin, 'Connection wrapup command:',
  1250.      self.postconnect, '26').pack(side=TOP, fill=X)
  1251.             LabeledEntry(targwin, 'Local delivery agent:',
  1252.      self.mda, '26').pack(side=TOP, fill=X)
  1253.             LabeledEntry(targwin, 'BSMTP output file:',
  1254.      self.bsmtp, '26').pack(side=TOP, fill=X)
  1255.             LabeledEntry(targwin, 'Listener spam-block codes:',
  1256.      self.antispam, '26').pack(side=TOP, fill=X)
  1257.             LabeledEntry(targwin, 'Pass-through properties:',
  1258.      self.properties, '26').pack(side=TOP, fill=X)
  1259.             Checkbutton(targwin, text="Use LMTP?",
  1260.                         variable=self.lmtp).pack(side=TOP, fill=X)
  1261.             targwin.pack(fill=X, anchor=N)
  1262.         if mode != 'novice':
  1263.             leftwin.pack(side=LEFT, fill=X, anchor=N)
  1264.             rightwin = Frame(self)
  1265.         else:
  1266.             rightwin = self
  1267. optwin = Frame(rightwin, relief=RAISED, bd=5)
  1268. Label(optwin, text="Processing Options").pack(side=TOP)
  1269. Checkbutton(optwin, text="Suppress deletion of messages after reading",
  1270.     variable=self.keep).pack(side=TOP, anchor=W)
  1271. Checkbutton(optwin, text="Fetch old messages as well as new",
  1272.     variable=self.fetchall).pack(side=TOP, anchor=W)
  1273.         if mode != 'novice':
  1274.             Checkbutton(optwin, text="Flush seen messages before retrieval", 
  1275.     variable=self.flush).pack(side=TOP, anchor=W)
  1276.             Checkbutton(optwin, text="Rewrite To/Cc/Bcc messages to enable reply", 
  1277.     variable=self.rewrite).pack(side=TOP, anchor=W)
  1278.             Checkbutton(optwin, text="Force CR/LF at end of each line",
  1279.     variable=self.forcecr).pack(side=TOP, anchor=W)
  1280.             Checkbutton(optwin, text="Strip CR from end of each line",
  1281.     variable=self.stripcr).pack(side=TOP, anchor=W)
  1282.             Checkbutton(optwin, text="Pass 8 bits even though SMTP says 7BIT",
  1283.     variable=self.pass8bits).pack(side=TOP, anchor=W)
  1284.             Checkbutton(optwin, text="Undo MIME armoring on header and body",
  1285.     variable=self.mimedecode).pack(side=TOP, anchor=W)
  1286.             Checkbutton(optwin, text="Drop Status lines from forwarded messages", 
  1287.     variable=self.dropstatus).pack(side=TOP, anchor=W)
  1288. optwin.pack(fill=X)
  1289.         if mode != 'novice':
  1290.             limwin = Frame(rightwin, relief=RAISED, bd=5)
  1291.             Label(limwin, text="Resource Limits").pack(side=TOP)
  1292.             LabeledEntry(limwin, 'Message size limit:',
  1293.       self.limit, '30').pack(side=TOP, fill=X)
  1294.             LabeledEntry(limwin, 'Size warning interval:',
  1295.       self.warnings, '30').pack(side=TOP, fill=X)
  1296.             LabeledEntry(limwin, 'Max messages to fetch per poll:',
  1297.       self.fetchlimit, '30').pack(side=TOP, fill=X)
  1298.             LabeledEntry(limwin, 'Max messages to forward per poll:',
  1299.       self.batchlimit, '30').pack(side=TOP, fill=X)
  1300.             if self.parent.server.protocol in ('IMAP', 'IMAP-K4', 'IMAP-GSS'):
  1301.                 LabeledEntry(limwin, 'Interval between expunges (IMAP):',
  1302.                              self.expunge, '30').pack(side=TOP, fill=X)
  1303.             limwin.pack(fill=X)
  1304.             if self.parent.server.protocol in ('IMAP', 'IMAP-K4', 'IMAP-GSS'):
  1305.                 foldwin = Frame(rightwin, relief=RAISED, bd=5)
  1306.                 Label(foldwin, text="Remote folders (IMAP only)").pack(side=TOP)
  1307.                 ListEdit("New folder:", self.user.mailboxes,
  1308.                          None, None, foldwin, None)
  1309.                 foldwin.pack(fill=X, anchor=N)
  1310.         if mode != 'novice':
  1311.             rightwin.pack(side=LEFT)
  1312.         else:
  1313.             self.pack()
  1314. #
  1315. # Top-level window that offers either novice or expert mode
  1316. # (but not both at once; it disappears when one is selected).
  1317. #
  1318. class Configurator(Frame):
  1319.     def __init__(self, outfile, master, onexit, parent):
  1320. Frame.__init__(self, master)
  1321.         self.outfile = outfile
  1322.         self.onexit = onexit
  1323.         self.parent = parent
  1324. self.master.title('fetchmail configurator');
  1325. self.master.iconname('fetchmail configurator');
  1326. Pack.config(self)
  1327.         self.keepalive = [] # Use this to anchor the PhotoImage object
  1328.         make_icon_window(self, fetchmail_gif)
  1329. Message(self, text="""
  1330. Use `Novice Configuration' for basic fetchmail setup;
  1331. with this, you can easily set up a single-drop connection
  1332. to one remote mail server.
  1333. """, width=600).pack(side=TOP)
  1334. Button(self, text='Novice Configuration',
  1335. fg='blue', command=self.novice).pack()
  1336. Message(self, text="""
  1337. Use `Expert Configuration' for advanced fetchmail setup,
  1338. including multiple-site or multidrop connections.
  1339. """, width=600).pack(side=TOP)
  1340. Button(self, text='Expert Configuration',
  1341. fg='blue', command=self.expert).pack()
  1342. Message(self, text="""
  1343. Or you can just select `Quit' to leave the configurator now and
  1344. return to the main panel.
  1345. """, width=600).pack(side=TOP)
  1346. Button(self, text='Quit', fg='blue', command=self.leave).pack()
  1347.         master.protocol("WM_DELETE_WINDOW", self.leave)
  1348.     def novice(self):
  1349. self.master.destroy()
  1350. ConfigurationEdit(Fetchmailrc, self.outfile, Toplevel(), self.onexit).edit('novice')
  1351.     def expert(self):
  1352. self.master.destroy()
  1353. ConfigurationEdit(Fetchmailrc, self.outfile, Toplevel(), self.onexit).edit('expert')
  1354.     def leave(self):
  1355.         self.master.destroy()
  1356.         self.onexit()
  1357. # Run a command in a scrolling text widget, displaying its output
  1358. class RunWindow(Frame):
  1359.     def __init__(self, command, master, parent):
  1360. Frame.__init__(self, master)
  1361.         self.master = master
  1362. self.master.title('fetchmail run window');
  1363. self.master.iconname('fetchmail run window');
  1364. Pack.config(self)
  1365. Label(self,
  1366. text="Running "+command, 
  1367. bd=2).pack(side=TOP, pady=10)
  1368.         self.keepalive = [] # Use this to anchor the PhotoImage object
  1369.         make_icon_window(self, fetchmail_gif)
  1370.         # This is a scrolling text window
  1371. textframe = Frame(self)
  1372. scroll = Scrollbar(textframe)
  1373. self.textwidget = Text(textframe, setgrid=TRUE)
  1374. textframe.pack(side=TOP, expand=YES, fill=BOTH)
  1375. self.textwidget.config(yscrollcommand=scroll.set)
  1376. self.textwidget.pack(side=LEFT, expand=YES, fill=BOTH)
  1377. scroll.config(command=self.textwidget.yview)
  1378. scroll.pack(side=RIGHT, fill=BOTH)
  1379.         textframe.pack(side=TOP)
  1380. Button(self, text='Quit', fg='blue', command=self.leave).pack()
  1381.         self.update() # Draw widget before executing fetchmail
  1382.         child_stdout = os.popen(command + " 2>&1", "r")
  1383.         while 1:
  1384.             ch = child_stdout.read(1)
  1385.             if not ch:
  1386.                 break
  1387.             self.textwidget.insert(END, ch)
  1388.         self.textwidget.insert(END, "Done.")
  1389.         self.textwidget.see(END);
  1390.     def leave(self):
  1391.         Widget.destroy(self.master)
  1392. # Here's where we choose either configuration or launching
  1393. class MainWindow(Frame):
  1394.     def __init__(self, outfile, master=None):
  1395. Frame.__init__(self, master)
  1396.         self.outfile = outfile
  1397. self.master.title('fetchmail launcher');
  1398. self.master.iconname('fetchmail launcher');
  1399. Pack.config(self)
  1400. Label(self,
  1401. text='Fetchmailconf ' + version, 
  1402. bd=2).pack(side=TOP, pady=10)
  1403.         self.keepalive = [] # Use this to anchor the PhotoImage object
  1404.         make_icon_window(self, fetchmail_gif)
  1405.         self.debug = 0
  1406. Message(self, text="""
  1407. Use `Configure fetchmail' to tell fetchmail about the remote
  1408. servers it should poll (the host name, your username there,
  1409. whether to use POP or IMAP, and so forth).
  1410. """, width=600).pack(side=TOP)
  1411. self.configbutton = Button(self, text='Configure fetchmail',
  1412. fg='blue', command=self.configure)
  1413.         self.configbutton.pack()
  1414. Message(self, text="""
  1415. Use `Test fetchmail' to run fetchmail with debugging enabled.
  1416. This is a good way to test out a new configuration.
  1417. """, width=600).pack(side=TOP)
  1418. Button(self, text='Test fetchmail',fg='blue', command=self.test).pack()
  1419. Message(self, text="""
  1420. Use `Run fetchmail' to run fetchmail in foreground.
  1421. Progress  messages will be shown, but not debug messages.
  1422. """, width=600).pack(side=TOP)
  1423. Button(self, text='Run fetchmail', fg='blue', command=self.run).pack()
  1424. Message(self, text="""
  1425. Or you can just select `Quit' to exit the launcher now.
  1426. """, width=600).pack(side=TOP)
  1427. Button(self, text='Quit', fg='blue', command=self.leave).pack()
  1428.     def configure(self):
  1429.         self.configbutton.configure(state=DISABLED)
  1430.         Configurator(self.outfile, Toplevel(),
  1431.                      lambda self=self: self.configbutton.configure(state=NORMAL),
  1432.                      self)
  1433.     def test(self):
  1434.      RunWindow("fetchmail -d0 -v --nosyslog", Toplevel(), self)
  1435.     def run(self):
  1436.      RunWindow("fetchmail -d0", Toplevel(), self)
  1437.     def leave(self):
  1438.         self.quit()
  1439. # Functions for turning a dictionary into an instantiated object tree.
  1440. def intersect(list1, list2):
  1441. # Compute set intersection of lists
  1442.     res = []
  1443.     for x in list1:
  1444. if x in list2:
  1445.     res.append(x)
  1446.     return res
  1447. def setdiff(list1, list2):
  1448. # Compute set difference of lists
  1449.     res = []
  1450.     for x in list1:
  1451. if not x in list2:
  1452.     res.append(x)
  1453.     return res
  1454. def copy_instance(toclass, fromdict):
  1455. # Initialize a class object of given type from a conformant dictionary.
  1456.     for fld in fromdict.keys():
  1457.         if not fld in dictmembers:
  1458.             dictmembers.append(fld)
  1459. # The `optional' fields are the ones we can ignore for purposes of
  1460. # conformability checking; they'll still get copied if they are
  1461. # present in the dictionary.
  1462.     optional = ('interface', 'monitor', 'netsec', 'ssl', 'sslkey', 'sslcert')
  1463.     class_sig = setdiff(toclass.__dict__.keys(), optional)
  1464.     class_sig.sort()
  1465.     dict_keys = setdiff(fromdict.keys(), optional)
  1466.     dict_keys.sort()
  1467.     common = intersect(class_sig, dict_keys)
  1468.     if 'typemap' in class_sig: 
  1469. class_sig.remove('typemap')
  1470.     if tuple(class_sig) != tuple(dict_keys):
  1471. print "Fields don't match what fetchmailconf expected:"
  1472. # print "Class signature: " + `class_sig`
  1473. # print "Dictionary keys: " + `dict_keys`
  1474. diff = setdiff(class_sig, common)
  1475.         if diff:
  1476.             print "Not matched in class `" + toclass.__class__.__name__ + "' signature: " + `diff`
  1477.         diff = setdiff(dict_keys, common)
  1478.         if diff:
  1479.             print "Not matched in dictionary keys: " + `diff`
  1480. sys.exit(1)
  1481.     else:
  1482. for x in fromdict.keys():
  1483.     setattr(toclass, x, fromdict[x])
  1484. #
  1485. # And this is the main sequence.  How it works:  
  1486. #
  1487. # First, call `fetchmail --configdump' and trap the output in a tempfile.
  1488. # This should fill it with a Python initializer for a variable `fetchmailrc'.
  1489. # Run execfile on the file to pull fetchmailrc into Python global space.
  1490. # You don't want static data, though; you want, instead, a tree of objects
  1491. # with the same data members and added appropriate methods.
  1492. #
  1493. # This is what the copy_instance function() is for.  It tries to copy a
  1494. # dictionary field by field into a class, aborting if the class and dictionary
  1495. # have different data members (except for any typemap member in the class;
  1496. # that one is strictly for use by the MyWidget supperclass).
  1497. #
  1498. # Once the object tree is set up, require user to choose novice or expert
  1499. # mode and instantiate an edit object for the configuration.  Class methods
  1500. # will take it all from there.
  1501. #
  1502. # Options (not documented because they're for fetchmailconf debuggers only):
  1503. # -d: Read the configuration and dump it to stdout before editing.  Dump
  1504. #     the edited result to stdout as well.
  1505. # -f: specify the run control file to read.
  1506. if __name__ == '__main__': 
  1507.     if not os.environ.has_key("DISPLAY"):
  1508.         print "fetchmailconf must be run under X"
  1509.         sys.exit(1)
  1510.     fetchmail_gif = """
  1511. R0lGODdhPAAoAPcAAP///wgICBAQEISEhIyMjJSUlKWlpa2trbW1tcbGxs7Ozufn5+/v7//39yEY
  1512. GNa9tUoxKZyEe1o5KTEQAN7OxpyMhIRjUvfn3pxSKYQ5EO/Wxv/WvWtSQrVzSmtCKWspAMatnP/e
  1513. xu+1jIxSKaV7Wt6ca5xSGK2EY8aUa72MY86UY617UsaMWrV7SpRjOaVrOZRaKYxSIXNCGGs5EIRC
  1514. CJR7Y/+UMdbOxnNrY97Ove/Wvd7GrZyEa961jL2Ua9alc86ca7WEUntSKcaMSqVjGNZ7GGM5CNa1
  1515. jPfOnN6tc3taMffeve/WtWtaQv/OjGtSMYRzWv/erda1hM6te7WUY62MWs61jP/vzv/ntda9jL2l
  1516. czEhAO/n1oyEc//elDEpGEo5EOfexpyUe+/epefevffvxnNrQpyUStbWzsbGvZyclN7ezmNjWv//
  1517. 5/f33qWllNbWve/vzv//1ufnve/vvf//xvf3vefnrf//taWlc0pKMf//pbW1Y///jKWlWq2tWsbG
  1518. Y///c97eUvf3Ut7nc+/3a87We8bOjOfv1u/37/f//621tb3Gxtbn52Nra87n53uUlJTv/6W9xuf3
  1519. /8bW3iExOXu11tbv/5TW/4TO/63e/zmt/1KUxlK1/2u9/wCM/73GzrXG1gBKjACE/87e72NzhCkx
  1520. OaXO92OMtUql/xCE/wApUtbe57W9xnN7hHut52Ot/xBSnABKnABavQB7/2ul7zF71gBr77XO73Oc
  1521. 1lqc9yFSlBApSimE/wAYOQApY0J7zlKM5wAxhABS1gBj/6W95wAhWgA5nAAYSgBS7wBS/wBK9wAp
  1522. jABC5wBK/wApnABC/wApxgAhtYSMtQAQYwAp/3OE74SMxgAYxlpjvWNr70pS/wgQ3sbGzs7O1qWl
  1523. 3qWl70pKe0JC/yEhlCkp/wgI/wAAEAAAIQAAKQAAOQAASgAAUgAAYwAAawAAlAAAnAAApQAArQAA
  1524. zgAA1gAA5wAA9wAA/0pC/xgQ52Na9ykhe4R7zikhYxgQSjEpQgAAACwAAAAAPAAoAAAI/wABCBxI
  1525. sKDBgwgTKiRIYKHDhxARIvgXsaLFhGgEUBSYoKPHjyBDihxJkuS/kwNLqlzJcuTJjQBaypxpEiVH
  1526. mjhxvkyZs2fLnTd9ehxAtKjRo0ZrwhTasUsENhYHKOUpk1E3j11mxCBiQVLEBlJd2owp9iVRjwUs
  1527. zMCQ5IcLD4saPVxjIKxIoGTvvqSoyFEFGTBeqEhyxAoSFR/USGKVcEGBAwDshsSr1OYTEyhQpJiS
  1528. ZcoUKWOQtJDRJFSaggzUGBgoGSTlsjahlPCRIkWVKT16THHRIoqIISBIEUgAYIGBhgRbf3ytFygU
  1529. FZp9UDmxQkkMCRwyZKDBQy4aApABhP8XqNwj88l7BVpQYZtF5iArWgwAgGZBq24HU7OeGhQ90PVA
  1530. aKZZCiiUMJ9ArSTEwGqR8ZeXfzbV0MIIMQTBwoUdxDDfAm8sZFyDZVEF4UYSKBEBD0+k6IEFPMxH
  1531. 3FzldXSea+kBgANJSOWIlIMhXZXAXv+c1WM3PuJEpH8iuhbAkv+MdENPRHaTRkdF/jiWSKCAwlKW
  1532. VbbkY5Q0LgUSKExgoYBKCjCxARpdltQNKHaUoYAddnR53lVRnJLKBWh4RIEGCZx5FSOv1OLNDUVe
  1533. deZHaWiZAB35fIOGNtbEUeV5oGAByzPOrBPFGt3kwEgxITACSg5oLGGLMg60oQAjaNz/oAAcN4Ai
  1534. a0c3kHFDK3jYsw4g9sRzBgPLXdkRrBrQ8gsWQUxCCRZX9IJNBQ1s8IgCdeBCzBYN6IBIN2TUsQYd
  1535. dXhDBxdzlAHOHHKEcocZdWwDjx8MTCmjsR2FMAstw1RyiSzHqPLALaOwk8QmzCzDCSi0xJKMMk4E
  1536. Yw8389iTDT32GAKOPf7YY0Aa9tATyD3w/EGsefgmgEYUtPiChLKWQDMBJtEUgYkzH2RiTgGfTMCI
  1537. Mlu0Yc85hNiDziH2tMqOGL72QY47gshLb7Fi4roELcjoQIsxWpDwQyfS2OCJMkLI4YUmyhgxSTVg
  1538. CP2FHPZ80UDcieBjStNPD5LPOyZT/y0iHGiMwswexDSzRiRq6KIMJBc4M8skwKAyChia2KPH3P24
  1539. YU8/lFhOTj152OPOHuXMU4g48vCRiN/9rZGLMdS4csUu1JzDgxuipOMDHMKsAwEnq/ByzTrrZMNO
  1540. OtO0k84+7KjzBjzplMJOOOOoo8846/ATxqJWinkkGUyEkMAaIezABQM3bMAEK1xEsUMDGjARRxhY
  1541. xEGGHfPjEcccca6BRxhyuEMY7FCHMNDhf9140r2qRiVvdENQ3liUArzREW/0qRsRVIAGFfBADnLw
  1542. gUSiYASJpMEHhilJTEnhAlGoQqYAZQ1AiqEMZ0jDGtqQImhwwA13yMMevoQAGvGhEAWHGMOAAAA7
  1543. """
  1544. # Note on making icons: the above was generated by the following procedure:
  1545. #
  1546. # import base64
  1547. # data = open("fetchmail.gif", "rb").read()
  1548. # print "fetchmail_gif =\"
  1549. # print repr(base64.encodestring(data))
  1550. #
  1551.     # Process options
  1552.     (options, arguments) = getopt.getopt(sys.argv[1:], "df:")
  1553.     dump = rcfile = None;
  1554.     for (switch, val) in options:
  1555.         if (switch == '-d'):
  1556.             dump = TRUE
  1557.         elif (switch == '-f'):
  1558.             rcfile = val
  1559.     # Get client host's FQDN
  1560.     hostname = socket.gethostbyaddr(socket.gethostname())[0]
  1561.     # Compute defaults
  1562.     ConfigurationDefaults = Configuration()
  1563.     ServerDefaults = Server()
  1564.     UserDefaults = User()
  1565.     # Read the existing configuration
  1566.     tmpfile = "/tmp/fetchmailconf." + `os.getpid()`
  1567.     if rcfile:
  1568.         cmd = "fetchmail -f " + rcfile + " --configdump --nosyslog >" + tmpfile
  1569.     else:
  1570.         cmd = "fetchmail --configdump --nosyslog >" + tmpfile
  1571.         
  1572.     try:
  1573.         s = os.system(cmd)
  1574. if s != 0:
  1575.             print "`" + cmd + "' run failure, status " + `s`
  1576.             raise SystemExit
  1577.     except:
  1578.         print "Unknown error while running fetchmail --configdump"
  1579.         os.remove(tmpfile)
  1580.         sys.exit(1)
  1581.     try:
  1582.         execfile(tmpfile)
  1583.     except:
  1584.         print "Can't read configuration output of fetchmail --configdump."
  1585.         os.remove(tmpfile)
  1586.         sys.exit(1)
  1587.         
  1588.     os.remove(tmpfile)
  1589.     # The tricky part -- initializing objects from the configuration global
  1590.     # `Configuration' is the top level of the object tree we're going to mung.
  1591.     # The dictmembers list is used to track the set of fields the dictionary
  1592.     # contains; in particular, we can use it to tell whether things like the
  1593.     # monitor, interface, netsec, ssl, sslkey, or sslcert fields are present.
  1594.     dictmembers = []
  1595.     Fetchmailrc = Configuration()
  1596.     copy_instance(Fetchmailrc, fetchmailrc)
  1597.     Fetchmailrc.servers = [];
  1598.     for server in fetchmailrc['servers']:
  1599. Newsite = Server()
  1600. copy_instance(Newsite, server)
  1601. Fetchmailrc.servers.append(Newsite)
  1602. Newsite.users = [];
  1603. for user in server['users']:
  1604.     Newuser = User()
  1605.     copy_instance(Newuser, user)
  1606.     Newsite.users.append(Newuser)
  1607.     # We may want to display the configuration and quit
  1608.     if dump:
  1609.         print "This is a dump of the configuration we read:n"+`Fetchmailrc`
  1610.     # The theory here is that -f alone sets the rcfile location,
  1611.     # but -d and -f together mean the new configuration should go to stdout.
  1612.     if not rcfile and not dump:
  1613.         rcfile = os.environ["HOME"] + "/.fetchmailrc"
  1614.     # OK, now run the configuration edit
  1615.     root = MainWindow(rcfile)
  1616.     root.mainloop()
  1617. # The following sets edit modes for GNU EMACS
  1618. # Local Variables:
  1619. # mode:python
  1620. # End: