]> git.ipfire.org Git - ddns.git/blob - src/ddns/__init__.py
Add runtime check for providers if all dependencies are met
[ddns.git] / src / ddns / __init__.py
1 #!/usr/bin/python
2 ###############################################################################
3 # #
4 # ddns - A dynamic DNS client for IPFire #
5 # Copyright (C) 2012 IPFire development team #
6 # #
7 # This program is free software: you can redistribute it and/or modify #
8 # it under the terms of the GNU General Public License as published by #
9 # the Free Software Foundation, either version 3 of the License, or #
10 # (at your option) any later version. #
11 # #
12 # This program is distributed in the hope that it will be useful, #
13 # but WITHOUT ANY WARRANTY; without even the implied warranty of #
14 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the #
15 # GNU General Public License for more details. #
16 # #
17 # You should have received a copy of the GNU General Public License #
18 # along with this program. If not, see <http://www.gnu.org/licenses/>. #
19 # #
20 ###############################################################################
21
22 import logging
23 import logging.handlers
24 import ConfigParser
25
26 from i18n import _
27
28 logger = logging.getLogger("ddns.core")
29 logger.propagate = 1
30
31 import database
32 import providers
33
34 from .errors import *
35 from .system import DDNSSystem
36
37 # Setup the logger.
38 def setup_logging():
39 rootlogger = logging.getLogger("ddns")
40 rootlogger.setLevel(logging.INFO)
41
42 # Setup a logger that logs to syslog.
43 handler = logging.handlers.SysLogHandler(address="/dev/log",
44 facility=logging.handlers.SysLogHandler.LOG_DAEMON
45 )
46 formatter = logging.Formatter("ddns[%(process)d]: %(message)s")
47 handler.setFormatter(formatter)
48 handler.setLevel(logging.INFO)
49 rootlogger.addHandler(handler)
50
51 handler = logging.StreamHandler()
52 rootlogger.addHandler(handler)
53
54 setup_logging()
55
56 class DDNSCore(object):
57 def __init__(self, debug=False):
58 # In debug mode, enable debug logging.
59 if debug:
60 rootlogger = logging.getLogger("ddns")
61 rootlogger.setLevel(logging.DEBUG)
62
63 logger.debug(_("Debugging mode enabled"))
64
65 # Initialize the settings array.
66 self.settings = {}
67
68 # Dict with all providers, that are supported.
69 self.providers = providers.get()
70
71 for handle, provider in sorted(self.providers.items()):
72 logger.debug("Registered new provider: %s (%s)" % (provider.name, provider.handle))
73
74 # List of configuration entries.
75 self.entries = []
76
77 # Add the system class.
78 self.system = DDNSSystem(self)
79
80 # Open the database.
81 self.db = database.DDNSDatabase(self, "/var/lib/ddns.db")
82
83 def get_provider_names(self):
84 """
85 Returns a list of names of all registered providers.
86 """
87 return sorted(self.providers.keys())
88
89 def load_configuration(self, filename):
90 logger.debug(_("Loading configuration file %s") % filename)
91
92 configs = ConfigParser.RawConfigParser()
93 configs.read([filename,])
94
95 # First apply all global configuration settings.
96 try:
97 for k, v in configs.items("config"):
98 self.settings[k] = v
99
100 # Allow missing config section
101 except ConfigParser.NoSectionError:
102 pass
103
104 for entry in configs.sections():
105 # Skip the special config section.
106 if entry == "config":
107 continue
108
109 settings = {}
110 for k, v in configs.items(entry):
111 settings[k] = v
112 settings["hostname"] = entry
113
114 # Get the name of the provider.
115 provider = settings.get("provider", None)
116 if not provider:
117 logger.warning("Entry '%s' lacks a provider setting. Skipping." % entry)
118 continue
119
120 # Try to find the provider with the wanted name.
121 try:
122 provider = self.providers[provider]
123 except KeyError:
124 logger.warning("Could not find provider '%s' for entry '%s'." % (provider, entry))
125 continue
126
127 # Check if the provider is actually supported and if there are
128 # some dependencies missing on this system.
129 if not provider.supported():
130 logger.warning("Provider '%s' is known, but not supported on this machine" % (provider.name))
131 continue
132
133 # Create an instance of the provider object with settings from the
134 # configuration file.
135 entry = provider(self, **settings)
136
137 # Add new entry to list (if not already exists).
138 if not entry in self.entries:
139 self.entries.append(entry)
140
141 def updateone(self, hostname, **kwargs):
142 for entry in self.entries:
143 if not entry.hostname == hostname:
144 continue
145
146 return self._update(entry, **kwargs)
147
148 raise DDNSHostNotFoundError(hostname)
149
150 def updateall(self, **kwargs):
151 """
152 Update all configured entries.
153 """
154 # If there are no entries, there is nothing to do.
155 if not self.entries:
156 logger.debug(_("Found no entries in the configuration file. Exiting."))
157 return
158
159 for entry in self.entries:
160 self._update(entry, **kwargs)
161
162 def _update(self, entry, force=False):
163 try:
164 entry(force=force)
165
166 except DDNSError, e:
167 logger.error(_("Dynamic DNS update for %(hostname)s (%(provider)s) failed:") % \
168 { "hostname" : entry.hostname, "provider" : entry.name })
169 logger.error(" %s: %s" % (e.__class__.__name__, e.reason))
170 if e.message:
171 logger.error(" %s" % e.message)
172
173 except Exception, e:
174 logger.error(_("Dynamic DNS update for %(hostname)s (%(provider)s) throwed an unhandled exception:") % \
175 { "hostname" : entry.hostname, "provider" : entry.name }, exc_info=True)