2 # mw - VCS-like nonsense for MediaWiki websites
3 # Copyright (C) 2011 Ian Weller <ian@ianweller.org> and others
5 # This program is free software; you can redistribute it and/or modify
6 # it under the terms of the GNU General Public License as published by
7 # the Free Software Foundation; either version 2 of the License, or
8 # (at your option) any later version.
10 # This program is distributed in the hope that it will be useful,
11 # but WITHOUT ANY WARRANTY; without even the implied warranty of
12 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
13 # GNU General Public License for more details.
15 # You should have received a copy of the GNU General Public License along
16 # with this program. If not, see <http://www.gnu.org/licenses/>.
24 from optparse import OptionParser, OptionGroup
26 import simplemediawiki
31 class CommandBase(object):
33 def __init__(self, name, description, usage=None):
34 self.me = os.path.basename(sys.argv[0])
35 self.description = description
37 usage = '%prog ' + name
39 usage = '%%prog %s %s' % (name, usage)
40 self.parser = OptionParser(usage=usage, description=description)
42 self.metadir = mw.metadir.Metadir()
46 (self.options, self.args) = self.parser.parse_args()
47 self.args = self.args[1:] # don't need the first thing
50 def _do_command(self):
54 user = raw_input('Username: ')
55 passwd = getpass.getpass()
56 result = self.api.call({'action': 'login',
58 'lgpassword': passwd})
59 if result['login']['result'] == 'Success':
60 # cookies are saved to a file
61 print 'Login successful! (yay)'
62 elif result['login']['result'] == 'NeedToken':
63 print 'Login with token'
64 result = self.api.call({'action': 'login',
67 'lgtoken': result['login']['token']})
68 if result['login']['result'] == 'Success':
69 print 'Login successful! (yay)'
71 print 'Login failed: %s' % result['login']['result']
73 print 'Login failed: %s' % result['login']['result']
75 def _die_if_no_init(self):
76 if self.metadir.config is None:
77 print '%s: not a mw repo' % self.me
81 cookie_filename = os.path.join(self.metadir.location, 'cookies')
82 self.api_url = self.metadir.config.get('remote', 'api_url')
83 self.api = simplemediawiki.MediaWiki(self.api_url,
84 cookie_file=cookie_filename)
87 class InitCommand(CommandBase):
91 CommandBase.__init__(self, 'init', 'start a mw repo', usage)
93 def _do_command(self):
94 if len(self.args) < 1:
95 self.parser.error('must have URL to remote api.php')
96 elif len(self.args) > 1:
97 self.parser.error('too many arguments')
98 self.metadir.create(self.args[0])
101 class LoginCommand(CommandBase):
104 CommandBase.__init__(self, 'login', 'authenticate with wiki')
106 def _do_command(self):
107 self._die_if_no_init()
112 class LogoutCommand(CommandBase):
115 CommandBase.__init__(self, 'logout', 'forget authentication')
117 def _do_command(self):
118 self._die_if_no_init()
120 os.unlink(os.path.join(self.metadir.location, 'cookies'))
125 class PullCategoryMembersCommand(CommandBase):
128 usage = '[options] PAGENAME ...'
129 CommandBase.__init__(self, 'pullcat', 'add remote pages to repo '
130 'belonging to the given category', usage)
132 def _do_command(self):
133 self._die_if_no_init()
137 for these_pages in [pages[i:i + 25] for i in range(0, len(pages), 25)]:
140 'gcmtitle': '|'.join(these_pages),
141 'generator': 'categorymembers',
144 response = self.api.call(data)['query']['pages']
145 for pageid in response.keys():
146 pagename = response[pageid]['title']
148 pullc = PullCommand()
149 pullc.args = [pagename.encode('utf-8')]
153 class PullCommand(CommandBase):
156 usage = '[options] PAGENAME ...'
157 CommandBase.__init__(self, 'pull', 'add remote pages to repo', usage)
159 def _do_command(self):
160 self._die_if_no_init()
165 # Pull should work with pagename, filename, or working directory
168 pages = self.metadir.working_dir_status().keys()
169 for pagename in pages:
170 if '.wiki' in pagename:
171 converted_pages.append(
172 mw.metadir.filename_to_pagename(pagename[:-5]))
174 converted_pages.append(pagename)
175 pages = converted_pages
177 for these_pages in [pages[i:i + 25] for i in range(0, len(pages), 25)]: # XXX ?
180 'titles': '|'.join(these_pages),
181 'prop': 'info|revisions',
182 'rvprop': 'ids|flags|timestamp|user|comment|content',
184 response = self.api.call(data)['query']['pages']
185 # for every pageid, returns dict.keys() = {'lastrevid', 'pageid', 'title', 'counter', 'length', 'touched': u'2011-02-02T19:32:04Z', 'ns', 'revisions' {...}}
186 for pageid in response.keys():
187 pagename = response[pageid]['title']
189 # XXX is the revisions list a sorted one, should I use [0] or [-1]?
190 last_wiki_rev_comment = response[pageid]['revisions'][0]['comment']
191 last_wiki_rev_user = response[pageid]['revisions'][0]['user']
193 # check if working file is modified or if wiki page doesn't exists
194 status = self.metadir.working_dir_status()
195 filename = mw.metadir.pagename_to_filename(pagename)
196 full_filename = os.path.join(self.metadir.root, filename + '.wiki')
197 if filename + '.wiki' in status and \
198 status[filename + '.wiki' ] in ['M']:
199 print 'skipping: %s -- uncommitted modifications ' % (pagename)
201 if 'missing' in response[pageid].keys():
202 print '%s: %s: page does not exist, file not created' % \
206 wiki_revids = sorted([x['revid'] for x in response[pageid]['revisions']])
207 last_wiki_revid = wiki_revids[-1]
208 working_revids = sorted(self.metadir.pages_get_rv_list({'id' : pageid}))
209 last_working_revid = working_revids[-1]
210 if ( os.path.exists(full_filename) and
211 last_wiki_revid == last_working_revid):
212 print 'wiki unchanged: %s' % (pagename)
214 print 'pulling: %s : %s -- %s' % (
215 pagename, last_wiki_rev_comment, last_wiki_rev_user)
216 self.metadir.pagedict_add(pagename, pageid, last_wiki_revid)
217 self.metadir.pages_add_rv(int(pageid),
218 response[pageid]['revisions'][0])
219 with file(full_filename, 'w') as fd:
220 data = response[pageid]['revisions'][0]['*']
221 data = data.encode('utf-8')
225 class StatusCommand(CommandBase):
228 CommandBase.__init__(self, 'status', 'check repo status')
229 self.shortcuts.append('st')
231 def _do_command(self):
232 self._die_if_no_init()
233 status = self.metadir.working_dir_status()
234 for filename in status:
235 print '%s %s' % (status[filename], filename)
238 class DiffCommand(CommandBase):
241 CommandBase.__init__(self, 'diff', 'diff wiki to working directory')
243 def _do_command(self):
244 self._die_if_no_init()
245 status = self.metadir.working_dir_status()
246 for filename in status:
247 if status[filename] == 'M':
248 print self.metadir.diff_rv_to_working(
249 mw.metadir.filename_to_pagename(filename[:-5])),
252 class CommitCommand(CommandBase):
256 CommandBase.__init__(self, 'commit', 'commit changes to wiki', usage)
257 self.shortcuts.append('ci')
258 self.parser.add_option('-m', '--message', dest='edit_summary',
259 help='don\'t prompt for edit summary and '
261 self.parser.add_option('-b', '--bot', dest='bot', action='store_true',
262 help='mark actions as a bot (won\'t affect '
263 'anything if you don\'t have the bot right',
266 def _do_command(self):
267 self._die_if_no_init()
269 status = self.metadir.working_dir_status(files=self.args)
270 nothing_to_commit = True
271 for filename in status:
272 print '%s %s' % (status[filename], filename)
273 if status[filename] in ['M']:
274 nothing_to_commit = False
275 if nothing_to_commit:
276 print 'nothing to commit'
278 if self.options.edit_summary == None:
279 print 'Edit summary:',
280 edit_summary = raw_input()
282 edit_summary = self.options.edit_summary
283 for file_num, filename in enumerate(status):
284 if status[filename] in ['M']:
288 'prop': 'info|revisions',
290 'titles': mw.metadir.filename_to_pagename(filename[:-5]),
292 response = self.api.call(data)
293 pages = response['query']['pages']
294 pageid = pages.keys()[0]
295 revid = pages[pageid]['revisions'][0]['revid']
297 self.metadir.pages_get_rv_list({'id': pageid})[0]
298 if revid != awaitedrevid:
299 print 'warning: edit conflict detected on %s (%s -> %s) ' \
300 '-- skipping!' % (file, awaitedrevid, revid)
302 edittoken = pages[pageid]['edittoken']
303 full_filename = os.path.join(self.metadir.root, filename)
304 text = codecs.open(full_filename, 'r', 'utf-8').read()
305 text = text.encode('utf-8')
306 if (len(text) != 0) and (text[-1] == '\n'):
310 textmd5 = md5.hexdigest()
313 'title': mw.metadir.filename_to_pagename(filename[:-5]),
317 'summary': edit_summary,
321 response = self.api.call(data)
322 if 'error' in response:
323 if 'code' in response['error']:
324 if response['error']['code'] == 'permissiondenied':
325 print 'Permission denied -- try running "mw login"'
327 if response['edit']['result'] == 'Success':
328 if 'nochange' in response['edit']:
329 print 'warning: no changes detected in %s - ' \
330 'skipping and removing ending LF' % filename
331 pagename = mw.metadir.filename_to_pagename(filename[:-5])
332 self.metadir.clean_page(pagename)
334 if response['edit']['oldrevid'] != revid:
335 print 'warning: edit conflict detected on %s (%s -> %s) ' \
336 '-- skipping!' % (file,
337 response['edit']['oldrevid'], revid)
341 'revids': response['edit']['newrevid'],
342 'prop': 'info|revisions',
344 'ids|flags|timestamp|user|comment|content',
346 response = self.api.call(data)['query']['pages']
347 self.metadir.pages_add_rv(int(pageid),
348 response[pageid]['revisions'][0])
349 # need to write latest rev to file too, as text may be changed
350 # such as a sig, e.g., -~ => -[[User:Reagle|Reagle]]
351 with file(full_filename, 'w') as fd:
352 data = response[pageid]['revisions'][0]['*']
353 data = data.encode('utf-8')
355 if file_num != len(status) - 1:
356 print 'waiting 3s before processing the next file'
359 print 'error: committing %s failed: %s' % \
360 (filename, response['edit']['result'])