]> arthur.barton.de Git - bup.git/blob - cmd/ftp-cmd.py
cmd/ftp: exit cleanly on Ctrl-C
[bup.git] / cmd / ftp-cmd.py
1 #!/usr/bin/env python
2 import sys, os, re, stat, fnmatch
3 from bup import options, git, shquote, vfs
4 from bup.helpers import *
5
6 handle_ctrl_c()
7
8
9 def node_name(text, n):
10     if stat.S_ISDIR(n.mode):
11         return '%s/' % text
12     elif stat.S_ISLNK(n.mode):
13         return '%s@' % text
14     else:
15         return '%s' % text
16
17
18 class OptionError(Exception):
19     pass
20
21
22 ls_optspec = """
23 ls [-a] [path...]
24 --
25 a,all   include hidden files in the listing
26 """
27 ls_opt = options.Options('ls', ls_optspec, onabort=OptionError)
28
29 def do_ls(cmd_args):
30     try:
31         (opt, flags, extra) = ls_opt.parse(cmd_args)
32     except OptionError, e:
33         return
34
35     L = []
36
37     for path in (extra or ['.']):
38         n = pwd.try_resolve(path)
39
40         if stat.S_ISDIR(n.mode):
41             for sub in n:
42                 name = sub.name
43                 if opt.all or not len(name)>1 or not name.startswith('.'):
44                     L.append(node_name(name, sub))
45         else:
46             L.append(node_name(path, n))
47         print columnate(L, '')
48
49
50 def write_to_file(inf, outf):
51     for blob in chunkyreader(inf):
52         outf.write(blob)
53
54
55 def inputiter():
56     if os.isatty(sys.stdin.fileno()):
57         while 1:
58             try:
59                 yield raw_input('bup> ')
60             except EOFError:
61                 break
62     else:
63         for line in sys.stdin:
64             yield line
65
66
67 def _completer_get_subs(line):
68     (qtype, lastword) = shquote.unfinished_word(line)
69     (dir,name) = os.path.split(lastword)
70     #log('\ncompleter: %r %r %r\n' % (qtype, lastword, text))
71     try:
72         n = pwd.resolve(dir)
73         subs = list(filter(lambda x: x.name.startswith(name),
74                            n.subs()))
75     except vfs.NoSuchFile, e:
76         subs = []
77     return (dir, name, qtype, lastword, subs)
78
79
80 def find_readline_lib():
81     """Return the name (and possibly the full path) of the readline library
82     linked to the given readline module.
83     """
84     import readline
85     f = open(readline.__file__, "rb")
86     try:
87         data = f.read()
88     finally:
89         f.close()
90     import re
91     m = re.search('\0([^\0]*libreadline[^\0]*)\0', data)
92     if m:
93         return m.group(1)
94     return None
95
96
97 def init_readline_vars():
98     """Work around trailing space automatically inserted by readline.
99     See http://bugs.python.org/issue5833"""
100     import ctypes
101     lib_name = find_readline_lib()
102     if lib_name is not None:
103         lib = ctypes.cdll.LoadLibrary(lib_name)
104         global rl_completion_suppress_append
105         rl_completion_suppress_append = ctypes.c_int.in_dll(lib,
106                                     "rl_completion_suppress_append")
107
108
109 rl_completion_suppress_append = None
110 _last_line = None
111 _last_res = None
112 def completer(text, state):
113     global _last_line
114     global _last_res
115     global rl_completion_suppress_append
116     if rl_completion_suppress_append is not None:
117         rl_completion_suppress_append.value = 1
118     try:
119         line = readline.get_line_buffer()[:readline.get_endidx()]
120         if _last_line != line:
121             _last_res = _completer_get_subs(line)
122             _last_line = line
123         (dir, name, qtype, lastword, subs) = _last_res
124         if state < len(subs):
125             sn = subs[state]
126             sn1 = sn.try_resolve()  # find the type of any symlink target
127             fullname = os.path.join(dir, sn.name)
128             if stat.S_ISDIR(sn1.mode):
129                 ret = shquote.what_to_add(qtype, lastword, fullname+'/',
130                                           terminate=False)
131             else:
132                 ret = shquote.what_to_add(qtype, lastword, fullname,
133                                           terminate=True) + ' '
134             return text + ret
135     except Exception, e:
136         log('\n')
137         try:
138             import traceback
139             traceback.print_tb(sys.exc_traceback)
140         except Exception, e2:
141             log('Error printing traceback: %s\n' % e2)
142         log('\nError in completion: %s\n' % e)
143
144
145 optspec = """
146 bup ftp [commands...]
147 """
148 o = options.Options('bup ftp', optspec)
149 (opt, flags, extra) = o.parse(sys.argv[1:])
150
151 git.check_repo_or_die()
152
153 top = vfs.RefList(None)
154 pwd = top
155 rv = 0
156
157 if extra:
158     lines = extra
159 else:
160     try:
161         import readline
162     except ImportError:
163         log('* readline module not available: line editing disabled.\n')
164         readline = None
165
166     if readline:
167         readline.set_completer_delims(' \t\n\r/')
168         readline.set_completer(completer)
169         readline.parse_and_bind("tab: complete")
170         init_readline_vars()
171     lines = inputiter()
172
173 for line in lines:
174     if not line.strip():
175         continue
176     words = [word for (wordstart,word) in shquote.quotesplit(line)]
177     cmd = words[0].lower()
178     #log('execute: %r %r\n' % (cmd, parm))
179     try:
180         if cmd == 'ls':
181             do_ls(words[1:])
182         elif cmd == 'cd':
183             np = pwd
184             for parm in words[1:]:
185                 np = np.resolve(parm)
186                 if not stat.S_ISDIR(np.mode):
187                     raise vfs.NotDir('%s is not a directory' % parm)
188             pwd = np
189         elif cmd == 'pwd':
190             print pwd.fullname()
191         elif cmd == 'cat':
192             for parm in words[1:]:
193                 write_to_file(pwd.resolve(parm).open(), sys.stdout)
194         elif cmd == 'get':
195             if len(words) not in [2,3]:
196                 rv = 1
197                 raise Exception('Usage: get <filename> [localname]')
198             rname = words[1]
199             (dir,base) = os.path.split(rname)
200             lname = len(words)>2 and words[2] or base
201             inf = pwd.resolve(rname).open()
202             log('Saving %r\n' % lname)
203             write_to_file(inf, open(lname, 'wb'))
204         elif cmd == 'mget':
205             for parm in words[1:]:
206                 (dir,base) = os.path.split(parm)
207                 for n in pwd.resolve(dir).subs():
208                     if fnmatch.fnmatch(n.name, base):
209                         try:
210                             log('Saving %r\n' % n.name)
211                             inf = n.open()
212                             outf = open(n.name, 'wb')
213                             write_to_file(inf, outf)
214                             outf.close()
215                         except Exception, e:
216                             rv = 1
217                             log('  error: %s\n' % e)
218         elif cmd == 'help' or cmd == '?':
219             log('Commands: ls cd pwd cat get mget help quit\n')
220         elif cmd == 'quit' or cmd == 'exit' or cmd == 'bye':
221             break
222         else:
223             rv = 1
224             raise Exception('no such command %r' % cmd)
225     except Exception, e:
226         rv = 1
227         log('error: %s\n' % e)
228         #raise
229
230 sys.exit(rv)