commit command shortcut
[mw] / src / mw / clicommands.py
1 ###
2 # mw - VCS-like nonsense for MediaWiki websites
3 # Copyright (C) 2010  Ian Weller <ian@ianweller.org>
4 #
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.
9 #
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.
14 #
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/>.
17 ###
18
19 import getpass
20 import mw.api
21 import mw.metadir
22 from optparse import OptionParser, OptionGroup
23 import os
24 import sys
25
26
27 class CommandBase(object):
28
29     def __init__(self, name, description, usage=None):
30         self.me = os.path.basename(sys.argv[0])
31         self.description = description
32         if usage is None:
33             usage = '%prog ' + name
34         else:
35             usage = '%%prog %s %s' % (name, usage)
36         self.parser = OptionParser(usage=usage, description=description)
37         self.name = name
38         self.metadir = mw.metadir.Metadir()
39         #global_options = OptionGroup(self.parser, "Global Options")
40         #global_options.add_option('-u', '--use-auth', action='store_true',
41         #                          dest='use_auth', help='force authentication '
42         #                          'even if not required')
43         #self.parser.add_option_group(global_options)
44         self.shortcuts = []
45
46     def main(self):
47         (self.options, self.args) = self.parser.parse_args()
48         self.args = self.args[1:] # don't need the first thing
49         self._do_command()
50
51     def _do_command(self):
52         pass
53
54     def _login(self):
55         user = raw_input('Username: ')
56         passwd = getpass.getpass()
57         result = self.api.call({'action': 'login',
58                                 'lgname': user,
59                                 'lgpassword': passwd})
60         if result['login']['result'] != 'Success':
61             raise Exception('Login error: %s' % result['login']['result'])
62
63     def _die_if_no_init(self):
64         if self.metadir.config is None:
65             print '%s: not a mw repo' % self.me
66             sys.exit(1)
67
68     def _api_setup(self):
69         self.api_url = self.metadir.config.get('remote', 'api_url')
70         self.api = mw.api.API(self.api_url)
71
72
73 class InitCommand(CommandBase):
74
75     def __init__(self):
76         usage = 'API_URL'
77         CommandBase.__init__(self, 'init', 'start a mw repo', usage)
78         self.parser.add_option('-u', '--username', dest='username',
79                                help='use wiki with login')
80
81     def _do_command(self):
82         if len(self.args) < 1:
83             self.parser.error('must have URL to remote api.php')
84         elif len(self.args) > 1:
85             self.parser.error('too many arguments')
86         self.metadir.create(self.args[0], self.options.username)
87
88
89 class PullCommand(CommandBase):
90
91     def __init__(self):
92         usage = '[options] PAGENAME ...'
93         CommandBase.__init__(self, 'pull', 'add remote pages to repo', usage)
94
95     def _do_command(self):
96         self._die_if_no_init()
97         self._api_setup()
98         pages = []
99         pages += self.args
100         for these_pages in [pages[i:i + 25] for i in range(0, len(pages), 25)]:
101             data = {
102                     'action': 'query',
103                     'titles': '|'.join(these_pages),
104                     'prop': 'info|revisions',
105                     'rvprop': 'ids|flags|timestamp|user|comment|content',
106             }
107             response = self.api.call(data)['query']['pages']
108             for pageid in response.keys():
109                 pagename = response[pageid]['title']
110                 if 'missing' in response[pageid].keys():
111                     print '%s: %s: page does not exist, file not created' % \
112                             (self.me, pagename)
113                     continue
114                 revids = [x['revid'] for x in response[pageid]['revisions']]
115                 revids.sort()
116                 self.metadir.pagedict_add(pagename, pageid, revids[-1])
117                 self.metadir.pages_add_rv(int(pageid),
118                                           response[pageid]['revisions'][0])
119                 filename = mw.api.pagename_to_filename(pagename)
120                 fd = file(os.path.join(self.metadir.root, filename + '.wiki'),
121                           'w')
122                 fd.write(response[pageid]['revisions'][0]['*'].encode('utf-8'))
123
124
125 class StatusCommand(CommandBase):
126
127     def __init__(self):
128         CommandBase.__init__(self, 'status', 'check repo status')
129         self.shortcuts.append('st')
130
131     def _do_command(self):
132         self._die_if_no_init()
133         status = self.metadir.working_dir_status()
134         for file in status:
135             print '%s %s' % (status[file], file)
136
137
138 class DiffCommand(CommandBase):
139
140     def __init__(self):
141         CommandBase.__init__(self, 'diff', 'diff wiki to working directory')
142
143     def _do_command(self):
144         self._die_if_no_init()
145         status = self.metadir.working_dir_status()
146         for file in status:
147             if status[file] == 'U':
148                 print self.metadir.diff_rv_to_working(
149                     mw.api.filename_to_pagename(file[:-5])
150                 ),
151
152
153 class CommitCommand(CommandBase):
154
155     def __init__(self):
156         CommandBase.__init__(self, 'commit', 'commit changes to wiki')
157         self.shortcuts.append('ci')
158
159     def _do_command(self):
160         self._die_if_no_init()
161         self._api_setup()

Benjamin Mako Hill || Want to submit a patch?