Spotted by Tim Kosse: we were returning an incorrect path in canonify() when
[u/mdw/putty] / psftp.c
1 /*
2 * psftp.c: (platform-independent) front end for PSFTP.
3 */
4
5 #include <stdio.h>
6 #include <stdlib.h>
7 #include <stdarg.h>
8 #include <assert.h>
9 #include <limits.h>
10
11 #define PUTTY_DO_GLOBALS
12 #include "putty.h"
13 #include "psftp.h"
14 #include "storage.h"
15 #include "ssh.h"
16 #include "sftp.h"
17 #include "int64.h"
18
19 /*
20 * Since SFTP is a request-response oriented protocol, it requires
21 * no buffer management: when we send data, we stop and wait for an
22 * acknowledgement _anyway_, and so we can't possibly overfill our
23 * send buffer.
24 */
25
26 static int psftp_connect(char *userhost, char *user, int portnumber);
27 static int do_sftp_init(void);
28 void do_sftp_cleanup();
29
30 /* ----------------------------------------------------------------------
31 * sftp client state.
32 */
33
34 char *pwd, *homedir;
35 static Backend *back;
36 static void *backhandle;
37 static Config cfg;
38
39 /* ----------------------------------------------------------------------
40 * Higher-level helper functions used in commands.
41 */
42
43 /*
44 * Attempt to canonify a pathname starting from the pwd. If
45 * canonification fails, at least fall back to returning a _valid_
46 * pathname (though it may be ugly, eg /home/simon/../foobar).
47 */
48 char *canonify(char *name)
49 {
50 char *fullname, *canonname;
51 struct sftp_packet *pktin;
52 struct sftp_request *req, *rreq;
53
54 if (name[0] == '/') {
55 fullname = dupstr(name);
56 } else {
57 char *slash;
58 if (pwd[strlen(pwd) - 1] == '/')
59 slash = "";
60 else
61 slash = "/";
62 fullname = dupcat(pwd, slash, name, NULL);
63 }
64
65 sftp_register(req = fxp_realpath_send(fullname));
66 rreq = sftp_find_request(pktin = sftp_recv());
67 assert(rreq == req);
68 canonname = fxp_realpath_recv(pktin, rreq);
69
70 if (canonname) {
71 sfree(fullname);
72 return canonname;
73 } else {
74 /*
75 * Attempt number 2. Some FXP_REALPATH implementations
76 * (glibc-based ones, in particular) require the _whole_
77 * path to point to something that exists, whereas others
78 * (BSD-based) only require all but the last component to
79 * exist. So if the first call failed, we should strip off
80 * everything from the last slash onwards and try again,
81 * then put the final component back on.
82 *
83 * Special cases:
84 *
85 * - if the last component is "/." or "/..", then we don't
86 * bother trying this because there's no way it can work.
87 *
88 * - if the thing actually ends with a "/", we remove it
89 * before we start. Except if the string is "/" itself
90 * (although I can't see why we'd have got here if so,
91 * because surely "/" would have worked the first
92 * time?), in which case we don't bother.
93 *
94 * - if there's no slash in the string at all, give up in
95 * confusion (we expect at least one because of the way
96 * we constructed the string).
97 */
98
99 int i;
100 char *returnname;
101
102 i = strlen(fullname);
103 if (i > 2 && fullname[i - 1] == '/')
104 fullname[--i] = '\0'; /* strip trailing / unless at pos 0 */
105 while (i > 0 && fullname[--i] != '/');
106
107 /*
108 * Give up on special cases.
109 */
110 if (fullname[i] != '/' || /* no slash at all */
111 !strcmp(fullname + i, "/.") || /* ends in /. */
112 !strcmp(fullname + i, "/..") || /* ends in /.. */
113 !strcmp(fullname, "/")) {
114 return fullname;
115 }
116
117 /*
118 * Now i points at the slash. Deal with the final special
119 * case i==0 (ie the whole path was "/nonexistentfile").
120 */
121 fullname[i] = '\0'; /* separate the string */
122 if (i == 0) {
123 sftp_register(req = fxp_realpath_send("/"));
124 } else {
125 sftp_register(req = fxp_realpath_send(fullname));
126 }
127 rreq = sftp_find_request(pktin = sftp_recv());
128 assert(rreq == req);
129 canonname = fxp_realpath_recv(pktin, rreq);
130
131 if (!canonname) {
132 /* Even that failed. Restore our best guess at the
133 * constructed filename and give up */
134 fullname[i] = '/'; /* restore slash and last component */
135 return fullname;
136 }
137
138 /*
139 * We have a canonical name for all but the last path
140 * component. Concatenate the last component and return.
141 */
142 returnname = dupcat(canonname,
143 canonname[strlen(canonname) - 1] ==
144 '/' ? "" : "/", fullname + i + 1, NULL);
145 sfree(fullname);
146 sfree(canonname);
147 return returnname;
148 }
149 }
150
151 /*
152 * Return a pointer to the portion of str that comes after the last
153 * slash (or backslash or colon, if `local' is TRUE).
154 */
155 static char *stripslashes(char *str, int local)
156 {
157 char *p;
158
159 if (local) {
160 p = strchr(str, ':');
161 if (p) str = p+1;
162 }
163
164 p = strrchr(str, '/');
165 if (p) str = p+1;
166
167 if (local) {
168 p = strrchr(str, '\\');
169 if (p) str = p+1;
170 }
171
172 return str;
173 }
174
175 /*
176 * qsort comparison routine for fxp_name structures. Sorts by real
177 * file name.
178 */
179 static int sftp_name_compare(const void *av, const void *bv)
180 {
181 const struct fxp_name *const *a = (const struct fxp_name *const *) av;
182 const struct fxp_name *const *b = (const struct fxp_name *const *) bv;
183 return strcmp((*a)->filename, (*b)->filename);
184 }
185
186 /*
187 * Likewise, but for a bare char *.
188 */
189 static int bare_name_compare(const void *av, const void *bv)
190 {
191 const char **a = (const char **) av;
192 const char **b = (const char **) bv;
193 return strcmp(*a, *b);
194 }
195
196 static void not_connected(void)
197 {
198 printf("psftp: not connected to a host; use \"open host.name\"\n");
199 }
200
201 /* ----------------------------------------------------------------------
202 * The meat of the `get' and `put' commands.
203 */
204 int sftp_get_file(char *fname, char *outfname, int recurse, int restart)
205 {
206 struct fxp_handle *fh;
207 struct sftp_packet *pktin;
208 struct sftp_request *req, *rreq;
209 struct fxp_xfer *xfer;
210 uint64 offset;
211 WFile *file;
212 int ret, shown_err = FALSE;
213
214 /*
215 * In recursive mode, see if we're dealing with a directory.
216 * (If we're not in recursive mode, we need not even check: the
217 * subsequent FXP_OPEN will return a usable error message.)
218 */
219 if (recurse) {
220 struct fxp_attrs attrs;
221 int result;
222
223 sftp_register(req = fxp_stat_send(fname));
224 rreq = sftp_find_request(pktin = sftp_recv());
225 assert(rreq == req);
226 result = fxp_stat_recv(pktin, rreq, &attrs);
227
228 if (result &&
229 (attrs.flags & SSH_FILEXFER_ATTR_PERMISSIONS) &&
230 (attrs.permissions & 0040000)) {
231
232 struct fxp_handle *dirhandle;
233 int nnames, namesize;
234 struct fxp_name **ournames;
235 struct fxp_names *names;
236 int i;
237
238 /*
239 * First, attempt to create the destination directory,
240 * unless it already exists.
241 */
242 if (file_type(outfname) != FILE_TYPE_DIRECTORY &&
243 !create_directory(outfname)) {
244 printf("%s: Cannot create directory\n", outfname);
245 return 0;
246 }
247
248 /*
249 * Now get the list of filenames in the remote
250 * directory.
251 */
252 sftp_register(req = fxp_opendir_send(fname));
253 rreq = sftp_find_request(pktin = sftp_recv());
254 assert(rreq == req);
255 dirhandle = fxp_opendir_recv(pktin, rreq);
256
257 if (!dirhandle) {
258 printf("%s: unable to open directory: %s\n",
259 fname, fxp_error());
260 return 0;
261 }
262 nnames = namesize = 0;
263 ournames = NULL;
264 while (1) {
265 int i;
266
267 sftp_register(req = fxp_readdir_send(dirhandle));
268 rreq = sftp_find_request(pktin = sftp_recv());
269 assert(rreq == req);
270 names = fxp_readdir_recv(pktin, rreq);
271
272 if (names == NULL) {
273 if (fxp_error_type() == SSH_FX_EOF)
274 break;
275 printf("%s: reading directory: %s\n", fname, fxp_error());
276 sfree(ournames);
277 return 0;
278 }
279 if (names->nnames == 0) {
280 fxp_free_names(names);
281 break;
282 }
283 if (nnames + names->nnames >= namesize) {
284 namesize += names->nnames + 128;
285 ournames = sresize(ournames, namesize, struct fxp_name *);
286 }
287 for (i = 0; i < names->nnames; i++)
288 if (strcmp(names->names[i].filename, ".") &&
289 strcmp(names->names[i].filename, "..")) {
290 if (!vet_filename(names->names[i].filename)) {
291 printf("ignoring potentially dangerous server-"
292 "supplied filename '%s'\n",
293 names->names[i].filename);
294 } else {
295 ournames[nnames++] =
296 fxp_dup_name(&names->names[i]);
297 }
298 }
299 fxp_free_names(names);
300 }
301 sftp_register(req = fxp_close_send(dirhandle));
302 rreq = sftp_find_request(pktin = sftp_recv());
303 assert(rreq == req);
304 fxp_close_recv(pktin, rreq);
305
306 /*
307 * Sort the names into a clear order. This ought to
308 * make things more predictable when we're doing a
309 * reget of the same directory, just in case two
310 * readdirs on the same remote directory return a
311 * different order.
312 */
313 qsort(ournames, nnames, sizeof(*ournames), sftp_name_compare);
314
315 /*
316 * If we're in restart mode, find the last filename on
317 * this list that already exists. We may have to do a
318 * reget on _that_ file, but shouldn't have to do
319 * anything on the previous files.
320 *
321 * If none of them exists, of course, we start at 0.
322 */
323 i = 0;
324 while (i < nnames) {
325 char *nextoutfname;
326 int ret;
327 if (outfname)
328 nextoutfname = dir_file_cat(outfname,
329 ournames[i]->filename);
330 else
331 nextoutfname = dupstr(ournames[i]->filename);
332 ret = (file_type(nextoutfname) == FILE_TYPE_NONEXISTENT);
333 sfree(nextoutfname);
334 if (ret)
335 break;
336 i++;
337 }
338 if (i > 0)
339 i--;
340
341 /*
342 * Now we're ready to recurse. Starting at ournames[i]
343 * and continuing on to the end of the list, we
344 * construct a new source and target file name, and
345 * call sftp_get_file again.
346 */
347 for (; i < nnames; i++) {
348 char *nextfname, *nextoutfname;
349 int ret;
350
351 nextfname = dupcat(fname, "/", ournames[i]->filename, NULL);
352 if (outfname)
353 nextoutfname = dir_file_cat(outfname,
354 ournames[i]->filename);
355 else
356 nextoutfname = dupstr(ournames[i]->filename);
357 ret = sftp_get_file(nextfname, nextoutfname, recurse, restart);
358 restart = FALSE; /* after first partial file, do full */
359 sfree(nextoutfname);
360 sfree(nextfname);
361 if (!ret) {
362 for (i = 0; i < nnames; i++) {
363 fxp_free_name(ournames[i]);
364 }
365 sfree(ournames);
366 return 0;
367 }
368 }
369
370 /*
371 * Done this recursion level. Free everything.
372 */
373 for (i = 0; i < nnames; i++) {
374 fxp_free_name(ournames[i]);
375 }
376 sfree(ournames);
377
378 return 1;
379 }
380 }
381
382 sftp_register(req = fxp_open_send(fname, SSH_FXF_READ));
383 rreq = sftp_find_request(pktin = sftp_recv());
384 assert(rreq == req);
385 fh = fxp_open_recv(pktin, rreq);
386
387 if (!fh) {
388 printf("%s: open for read: %s\n", fname, fxp_error());
389 return 0;
390 }
391
392 if (restart) {
393 file = open_existing_wfile(outfname, NULL);
394 } else {
395 file = open_new_file(outfname);
396 }
397
398 if (!file) {
399 printf("local: unable to open %s\n", outfname);
400
401 sftp_register(req = fxp_close_send(fh));
402 rreq = sftp_find_request(pktin = sftp_recv());
403 assert(rreq == req);
404 fxp_close_recv(pktin, rreq);
405
406 return 0;
407 }
408
409 if (restart) {
410 char decbuf[30];
411 if (seek_file(file, uint64_make(0,0) , FROM_END) == -1) {
412 printf("reget: cannot restart %s - file too large\n",
413 outfname);
414 sftp_register(req = fxp_close_send(fh));
415 rreq = sftp_find_request(pktin = sftp_recv());
416 assert(rreq == req);
417 fxp_close_recv(pktin, rreq);
418
419 return 0;
420 }
421
422 offset = get_file_posn(file);
423 uint64_decimal(offset, decbuf);
424 printf("reget: restarting at file position %s\n", decbuf);
425 } else {
426 offset = uint64_make(0, 0);
427 }
428
429 printf("remote:%s => local:%s\n", fname, outfname);
430
431 /*
432 * FIXME: we can use FXP_FSTAT here to get the file size, and
433 * thus put up a progress bar.
434 */
435 ret = 1;
436 xfer = xfer_download_init(fh, offset);
437 while (!xfer_done(xfer)) {
438 void *vbuf;
439 int ret, len;
440 int wpos, wlen;
441
442 xfer_download_queue(xfer);
443 pktin = sftp_recv();
444 ret = xfer_download_gotpkt(xfer, pktin);
445
446 if (ret < 0) {
447 if (!shown_err) {
448 printf("error while reading: %s\n", fxp_error());
449 shown_err = TRUE;
450 }
451 ret = 0;
452 }
453
454 while (xfer_download_data(xfer, &vbuf, &len)) {
455 unsigned char *buf = (unsigned char *)vbuf;
456
457 wpos = 0;
458 while (wpos < len) {
459 wlen = write_to_file(file, buf + wpos, len - wpos);
460 if (wlen <= 0) {
461 printf("error while writing local file\n");
462 ret = 0;
463 xfer_set_error(xfer);
464 }
465 wpos += wlen;
466 }
467 if (wpos < len) { /* we had an error */
468 ret = 0;
469 xfer_set_error(xfer);
470 }
471
472 sfree(vbuf);
473 }
474 }
475
476 xfer_cleanup(xfer);
477
478 close_wfile(file);
479
480 sftp_register(req = fxp_close_send(fh));
481 rreq = sftp_find_request(pktin = sftp_recv());
482 assert(rreq == req);
483 fxp_close_recv(pktin, rreq);
484
485 return ret;
486 }
487
488 int sftp_put_file(char *fname, char *outfname, int recurse, int restart)
489 {
490 struct fxp_handle *fh;
491 struct fxp_xfer *xfer;
492 struct sftp_packet *pktin;
493 struct sftp_request *req, *rreq;
494 uint64 offset;
495 RFile *file;
496 int ret, err, eof;
497
498 /*
499 * In recursive mode, see if we're dealing with a directory.
500 * (If we're not in recursive mode, we need not even check: the
501 * subsequent fopen will return an error message.)
502 */
503 if (recurse && file_type(fname) == FILE_TYPE_DIRECTORY) {
504 struct fxp_attrs attrs;
505 int result;
506 int nnames, namesize;
507 char *name, **ournames;
508 DirHandle *dh;
509 int i;
510
511 /*
512 * First, attempt to create the destination directory,
513 * unless it already exists.
514 */
515 sftp_register(req = fxp_stat_send(outfname));
516 rreq = sftp_find_request(pktin = sftp_recv());
517 assert(rreq == req);
518 result = fxp_stat_recv(pktin, rreq, &attrs);
519 if (!result ||
520 !(attrs.flags & SSH_FILEXFER_ATTR_PERMISSIONS) ||
521 !(attrs.permissions & 0040000)) {
522 sftp_register(req = fxp_mkdir_send(outfname));
523 rreq = sftp_find_request(pktin = sftp_recv());
524 assert(rreq == req);
525 result = fxp_mkdir_recv(pktin, rreq);
526
527 if (!result) {
528 printf("%s: create directory: %s\n",
529 outfname, fxp_error());
530 return 0;
531 }
532 }
533
534 /*
535 * Now get the list of filenames in the local directory.
536 */
537 nnames = namesize = 0;
538 ournames = NULL;
539
540 dh = open_directory(fname);
541 if (!dh) {
542 printf("%s: unable to open directory\n", fname);
543 return 0;
544 }
545 while ((name = read_filename(dh)) != NULL) {
546 if (nnames >= namesize) {
547 namesize += 128;
548 ournames = sresize(ournames, namesize, char *);
549 }
550 ournames[nnames++] = name;
551 }
552 close_directory(dh);
553
554 /*
555 * Sort the names into a clear order. This ought to make
556 * things more predictable when we're doing a reput of the
557 * same directory, just in case two readdirs on the same
558 * local directory return a different order.
559 */
560 qsort(ournames, nnames, sizeof(*ournames), bare_name_compare);
561
562 /*
563 * If we're in restart mode, find the last filename on this
564 * list that already exists. We may have to do a reput on
565 * _that_ file, but shouldn't have to do anything on the
566 * previous files.
567 *
568 * If none of them exists, of course, we start at 0.
569 */
570 i = 0;
571 while (i < nnames) {
572 char *nextoutfname;
573 nextoutfname = dupcat(outfname, "/", ournames[i], NULL);
574 sftp_register(req = fxp_stat_send(nextoutfname));
575 rreq = sftp_find_request(pktin = sftp_recv());
576 assert(rreq == req);
577 result = fxp_stat_recv(pktin, rreq, &attrs);
578 sfree(nextoutfname);
579 if (!result)
580 break;
581 i++;
582 }
583 if (i > 0)
584 i--;
585
586 /*
587 * Now we're ready to recurse. Starting at ournames[i]
588 * and continuing on to the end of the list, we
589 * construct a new source and target file name, and
590 * call sftp_put_file again.
591 */
592 for (; i < nnames; i++) {
593 char *nextfname, *nextoutfname;
594 int ret;
595
596 if (fname)
597 nextfname = dir_file_cat(fname, ournames[i]);
598 else
599 nextfname = dupstr(ournames[i]);
600 nextoutfname = dupcat(outfname, "/", ournames[i], NULL);
601 ret = sftp_put_file(nextfname, nextoutfname, recurse, restart);
602 restart = FALSE; /* after first partial file, do full */
603 sfree(nextoutfname);
604 sfree(nextfname);
605 if (!ret) {
606 for (i = 0; i < nnames; i++) {
607 sfree(ournames[i]);
608 }
609 sfree(ournames);
610 return 0;
611 }
612 }
613
614 /*
615 * Done this recursion level. Free everything.
616 */
617 for (i = 0; i < nnames; i++) {
618 sfree(ournames[i]);
619 }
620 sfree(ournames);
621
622 return 1;
623 }
624
625 file = open_existing_file(fname, NULL, NULL, NULL);
626 if (!file) {
627 printf("local: unable to open %s\n", fname);
628 return 0;
629 }
630 if (restart) {
631 sftp_register(req = fxp_open_send(outfname, SSH_FXF_WRITE));
632 } else {
633 sftp_register(req = fxp_open_send(outfname, SSH_FXF_WRITE |
634 SSH_FXF_CREAT | SSH_FXF_TRUNC));
635 }
636 rreq = sftp_find_request(pktin = sftp_recv());
637 assert(rreq == req);
638 fh = fxp_open_recv(pktin, rreq);
639
640 if (!fh) {
641 printf("%s: open for write: %s\n", outfname, fxp_error());
642 return 0;
643 }
644
645 if (restart) {
646 char decbuf[30];
647 struct fxp_attrs attrs;
648 int ret;
649
650 sftp_register(req = fxp_fstat_send(fh));
651 rreq = sftp_find_request(pktin = sftp_recv());
652 assert(rreq == req);
653 ret = fxp_fstat_recv(pktin, rreq, &attrs);
654
655 if (!ret) {
656 printf("read size of %s: %s\n", outfname, fxp_error());
657 return 0;
658 }
659 if (!(attrs.flags & SSH_FILEXFER_ATTR_SIZE)) {
660 printf("read size of %s: size was not given\n", outfname);
661 return 0;
662 }
663 offset = attrs.size;
664 uint64_decimal(offset, decbuf);
665 printf("reput: restarting at file position %s\n", decbuf);
666
667 if (seek_file((WFile *)file, offset, FROM_START) != 0)
668 seek_file((WFile *)file, uint64_make(0,0), FROM_END); /* *shrug* */
669 } else {
670 offset = uint64_make(0, 0);
671 }
672
673 printf("local:%s => remote:%s\n", fname, outfname);
674
675 /*
676 * FIXME: we can use FXP_FSTAT here to get the file size, and
677 * thus put up a progress bar.
678 */
679 ret = 1;
680 xfer = xfer_upload_init(fh, offset);
681 err = eof = 0;
682 while ((!err && !eof) || !xfer_done(xfer)) {
683 char buffer[4096];
684 int len, ret;
685
686 while (xfer_upload_ready(xfer) && !err && !eof) {
687 len = read_from_file(file, buffer, sizeof(buffer));
688 if (len == -1) {
689 printf("error while reading local file\n");
690 err = 1;
691 } else if (len == 0) {
692 eof = 1;
693 } else {
694 xfer_upload_data(xfer, buffer, len);
695 }
696 }
697
698 if (!xfer_done(xfer)) {
699 pktin = sftp_recv();
700 ret = xfer_upload_gotpkt(xfer, pktin);
701 if (!ret) {
702 printf("error while writing: %s\n", fxp_error());
703 err = 1;
704 }
705 }
706 }
707
708 xfer_cleanup(xfer);
709
710 sftp_register(req = fxp_close_send(fh));
711 rreq = sftp_find_request(pktin = sftp_recv());
712 assert(rreq == req);
713 fxp_close_recv(pktin, rreq);
714
715 close_rfile(file);
716
717 return ret;
718 }
719
720 /* ----------------------------------------------------------------------
721 * A remote wildcard matcher, providing a similar interface to the
722 * local one in psftp.h.
723 */
724
725 typedef struct SftpWildcardMatcher {
726 struct fxp_handle *dirh;
727 struct fxp_names *names;
728 int namepos;
729 char *wildcard, *prefix;
730 } SftpWildcardMatcher;
731
732 SftpWildcardMatcher *sftp_begin_wildcard_matching(char *name)
733 {
734 struct sftp_packet *pktin;
735 struct sftp_request *req, *rreq;
736 char *wildcard;
737 char *unwcdir, *tmpdir, *cdir;
738 int len, check;
739 SftpWildcardMatcher *swcm;
740 struct fxp_handle *dirh;
741
742 /*
743 * We don't handle multi-level wildcards; so we expect to find
744 * a fully specified directory part, followed by a wildcard
745 * after that.
746 */
747 wildcard = stripslashes(name, 0);
748
749 unwcdir = dupstr(name);
750 len = wildcard - name;
751 unwcdir[len] = '\0';
752 if (len > 0 && unwcdir[len-1] == '/')
753 unwcdir[len-1] = '\0';
754 tmpdir = snewn(1 + len, char);
755 check = wc_unescape(tmpdir, unwcdir);
756 sfree(tmpdir);
757
758 if (!check) {
759 printf("Multiple-level wildcards are not supported\n");
760 sfree(unwcdir);
761 return NULL;
762 }
763
764 cdir = canonify(unwcdir);
765
766 sftp_register(req = fxp_opendir_send(cdir));
767 rreq = sftp_find_request(pktin = sftp_recv());
768 assert(rreq == req);
769 dirh = fxp_opendir_recv(pktin, rreq);
770
771 if (dirh) {
772 swcm = snew(SftpWildcardMatcher);
773 swcm->dirh = dirh;
774 swcm->names = NULL;
775 swcm->wildcard = dupstr(wildcard);
776 swcm->prefix = unwcdir;
777 } else {
778 printf("Unable to open %s: %s\n", cdir, fxp_error());
779 swcm = NULL;
780 sfree(unwcdir);
781 }
782
783 sfree(cdir);
784
785 return swcm;
786 }
787
788 char *sftp_wildcard_get_filename(SftpWildcardMatcher *swcm)
789 {
790 struct fxp_name *name;
791 struct sftp_packet *pktin;
792 struct sftp_request *req, *rreq;
793
794 while (1) {
795 if (swcm->names && swcm->namepos >= swcm->names->nnames) {
796 fxp_free_names(swcm->names);
797 swcm->names = NULL;
798 }
799
800 if (!swcm->names) {
801 sftp_register(req = fxp_readdir_send(swcm->dirh));
802 rreq = sftp_find_request(pktin = sftp_recv());
803 assert(rreq == req);
804 swcm->names = fxp_readdir_recv(pktin, rreq);
805
806 if (!swcm->names) {
807 if (fxp_error_type() != SSH_FX_EOF)
808 printf("%s: reading directory: %s\n", swcm->prefix,
809 fxp_error());
810 return NULL;
811 }
812
813 swcm->namepos = 0;
814 }
815
816 assert(swcm->names && swcm->namepos < swcm->names->nnames);
817
818 name = &swcm->names->names[swcm->namepos++];
819
820 if (!strcmp(name->filename, ".") || !strcmp(name->filename, ".."))
821 continue; /* expected bad filenames */
822
823 if (!vet_filename(name->filename)) {
824 printf("ignoring potentially dangerous server-"
825 "supplied filename '%s'\n", name->filename);
826 continue; /* unexpected bad filename */
827 }
828
829 if (!wc_match(swcm->wildcard, name->filename))
830 continue; /* doesn't match the wildcard */
831
832 /*
833 * We have a working filename. Return it.
834 */
835 return dupprintf("%s%s%s", swcm->prefix,
836 (!swcm->prefix[0] ||
837 swcm->prefix[strlen(swcm->prefix)-1]=='/' ?
838 "" : "/"),
839 name->filename);
840 }
841 }
842
843 void sftp_finish_wildcard_matching(SftpWildcardMatcher *swcm)
844 {
845 struct sftp_packet *pktin;
846 struct sftp_request *req, *rreq;
847
848 sftp_register(req = fxp_close_send(swcm->dirh));
849 rreq = sftp_find_request(pktin = sftp_recv());
850 assert(rreq == req);
851 fxp_close_recv(pktin, rreq);
852
853 if (swcm->names)
854 fxp_free_names(swcm->names);
855
856 sfree(swcm->prefix);
857 sfree(swcm->wildcard);
858
859 sfree(swcm);
860 }
861
862 /*
863 * General function to match a potential wildcard in a filename
864 * argument and iterate over every matching file. Used in several
865 * PSFTP commands (rmdir, rm, chmod, mv).
866 */
867 int wildcard_iterate(char *filename, int (*func)(void *, char *), void *ctx)
868 {
869 char *unwcfname, *newname, *cname;
870 int is_wc, ret;
871
872 unwcfname = snewn(strlen(filename)+1, char);
873 is_wc = !wc_unescape(unwcfname, filename);
874
875 if (is_wc) {
876 SftpWildcardMatcher *swcm = sftp_begin_wildcard_matching(filename);
877 int matched = FALSE;
878 sfree(unwcfname);
879
880 if (!swcm)
881 return 0;
882
883 ret = 1;
884
885 while ( (newname = sftp_wildcard_get_filename(swcm)) != NULL ) {
886 cname = canonify(newname);
887 if (!cname) {
888 printf("%s: canonify: %s\n", newname, fxp_error());
889 ret = 0;
890 }
891 matched = TRUE;
892 ret &= func(ctx, cname);
893 sfree(cname);
894 }
895
896 if (!matched) {
897 /* Politely warn the user that nothing matched. */
898 printf("%s: nothing matched\n", filename);
899 }
900
901 sftp_finish_wildcard_matching(swcm);
902 } else {
903 cname = canonify(unwcfname);
904 if (!cname) {
905 printf("%s: canonify: %s\n", filename, fxp_error());
906 ret = 0;
907 }
908 ret = func(ctx, cname);
909 sfree(cname);
910 sfree(unwcfname);
911 }
912
913 return ret;
914 }
915
916 /*
917 * Handy helper function.
918 */
919 int is_wildcard(char *name)
920 {
921 char *unwcfname = snewn(strlen(name)+1, char);
922 int is_wc = !wc_unescape(unwcfname, name);
923 sfree(unwcfname);
924 return is_wc;
925 }
926
927 /* ----------------------------------------------------------------------
928 * Actual sftp commands.
929 */
930 struct sftp_command {
931 char **words;
932 int nwords, wordssize;
933 int (*obey) (struct sftp_command *); /* returns <0 to quit */
934 };
935
936 int sftp_cmd_null(struct sftp_command *cmd)
937 {
938 return 1; /* success */
939 }
940
941 int sftp_cmd_unknown(struct sftp_command *cmd)
942 {
943 printf("psftp: unknown command \"%s\"\n", cmd->words[0]);
944 return 0; /* failure */
945 }
946
947 int sftp_cmd_quit(struct sftp_command *cmd)
948 {
949 return -1;
950 }
951
952 int sftp_cmd_close(struct sftp_command *cmd)
953 {
954 if (back == NULL) {
955 not_connected();
956 return 0;
957 }
958
959 if (back != NULL && back->connected(backhandle)) {
960 char ch;
961 back->special(backhandle, TS_EOF);
962 sftp_recvdata(&ch, 1);
963 }
964 do_sftp_cleanup();
965
966 return 0;
967 }
968
969 /*
970 * List a directory. If no arguments are given, list pwd; otherwise
971 * list the directory given in words[1].
972 */
973 int sftp_cmd_ls(struct sftp_command *cmd)
974 {
975 struct fxp_handle *dirh;
976 struct fxp_names *names;
977 struct fxp_name **ournames;
978 int nnames, namesize;
979 char *dir, *cdir, *unwcdir, *wildcard;
980 struct sftp_packet *pktin;
981 struct sftp_request *req, *rreq;
982 int i;
983
984 if (back == NULL) {
985 not_connected();
986 return 0;
987 }
988
989 if (cmd->nwords < 2)
990 dir = ".";
991 else
992 dir = cmd->words[1];
993
994 unwcdir = snewn(1 + strlen(dir), char);
995 if (wc_unescape(unwcdir, dir)) {
996 dir = unwcdir;
997 wildcard = NULL;
998 } else {
999 char *tmpdir;
1000 int len, check;
1001
1002 wildcard = stripslashes(dir, 0);
1003 unwcdir = dupstr(dir);
1004 len = wildcard - dir;
1005 unwcdir[len] = '\0';
1006 if (len > 0 && unwcdir[len-1] == '/')
1007 unwcdir[len-1] = '\0';
1008 tmpdir = snewn(1 + len, char);
1009 check = wc_unescape(tmpdir, unwcdir);
1010 sfree(tmpdir);
1011 if (!check) {
1012 printf("Multiple-level wildcards are not supported\n");
1013 sfree(unwcdir);
1014 return 0;
1015 }
1016 dir = unwcdir;
1017 }
1018
1019 cdir = canonify(dir);
1020 if (!cdir) {
1021 printf("%s: canonify: %s\n", dir, fxp_error());
1022 sfree(unwcdir);
1023 return 0;
1024 }
1025
1026 printf("Listing directory %s\n", cdir);
1027
1028 sftp_register(req = fxp_opendir_send(cdir));
1029 rreq = sftp_find_request(pktin = sftp_recv());
1030 assert(rreq == req);
1031 dirh = fxp_opendir_recv(pktin, rreq);
1032
1033 if (dirh == NULL) {
1034 printf("Unable to open %s: %s\n", dir, fxp_error());
1035 } else {
1036 nnames = namesize = 0;
1037 ournames = NULL;
1038
1039 while (1) {
1040
1041 sftp_register(req = fxp_readdir_send(dirh));
1042 rreq = sftp_find_request(pktin = sftp_recv());
1043 assert(rreq == req);
1044 names = fxp_readdir_recv(pktin, rreq);
1045
1046 if (names == NULL) {
1047 if (fxp_error_type() == SSH_FX_EOF)
1048 break;
1049 printf("Reading directory %s: %s\n", dir, fxp_error());
1050 break;
1051 }
1052 if (names->nnames == 0) {
1053 fxp_free_names(names);
1054 break;
1055 }
1056
1057 if (nnames + names->nnames >= namesize) {
1058 namesize += names->nnames + 128;
1059 ournames = sresize(ournames, namesize, struct fxp_name *);
1060 }
1061
1062 for (i = 0; i < names->nnames; i++)
1063 if (!wildcard || wc_match(wildcard, names->names[i].filename))
1064 ournames[nnames++] = fxp_dup_name(&names->names[i]);
1065
1066 fxp_free_names(names);
1067 }
1068 sftp_register(req = fxp_close_send(dirh));
1069 rreq = sftp_find_request(pktin = sftp_recv());
1070 assert(rreq == req);
1071 fxp_close_recv(pktin, rreq);
1072
1073 /*
1074 * Now we have our filenames. Sort them by actual file
1075 * name, and then output the longname parts.
1076 */
1077 qsort(ournames, nnames, sizeof(*ournames), sftp_name_compare);
1078
1079 /*
1080 * And print them.
1081 */
1082 for (i = 0; i < nnames; i++) {
1083 printf("%s\n", ournames[i]->longname);
1084 fxp_free_name(ournames[i]);
1085 }
1086 sfree(ournames);
1087 }
1088
1089 sfree(cdir);
1090 sfree(unwcdir);
1091
1092 return 1;
1093 }
1094
1095 /*
1096 * Change directories. We do this by canonifying the new name, then
1097 * trying to OPENDIR it. Only if that succeeds do we set the new pwd.
1098 */
1099 int sftp_cmd_cd(struct sftp_command *cmd)
1100 {
1101 struct fxp_handle *dirh;
1102 struct sftp_packet *pktin;
1103 struct sftp_request *req, *rreq;
1104 char *dir;
1105
1106 if (back == NULL) {
1107 not_connected();
1108 return 0;
1109 }
1110
1111 if (cmd->nwords < 2)
1112 dir = dupstr(homedir);
1113 else
1114 dir = canonify(cmd->words[1]);
1115
1116 if (!dir) {
1117 printf("%s: canonify: %s\n", dir, fxp_error());
1118 return 0;
1119 }
1120
1121 sftp_register(req = fxp_opendir_send(dir));
1122 rreq = sftp_find_request(pktin = sftp_recv());
1123 assert(rreq == req);
1124 dirh = fxp_opendir_recv(pktin, rreq);
1125
1126 if (!dirh) {
1127 printf("Directory %s: %s\n", dir, fxp_error());
1128 sfree(dir);
1129 return 0;
1130 }
1131
1132 sftp_register(req = fxp_close_send(dirh));
1133 rreq = sftp_find_request(pktin = sftp_recv());
1134 assert(rreq == req);
1135 fxp_close_recv(pktin, rreq);
1136
1137 sfree(pwd);
1138 pwd = dir;
1139 printf("Remote directory is now %s\n", pwd);
1140
1141 return 1;
1142 }
1143
1144 /*
1145 * Print current directory. Easy as pie.
1146 */
1147 int sftp_cmd_pwd(struct sftp_command *cmd)
1148 {
1149 if (back == NULL) {
1150 not_connected();
1151 return 0;
1152 }
1153
1154 printf("Remote directory is %s\n", pwd);
1155 return 1;
1156 }
1157
1158 /*
1159 * Get a file and save it at the local end. We have three very
1160 * similar commands here. The basic one is `get'; `reget' differs
1161 * in that it checks for the existence of the destination file and
1162 * starts from where a previous aborted transfer left off; `mget'
1163 * differs in that it interprets all its arguments as files to
1164 * transfer (never as a different local name for a remote file) and
1165 * can handle wildcards.
1166 */
1167 int sftp_general_get(struct sftp_command *cmd, int restart, int multiple)
1168 {
1169 char *fname, *unwcfname, *origfname, *origwfname, *outfname;
1170 int i, ret;
1171 int recurse = FALSE;
1172
1173 if (back == NULL) {
1174 not_connected();
1175 return 0;
1176 }
1177
1178 i = 1;
1179 while (i < cmd->nwords && cmd->words[i][0] == '-') {
1180 if (!strcmp(cmd->words[i], "--")) {
1181 /* finish processing options */
1182 i++;
1183 break;
1184 } else if (!strcmp(cmd->words[i], "-r")) {
1185 recurse = TRUE;
1186 } else {
1187 printf("%s: unrecognised option '%s'\n", cmd->words[0], cmd->words[i]);
1188 return 0;
1189 }
1190 i++;
1191 }
1192
1193 if (i >= cmd->nwords) {
1194 printf("%s: expects a filename\n", cmd->words[0]);
1195 return 0;
1196 }
1197
1198 ret = 1;
1199 do {
1200 SftpWildcardMatcher *swcm;
1201
1202 origfname = cmd->words[i++];
1203 unwcfname = snewn(strlen(origfname)+1, char);
1204
1205 if (multiple && !wc_unescape(unwcfname, origfname)) {
1206 swcm = sftp_begin_wildcard_matching(origfname);
1207 if (!swcm) {
1208 sfree(unwcfname);
1209 continue;
1210 }
1211 origwfname = sftp_wildcard_get_filename(swcm);
1212 if (!origwfname) {
1213 /* Politely warn the user that nothing matched. */
1214 printf("%s: nothing matched\n", origfname);
1215 sftp_finish_wildcard_matching(swcm);
1216 sfree(unwcfname);
1217 continue;
1218 }
1219 } else {
1220 origwfname = origfname;
1221 swcm = NULL;
1222 }
1223
1224 while (origwfname) {
1225 fname = canonify(origwfname);
1226
1227 if (!fname) {
1228 printf("%s: canonify: %s\n", origwfname, fxp_error());
1229 sfree(unwcfname);
1230 return 0;
1231 }
1232
1233 if (!multiple && i < cmd->nwords)
1234 outfname = cmd->words[i++];
1235 else
1236 outfname = stripslashes(origwfname, 0);
1237
1238 ret = sftp_get_file(fname, outfname, recurse, restart);
1239
1240 sfree(fname);
1241
1242 if (swcm) {
1243 sfree(origwfname);
1244 origwfname = sftp_wildcard_get_filename(swcm);
1245 } else {
1246 origwfname = NULL;
1247 }
1248 }
1249 sfree(unwcfname);
1250 if (swcm)
1251 sftp_finish_wildcard_matching(swcm);
1252 if (!ret)
1253 return ret;
1254
1255 } while (multiple && i < cmd->nwords);
1256
1257 return ret;
1258 }
1259 int sftp_cmd_get(struct sftp_command *cmd)
1260 {
1261 return sftp_general_get(cmd, 0, 0);
1262 }
1263 int sftp_cmd_mget(struct sftp_command *cmd)
1264 {
1265 return sftp_general_get(cmd, 0, 1);
1266 }
1267 int sftp_cmd_reget(struct sftp_command *cmd)
1268 {
1269 return sftp_general_get(cmd, 1, 0);
1270 }
1271
1272 /*
1273 * Send a file and store it at the remote end. We have three very
1274 * similar commands here. The basic one is `put'; `reput' differs
1275 * in that it checks for the existence of the destination file and
1276 * starts from where a previous aborted transfer left off; `mput'
1277 * differs in that it interprets all its arguments as files to
1278 * transfer (never as a different remote name for a local file) and
1279 * can handle wildcards.
1280 */
1281 int sftp_general_put(struct sftp_command *cmd, int restart, int multiple)
1282 {
1283 char *fname, *wfname, *origoutfname, *outfname;
1284 int i, ret;
1285 int recurse = FALSE;
1286
1287 if (back == NULL) {
1288 not_connected();
1289 return 0;
1290 }
1291
1292 i = 1;
1293 while (i < cmd->nwords && cmd->words[i][0] == '-') {
1294 if (!strcmp(cmd->words[i], "--")) {
1295 /* finish processing options */
1296 i++;
1297 break;
1298 } else if (!strcmp(cmd->words[i], "-r")) {
1299 recurse = TRUE;
1300 } else {
1301 printf("%s: unrecognised option '%s'\n", cmd->words[0], cmd->words[i]);
1302 return 0;
1303 }
1304 i++;
1305 }
1306
1307 if (i >= cmd->nwords) {
1308 printf("%s: expects a filename\n", cmd->words[0]);
1309 return 0;
1310 }
1311
1312 ret = 1;
1313 do {
1314 WildcardMatcher *wcm;
1315 fname = cmd->words[i++];
1316
1317 if (multiple && test_wildcard(fname, FALSE) == WCTYPE_WILDCARD) {
1318 wcm = begin_wildcard_matching(fname);
1319 wfname = wildcard_get_filename(wcm);
1320 if (!wfname) {
1321 /* Politely warn the user that nothing matched. */
1322 printf("%s: nothing matched\n", fname);
1323 finish_wildcard_matching(wcm);
1324 continue;
1325 }
1326 } else {
1327 wfname = fname;
1328 wcm = NULL;
1329 }
1330
1331 while (wfname) {
1332 if (!multiple && i < cmd->nwords)
1333 origoutfname = cmd->words[i++];
1334 else
1335 origoutfname = stripslashes(wfname, 1);
1336
1337 outfname = canonify(origoutfname);
1338 if (!outfname) {
1339 printf("%s: canonify: %s\n", origoutfname, fxp_error());
1340 if (wcm) {
1341 sfree(wfname);
1342 finish_wildcard_matching(wcm);
1343 }
1344 return 0;
1345 }
1346 ret = sftp_put_file(wfname, outfname, recurse, restart);
1347 sfree(outfname);
1348
1349 if (wcm) {
1350 sfree(wfname);
1351 wfname = wildcard_get_filename(wcm);
1352 } else {
1353 wfname = NULL;
1354 }
1355 }
1356
1357 if (wcm)
1358 finish_wildcard_matching(wcm);
1359
1360 if (!ret)
1361 return ret;
1362
1363 } while (multiple && i < cmd->nwords);
1364
1365 return ret;
1366 }
1367 int sftp_cmd_put(struct sftp_command *cmd)
1368 {
1369 return sftp_general_put(cmd, 0, 0);
1370 }
1371 int sftp_cmd_mput(struct sftp_command *cmd)
1372 {
1373 return sftp_general_put(cmd, 0, 1);
1374 }
1375 int sftp_cmd_reput(struct sftp_command *cmd)
1376 {
1377 return sftp_general_put(cmd, 1, 0);
1378 }
1379
1380 int sftp_cmd_mkdir(struct sftp_command *cmd)
1381 {
1382 char *dir;
1383 struct sftp_packet *pktin;
1384 struct sftp_request *req, *rreq;
1385 int result;
1386 int i, ret;
1387
1388 if (back == NULL) {
1389 not_connected();
1390 return 0;
1391 }
1392
1393 if (cmd->nwords < 2) {
1394 printf("mkdir: expects a directory\n");
1395 return 0;
1396 }
1397
1398 ret = 1;
1399 for (i = 1; i < cmd->nwords; i++) {
1400 dir = canonify(cmd->words[i]);
1401 if (!dir) {
1402 printf("%s: canonify: %s\n", dir, fxp_error());
1403 return 0;
1404 }
1405
1406 sftp_register(req = fxp_mkdir_send(dir));
1407 rreq = sftp_find_request(pktin = sftp_recv());
1408 assert(rreq == req);
1409 result = fxp_mkdir_recv(pktin, rreq);
1410
1411 if (!result) {
1412 printf("mkdir %s: %s\n", dir, fxp_error());
1413 ret = 0;
1414 } else
1415 printf("mkdir %s: OK\n", dir);
1416
1417 sfree(dir);
1418 }
1419
1420 return ret;
1421 }
1422
1423 static int sftp_action_rmdir(void *vctx, char *dir)
1424 {
1425 struct sftp_packet *pktin;
1426 struct sftp_request *req, *rreq;
1427 int result;
1428
1429 sftp_register(req = fxp_rmdir_send(dir));
1430 rreq = sftp_find_request(pktin = sftp_recv());
1431 assert(rreq == req);
1432 result = fxp_rmdir_recv(pktin, rreq);
1433
1434 if (!result) {
1435 printf("rmdir %s: %s\n", dir, fxp_error());
1436 return 0;
1437 }
1438
1439 printf("rmdir %s: OK\n", dir);
1440
1441 return 1;
1442 }
1443
1444 int sftp_cmd_rmdir(struct sftp_command *cmd)
1445 {
1446 int i, ret;
1447
1448 if (back == NULL) {
1449 not_connected();
1450 return 0;
1451 }
1452
1453 if (cmd->nwords < 2) {
1454 printf("rmdir: expects a directory\n");
1455 return 0;
1456 }
1457
1458 ret = 1;
1459 for (i = 1; i < cmd->nwords; i++)
1460 ret &= wildcard_iterate(cmd->words[i], sftp_action_rmdir, NULL);
1461
1462 return ret;
1463 }
1464
1465 static int sftp_action_rm(void *vctx, char *fname)
1466 {
1467 struct sftp_packet *pktin;
1468 struct sftp_request *req, *rreq;
1469 int result;
1470
1471 sftp_register(req = fxp_remove_send(fname));
1472 rreq = sftp_find_request(pktin = sftp_recv());
1473 assert(rreq == req);
1474 result = fxp_remove_recv(pktin, rreq);
1475
1476 if (!result) {
1477 printf("rm %s: %s\n", fname, fxp_error());
1478 return 0;
1479 }
1480
1481 printf("rm %s: OK\n", fname);
1482
1483 return 1;
1484 }
1485
1486 int sftp_cmd_rm(struct sftp_command *cmd)
1487 {
1488 int i, ret;
1489
1490 if (back == NULL) {
1491 not_connected();
1492 return 0;
1493 }
1494
1495 if (cmd->nwords < 2) {
1496 printf("rm: expects a filename\n");
1497 return 0;
1498 }
1499
1500 ret = 1;
1501 for (i = 1; i < cmd->nwords; i++)
1502 ret &= wildcard_iterate(cmd->words[i], sftp_action_rm, NULL);
1503
1504 return ret;
1505 }
1506
1507 static int check_is_dir(char *dstfname)
1508 {
1509 struct sftp_packet *pktin;
1510 struct sftp_request *req, *rreq;
1511 struct fxp_attrs attrs;
1512 int result;
1513
1514 sftp_register(req = fxp_stat_send(dstfname));
1515 rreq = sftp_find_request(pktin = sftp_recv());
1516 assert(rreq == req);
1517 result = fxp_stat_recv(pktin, rreq, &attrs);
1518
1519 if (result &&
1520 (attrs.flags & SSH_FILEXFER_ATTR_PERMISSIONS) &&
1521 (attrs.permissions & 0040000))
1522 return TRUE;
1523 else
1524 return FALSE;
1525 }
1526
1527 struct sftp_context_mv {
1528 char *dstfname;
1529 int dest_is_dir;
1530 };
1531
1532 static int sftp_action_mv(void *vctx, char *srcfname)
1533 {
1534 struct sftp_context_mv *ctx = (struct sftp_context_mv *)vctx;
1535 struct sftp_packet *pktin;
1536 struct sftp_request *req, *rreq;
1537 const char *error;
1538 char *finalfname, *newcanon = NULL;
1539 int ret, result;
1540
1541 if (ctx->dest_is_dir) {
1542 char *p;
1543 char *newname;
1544
1545 p = srcfname + strlen(srcfname);
1546 while (p > srcfname && p[-1] != '/') p--;
1547 newname = dupcat(ctx->dstfname, "/", p, NULL);
1548 newcanon = canonify(newname);
1549 if (!newcanon) {
1550 printf("%s: canonify: %s\n", newname, fxp_error());
1551 sfree(newname);
1552 return 0;
1553 }
1554 sfree(newname);
1555
1556 finalfname = newcanon;
1557 } else {
1558 finalfname = ctx->dstfname;
1559 }
1560
1561 sftp_register(req = fxp_rename_send(srcfname, finalfname));
1562 rreq = sftp_find_request(pktin = sftp_recv());
1563 assert(rreq == req);
1564 result = fxp_rename_recv(pktin, rreq);
1565
1566 error = result ? NULL : fxp_error();
1567
1568 if (error) {
1569 printf("mv %s %s: %s\n", srcfname, finalfname, error);
1570 ret = 0;
1571 } else {
1572 printf("%s -> %s\n", srcfname, finalfname);
1573 ret = 1;
1574 }
1575
1576 sfree(newcanon);
1577 return ret;
1578 }
1579
1580 int sftp_cmd_mv(struct sftp_command *cmd)
1581 {
1582 struct sftp_context_mv actx, *ctx = &actx;
1583 int i, ret;
1584
1585 if (back == NULL) {
1586 not_connected();
1587 return 0;
1588 }
1589
1590 if (cmd->nwords < 3) {
1591 printf("mv: expects two filenames\n");
1592 return 0;
1593 }
1594
1595 ctx->dstfname = canonify(cmd->words[cmd->nwords-1]);
1596 if (!ctx->dstfname) {
1597 printf("%s: canonify: %s\n", ctx->dstfname, fxp_error());
1598 return 0;
1599 }
1600
1601 /*
1602 * If there's more than one source argument, or one source
1603 * argument which is a wildcard, we _require_ that the
1604 * destination is a directory.
1605 */
1606 ctx->dest_is_dir = check_is_dir(ctx->dstfname);
1607 if ((cmd->nwords > 3 || is_wildcard(cmd->words[1])) && !ctx->dest_is_dir) {
1608 printf("mv: multiple or wildcard arguments require the destination"
1609 " to be a directory\n");
1610 sfree(ctx->dstfname);
1611 return 0;
1612 }
1613
1614 /*
1615 * Now iterate over the source arguments.
1616 */
1617 ret = 1;
1618 for (i = 1; i < cmd->nwords-1; i++)
1619 ret &= wildcard_iterate(cmd->words[i], sftp_action_mv, ctx);
1620
1621 sfree(ctx->dstfname);
1622 return ret;
1623 }
1624
1625 struct sftp_context_chmod {
1626 unsigned attrs_clr, attrs_xor;
1627 };
1628
1629 static int sftp_action_chmod(void *vctx, char *fname)
1630 {
1631 struct fxp_attrs attrs;
1632 struct sftp_packet *pktin;
1633 struct sftp_request *req, *rreq;
1634 int result;
1635 unsigned oldperms, newperms;
1636 struct sftp_context_chmod *ctx = (struct sftp_context_chmod *)vctx;
1637
1638 sftp_register(req = fxp_stat_send(fname));
1639 rreq = sftp_find_request(pktin = sftp_recv());
1640 assert(rreq == req);
1641 result = fxp_stat_recv(pktin, rreq, &attrs);
1642
1643 if (!result || !(attrs.flags & SSH_FILEXFER_ATTR_PERMISSIONS)) {
1644 printf("get attrs for %s: %s\n", fname,
1645 result ? "file permissions not provided" : fxp_error());
1646 return 0;
1647 }
1648
1649 attrs.flags = SSH_FILEXFER_ATTR_PERMISSIONS; /* perms _only_ */
1650 oldperms = attrs.permissions & 07777;
1651 attrs.permissions &= ~ctx->attrs_clr;
1652 attrs.permissions ^= ctx->attrs_xor;
1653 newperms = attrs.permissions & 07777;
1654
1655 if (oldperms == newperms)
1656 return 1; /* no need to do anything! */
1657
1658 sftp_register(req = fxp_setstat_send(fname, attrs));
1659 rreq = sftp_find_request(pktin = sftp_recv());
1660 assert(rreq == req);
1661 result = fxp_setstat_recv(pktin, rreq);
1662
1663 if (!result) {
1664 printf("set attrs for %s: %s\n", fname, fxp_error());
1665 return 0;
1666 }
1667
1668 printf("%s: %04o -> %04o\n", fname, oldperms, newperms);
1669
1670 return 1;
1671 }
1672
1673 int sftp_cmd_chmod(struct sftp_command *cmd)
1674 {
1675 char *mode;
1676 int i, ret;
1677 struct sftp_context_chmod actx, *ctx = &actx;
1678
1679 if (back == NULL) {
1680 not_connected();
1681 return 0;
1682 }
1683
1684 if (cmd->nwords < 3) {
1685 printf("chmod: expects a mode specifier and a filename\n");
1686 return 0;
1687 }
1688
1689 /*
1690 * Attempt to parse the mode specifier in cmd->words[1]. We
1691 * don't support the full horror of Unix chmod; instead we
1692 * support a much simpler syntax in which the user can either
1693 * specify an octal number, or a comma-separated sequence of
1694 * [ugoa]*[-+=][rwxst]+. (The initial [ugoa] sequence may
1695 * _only_ be omitted if the only attribute mentioned is t,
1696 * since all others require a user/group/other specification.
1697 * Additionally, the s attribute may not be specified for any
1698 * [ugoa] specifications other than exactly u or exactly g.
1699 */
1700 ctx->attrs_clr = ctx->attrs_xor = 0;
1701 mode = cmd->words[1];
1702 if (mode[0] >= '0' && mode[0] <= '9') {
1703 if (mode[strspn(mode, "01234567")]) {
1704 printf("chmod: numeric file modes should"
1705 " contain digits 0-7 only\n");
1706 return 0;
1707 }
1708 ctx->attrs_clr = 07777;
1709 sscanf(mode, "%o", &ctx->attrs_xor);
1710 ctx->attrs_xor &= ctx->attrs_clr;
1711 } else {
1712 while (*mode) {
1713 char *modebegin = mode;
1714 unsigned subset, perms;
1715 int action;
1716
1717 subset = 0;
1718 while (*mode && *mode != ',' &&
1719 *mode != '+' && *mode != '-' && *mode != '=') {
1720 switch (*mode) {
1721 case 'u': subset |= 04700; break; /* setuid, user perms */
1722 case 'g': subset |= 02070; break; /* setgid, group perms */
1723 case 'o': subset |= 00007; break; /* just other perms */
1724 case 'a': subset |= 06777; break; /* all of the above */
1725 default:
1726 printf("chmod: file mode '%.*s' contains unrecognised"
1727 " user/group/other specifier '%c'\n",
1728 (int)strcspn(modebegin, ","), modebegin, *mode);
1729 return 0;
1730 }
1731 mode++;
1732 }
1733 if (!*mode || *mode == ',') {
1734 printf("chmod: file mode '%.*s' is incomplete\n",
1735 (int)strcspn(modebegin, ","), modebegin);
1736 return 0;
1737 }
1738 action = *mode++;
1739 if (!*mode || *mode == ',') {
1740 printf("chmod: file mode '%.*s' is incomplete\n",
1741 (int)strcspn(modebegin, ","), modebegin);
1742 return 0;
1743 }
1744 perms = 0;
1745 while (*mode && *mode != ',') {
1746 switch (*mode) {
1747 case 'r': perms |= 00444; break;
1748 case 'w': perms |= 00222; break;
1749 case 'x': perms |= 00111; break;
1750 case 't': perms |= 01000; subset |= 01000; break;
1751 case 's':
1752 if ((subset & 06777) != 04700 &&
1753 (subset & 06777) != 02070) {
1754 printf("chmod: file mode '%.*s': set[ug]id bit should"
1755 " be used with exactly one of u or g only\n",
1756 (int)strcspn(modebegin, ","), modebegin);
1757 return 0;
1758 }
1759 perms |= 06000;
1760 break;
1761 default:
1762 printf("chmod: file mode '%.*s' contains unrecognised"
1763 " permission specifier '%c'\n",
1764 (int)strcspn(modebegin, ","), modebegin, *mode);
1765 return 0;
1766 }
1767 mode++;
1768 }
1769 if (!(subset & 06777) && (perms &~ subset)) {
1770 printf("chmod: file mode '%.*s' contains no user/group/other"
1771 " specifier and permissions other than 't' \n",
1772 (int)strcspn(modebegin, ","), modebegin);
1773 return 0;
1774 }
1775 perms &= subset;
1776 switch (action) {
1777 case '+':
1778 ctx->attrs_clr |= perms;
1779 ctx->attrs_xor |= perms;
1780 break;
1781 case '-':
1782 ctx->attrs_clr |= perms;
1783 ctx->attrs_xor &= ~perms;
1784 break;
1785 case '=':
1786 ctx->attrs_clr |= subset;
1787 ctx->attrs_xor |= perms;
1788 break;
1789 }
1790 if (*mode) mode++; /* eat comma */
1791 }
1792 }
1793
1794 ret = 1;
1795 for (i = 2; i < cmd->nwords; i++)
1796 ret &= wildcard_iterate(cmd->words[i], sftp_action_chmod, ctx);
1797
1798 return ret;
1799 }
1800
1801 static int sftp_cmd_open(struct sftp_command *cmd)
1802 {
1803 int portnumber;
1804
1805 if (back != NULL) {
1806 printf("psftp: already connected\n");
1807 return 0;
1808 }
1809
1810 if (cmd->nwords < 2) {
1811 printf("open: expects a host name\n");
1812 return 0;
1813 }
1814
1815 if (cmd->nwords > 2) {
1816 portnumber = atoi(cmd->words[2]);
1817 if (portnumber == 0) {
1818 printf("open: invalid port number\n");
1819 return 0;
1820 }
1821 } else
1822 portnumber = 0;
1823
1824 if (psftp_connect(cmd->words[1], NULL, portnumber)) {
1825 back = NULL; /* connection is already closed */
1826 return -1; /* this is fatal */
1827 }
1828 do_sftp_init();
1829 return 1;
1830 }
1831
1832 static int sftp_cmd_lcd(struct sftp_command *cmd)
1833 {
1834 char *currdir, *errmsg;
1835
1836 if (cmd->nwords < 2) {
1837 printf("lcd: expects a local directory name\n");
1838 return 0;
1839 }
1840
1841 errmsg = psftp_lcd(cmd->words[1]);
1842 if (errmsg) {
1843 printf("lcd: unable to change directory: %s\n", errmsg);
1844 sfree(errmsg);
1845 return 0;
1846 }
1847
1848 currdir = psftp_getcwd();
1849 printf("New local directory is %s\n", currdir);
1850 sfree(currdir);
1851
1852 return 1;
1853 }
1854
1855 static int sftp_cmd_lpwd(struct sftp_command *cmd)
1856 {
1857 char *currdir;
1858
1859 currdir = psftp_getcwd();
1860 printf("Current local directory is %s\n", currdir);
1861 sfree(currdir);
1862
1863 return 1;
1864 }
1865
1866 static int sftp_cmd_pling(struct sftp_command *cmd)
1867 {
1868 int exitcode;
1869
1870 exitcode = system(cmd->words[1]);
1871 return (exitcode == 0);
1872 }
1873
1874 static int sftp_cmd_help(struct sftp_command *cmd);
1875
1876 static struct sftp_cmd_lookup {
1877 char *name;
1878 /*
1879 * For help purposes, there are two kinds of command:
1880 *
1881 * - primary commands, in which `longhelp' is non-NULL. In
1882 * this case `shorthelp' is descriptive text, and `longhelp'
1883 * is longer descriptive text intended to be printed after
1884 * the command name.
1885 *
1886 * - alias commands, in which `longhelp' is NULL. In this case
1887 * `shorthelp' is the name of a primary command, which
1888 * contains the help that should double up for this command.
1889 */
1890 int listed; /* do we list this in primary help? */
1891 char *shorthelp;
1892 char *longhelp;
1893 int (*obey) (struct sftp_command *);
1894 } sftp_lookup[] = {
1895 /*
1896 * List of sftp commands. This is binary-searched so it MUST be
1897 * in ASCII order.
1898 */
1899 {
1900 "!", TRUE, "run a local command",
1901 "<command>\n"
1902 /* FIXME: this example is crap for non-Windows. */
1903 " Runs a local command. For example, \"!del myfile\".\n",
1904 sftp_cmd_pling
1905 },
1906 {
1907 "bye", TRUE, "finish your SFTP session",
1908 "\n"
1909 " Terminates your SFTP session and quits the PSFTP program.\n",
1910 sftp_cmd_quit
1911 },
1912 {
1913 "cd", TRUE, "change your remote working directory",
1914 " [ <new working directory> ]\n"
1915 " Change the remote working directory for your SFTP session.\n"
1916 " If a new working directory is not supplied, you will be\n"
1917 " returned to your home directory.\n",
1918 sftp_cmd_cd
1919 },
1920 {
1921 "chmod", TRUE, "change file permissions and modes",
1922 " <modes> <filename-or-wildcard> [ <filename-or-wildcard>... ]\n"
1923 " Change the file permissions on one or more remote files or\n"
1924 " directories.\n"
1925 " <modes> can be any octal Unix permission specifier.\n"
1926 " Alternatively, <modes> can include the following modifiers:\n"
1927 " u+r make file readable by owning user\n"
1928 " u+w make file writable by owning user\n"
1929 " u+x make file executable by owning user\n"
1930 " u-r make file not readable by owning user\n"
1931 " [also u-w, u-x]\n"
1932 " g+r make file readable by members of owning group\n"
1933 " [also g+w, g+x, g-r, g-w, g-x]\n"
1934 " o+r make file readable by all other users\n"
1935 " [also o+w, o+x, o-r, o-w, o-x]\n"
1936 " a+r make file readable by absolutely everybody\n"
1937 " [also a+w, a+x, a-r, a-w, a-x]\n"
1938 " u+s enable the Unix set-user-ID bit\n"
1939 " u-s disable the Unix set-user-ID bit\n"
1940 " g+s enable the Unix set-group-ID bit\n"
1941 " g-s disable the Unix set-group-ID bit\n"
1942 " +t enable the Unix \"sticky bit\"\n"
1943 " You can give more than one modifier for the same user (\"g-rwx\"), and\n"
1944 " more than one user for the same modifier (\"ug+w\"). You can\n"
1945 " use commas to separate different modifiers (\"u+rwx,g+s\").\n",
1946 sftp_cmd_chmod
1947 },
1948 {
1949 "close", TRUE, "finish your SFTP session but do not quit PSFTP",
1950 "\n"
1951 " Terminates your SFTP session, but does not quit the PSFTP\n"
1952 " program. You can then use \"open\" to start another SFTP\n"
1953 " session, to the same server or to a different one.\n",
1954 sftp_cmd_close
1955 },
1956 {
1957 "del", TRUE, "delete files on the remote server",
1958 " <filename-or-wildcard> [ <filename-or-wildcard>... ]\n"
1959 " Delete a file or files from the server.\n",
1960 sftp_cmd_rm
1961 },
1962 {
1963 "delete", FALSE, "del", NULL, sftp_cmd_rm
1964 },
1965 {
1966 "dir", TRUE, "list remote files",
1967 " [ <directory-name> ]/[ <wildcard> ]\n"
1968 " List the contents of a specified directory on the server.\n"
1969 " If <directory-name> is not given, the current working directory\n"
1970 " is assumed.\n"
1971 " If <wildcard> is given, it is treated as a set of files to\n"
1972 " list; otherwise, all files are listed.\n",
1973 sftp_cmd_ls
1974 },
1975 {
1976 "exit", TRUE, "bye", NULL, sftp_cmd_quit
1977 },
1978 {
1979 "get", TRUE, "download a file from the server to your local machine",
1980 " [ -r ] [ -- ] <filename> [ <local-filename> ]\n"
1981 " Downloads a file on the server and stores it locally under\n"
1982 " the same name, or under a different one if you supply the\n"
1983 " argument <local-filename>.\n"
1984 " If -r specified, recursively fetch a directory.\n",
1985 sftp_cmd_get
1986 },
1987 {
1988 "help", TRUE, "give help",
1989 " [ <command> [ <command> ... ] ]\n"
1990 " Give general help if no commands are specified.\n"
1991 " If one or more commands are specified, give specific help on\n"
1992 " those particular commands.\n",
1993 sftp_cmd_help
1994 },
1995 {
1996 "lcd", TRUE, "change local working directory",
1997 " <local-directory-name>\n"
1998 " Change the local working directory of the PSFTP program (the\n"
1999 " default location where the \"get\" command will save files).\n",
2000 sftp_cmd_lcd
2001 },
2002 {
2003 "lpwd", TRUE, "print local working directory",
2004 "\n"
2005 " Print the local working directory of the PSFTP program (the\n"
2006 " default location where the \"get\" command will save files).\n",
2007 sftp_cmd_lpwd
2008 },
2009 {
2010 "ls", TRUE, "dir", NULL,
2011 sftp_cmd_ls
2012 },
2013 {
2014 "mget", TRUE, "download multiple files at once",
2015 " [ -r ] [ -- ] <filename-or-wildcard> [ <filename-or-wildcard>... ]\n"
2016 " Downloads many files from the server, storing each one under\n"
2017 " the same name it has on the server side. You can use wildcards\n"
2018 " such as \"*.c\" to specify lots of files at once.\n"
2019 " If -r specified, recursively fetch files and directories.\n",
2020 sftp_cmd_mget
2021 },
2022 {
2023 "mkdir", TRUE, "create directories on the remote server",
2024 " <directory-name> [ <directory-name>... ]\n"
2025 " Creates directories with the given names on the server.\n",
2026 sftp_cmd_mkdir
2027 },
2028 {
2029 "mput", TRUE, "upload multiple files at once",
2030 " [ -r ] [ -- ] <filename-or-wildcard> [ <filename-or-wildcard>... ]\n"
2031 " Uploads many files to the server, storing each one under the\n"
2032 " same name it has on the client side. You can use wildcards\n"
2033 " such as \"*.c\" to specify lots of files at once.\n"
2034 " If -r specified, recursively store files and directories.\n",
2035 sftp_cmd_mput
2036 },
2037 {
2038 "mv", TRUE, "move or rename file(s) on the remote server",
2039 " <source> [ <source>... ] <destination>\n"
2040 " Moves or renames <source>(s) on the server to <destination>,\n"
2041 " also on the server.\n"
2042 " If <destination> specifies an existing directory, then <source>\n"
2043 " may be a wildcard, and multiple <source>s may be given; all\n"
2044 " source files are moved into <destination>.\n"
2045 " Otherwise, <source> must specify a single file, which is moved\n"
2046 " or renamed so that it is accessible under the name <destination>.\n",
2047 sftp_cmd_mv
2048 },
2049 {
2050 "open", TRUE, "connect to a host",
2051 " [<user>@]<hostname> [<port>]\n"
2052 " Establishes an SFTP connection to a given host. Only usable\n"
2053 " when you are not already connected to a server.\n",
2054 sftp_cmd_open
2055 },
2056 {
2057 "put", TRUE, "upload a file from your local machine to the server",
2058 " [ -r ] [ -- ] <filename> [ <remote-filename> ]\n"
2059 " Uploads a file to the server and stores it there under\n"
2060 " the same name, or under a different one if you supply the\n"
2061 " argument <remote-filename>.\n"
2062 " If -r specified, recursively store a directory.\n",
2063 sftp_cmd_put
2064 },
2065 {
2066 "pwd", TRUE, "print your remote working directory",
2067 "\n"
2068 " Print the current remote working directory for your SFTP session.\n",
2069 sftp_cmd_pwd
2070 },
2071 {
2072 "quit", TRUE, "bye", NULL,
2073 sftp_cmd_quit
2074 },
2075 {
2076 "reget", TRUE, "continue downloading files",
2077 " [ -r ] [ -- ] <filename> [ <local-filename> ]\n"
2078 " Works exactly like the \"get\" command, but the local file\n"
2079 " must already exist. The download will begin at the end of the\n"
2080 " file. This is for resuming a download that was interrupted.\n"
2081 " If -r specified, resume interrupted \"get -r\".\n",
2082 sftp_cmd_reget
2083 },
2084 {
2085 "ren", TRUE, "mv", NULL,
2086 sftp_cmd_mv
2087 },
2088 {
2089 "rename", FALSE, "mv", NULL,
2090 sftp_cmd_mv
2091 },
2092 {
2093 "reput", TRUE, "continue uploading files",
2094 " [ -r ] [ -- ] <filename> [ <remote-filename> ]\n"
2095 " Works exactly like the \"put\" command, but the remote file\n"
2096 " must already exist. The upload will begin at the end of the\n"
2097 " file. This is for resuming an upload that was interrupted.\n"
2098 " If -r specified, resume interrupted \"put -r\".\n",
2099 sftp_cmd_reput
2100 },
2101 {
2102 "rm", TRUE, "del", NULL,
2103 sftp_cmd_rm
2104 },
2105 {
2106 "rmdir", TRUE, "remove directories on the remote server",
2107 " <directory-name> [ <directory-name>... ]\n"
2108 " Removes the directory with the given name on the server.\n"
2109 " The directory will not be removed unless it is empty.\n"
2110 " Wildcards may be used to specify multiple directories.\n",
2111 sftp_cmd_rmdir
2112 }
2113 };
2114
2115 const struct sftp_cmd_lookup *lookup_command(char *name)
2116 {
2117 int i, j, k, cmp;
2118
2119 i = -1;
2120 j = sizeof(sftp_lookup) / sizeof(*sftp_lookup);
2121 while (j - i > 1) {
2122 k = (j + i) / 2;
2123 cmp = strcmp(name, sftp_lookup[k].name);
2124 if (cmp < 0)
2125 j = k;
2126 else if (cmp > 0)
2127 i = k;
2128 else {
2129 return &sftp_lookup[k];
2130 }
2131 }
2132 return NULL;
2133 }
2134
2135 static int sftp_cmd_help(struct sftp_command *cmd)
2136 {
2137 int i;
2138 if (cmd->nwords == 1) {
2139 /*
2140 * Give short help on each command.
2141 */
2142 int maxlen;
2143 maxlen = 0;
2144 for (i = 0; i < sizeof(sftp_lookup) / sizeof(*sftp_lookup); i++) {
2145 int len;
2146 if (!sftp_lookup[i].listed)
2147 continue;
2148 len = strlen(sftp_lookup[i].name);
2149 if (maxlen < len)
2150 maxlen = len;
2151 }
2152 for (i = 0; i < sizeof(sftp_lookup) / sizeof(*sftp_lookup); i++) {
2153 const struct sftp_cmd_lookup *lookup;
2154 if (!sftp_lookup[i].listed)
2155 continue;
2156 lookup = &sftp_lookup[i];
2157 printf("%-*s", maxlen+2, lookup->name);
2158 if (lookup->longhelp == NULL)
2159 lookup = lookup_command(lookup->shorthelp);
2160 printf("%s\n", lookup->shorthelp);
2161 }
2162 } else {
2163 /*
2164 * Give long help on specific commands.
2165 */
2166 for (i = 1; i < cmd->nwords; i++) {
2167 const struct sftp_cmd_lookup *lookup;
2168 lookup = lookup_command(cmd->words[i]);
2169 if (!lookup) {
2170 printf("help: %s: command not found\n", cmd->words[i]);
2171 } else {
2172 printf("%s", lookup->name);
2173 if (lookup->longhelp == NULL)
2174 lookup = lookup_command(lookup->shorthelp);
2175 printf("%s", lookup->longhelp);
2176 }
2177 }
2178 }
2179 return 1;
2180 }
2181
2182 /* ----------------------------------------------------------------------
2183 * Command line reading and parsing.
2184 */
2185 struct sftp_command *sftp_getcmd(FILE *fp, int mode, int modeflags)
2186 {
2187 char *line;
2188 struct sftp_command *cmd;
2189 char *p, *q, *r;
2190 int quoting;
2191
2192 cmd = snew(struct sftp_command);
2193 cmd->words = NULL;
2194 cmd->nwords = 0;
2195 cmd->wordssize = 0;
2196
2197 line = NULL;
2198
2199 if (fp) {
2200 if (modeflags & 1)
2201 printf("psftp> ");
2202 line = fgetline(fp);
2203 } else {
2204 line = ssh_sftp_get_cmdline("psftp> ", back == NULL);
2205 }
2206
2207 if (!line || !*line) {
2208 cmd->obey = sftp_cmd_quit;
2209 if ((mode == 0) || (modeflags & 1))
2210 printf("quit\n");
2211 return cmd; /* eof */
2212 }
2213
2214 line[strcspn(line, "\r\n")] = '\0';
2215
2216 if (modeflags & 1) {
2217 printf("%s\n", line);
2218 }
2219
2220 p = line;
2221 while (*p && (*p == ' ' || *p == '\t'))
2222 p++;
2223
2224 if (*p == '!') {
2225 /*
2226 * Special case: the ! command. This is always parsed as
2227 * exactly two words: one containing the !, and the second
2228 * containing everything else on the line.
2229 */
2230 cmd->nwords = cmd->wordssize = 2;
2231 cmd->words = sresize(cmd->words, cmd->wordssize, char *);
2232 cmd->words[0] = dupstr("!");
2233 cmd->words[1] = dupstr(p+1);
2234 } else {
2235
2236 /*
2237 * Parse the command line into words. The syntax is:
2238 * - double quotes are removed, but cause spaces within to be
2239 * treated as non-separating.
2240 * - a double-doublequote pair is a literal double quote, inside
2241 * _or_ outside quotes. Like this:
2242 *
2243 * firstword "second word" "this has ""quotes"" in" and""this""
2244 *
2245 * becomes
2246 *
2247 * >firstword<
2248 * >second word<
2249 * >this has "quotes" in<
2250 * >and"this"<
2251 */
2252 while (*p) {
2253 /* skip whitespace */
2254 while (*p && (*p == ' ' || *p == '\t'))
2255 p++;
2256 /* mark start of word */
2257 q = r = p; /* q sits at start, r writes word */
2258 quoting = 0;
2259 while (*p) {
2260 if (!quoting && (*p == ' ' || *p == '\t'))
2261 break; /* reached end of word */
2262 else if (*p == '"' && p[1] == '"')
2263 p += 2, *r++ = '"'; /* a literal quote */
2264 else if (*p == '"')
2265 p++, quoting = !quoting;
2266 else
2267 *r++ = *p++;
2268 }
2269 if (*p)
2270 p++; /* skip over the whitespace */
2271 *r = '\0';
2272 if (cmd->nwords >= cmd->wordssize) {
2273 cmd->wordssize = cmd->nwords + 16;
2274 cmd->words = sresize(cmd->words, cmd->wordssize, char *);
2275 }
2276 cmd->words[cmd->nwords++] = dupstr(q);
2277 }
2278 }
2279
2280 sfree(line);
2281
2282 /*
2283 * Now parse the first word and assign a function.
2284 */
2285
2286 if (cmd->nwords == 0)
2287 cmd->obey = sftp_cmd_null;
2288 else {
2289 const struct sftp_cmd_lookup *lookup;
2290 lookup = lookup_command(cmd->words[0]);
2291 if (!lookup)
2292 cmd->obey = sftp_cmd_unknown;
2293 else
2294 cmd->obey = lookup->obey;
2295 }
2296
2297 return cmd;
2298 }
2299
2300 static int do_sftp_init(void)
2301 {
2302 struct sftp_packet *pktin;
2303 struct sftp_request *req, *rreq;
2304
2305 /*
2306 * Do protocol initialisation.
2307 */
2308 if (!fxp_init()) {
2309 fprintf(stderr,
2310 "Fatal: unable to initialise SFTP: %s\n", fxp_error());
2311 return 1; /* failure */
2312 }
2313
2314 /*
2315 * Find out where our home directory is.
2316 */
2317 sftp_register(req = fxp_realpath_send("."));
2318 rreq = sftp_find_request(pktin = sftp_recv());
2319 assert(rreq == req);
2320 homedir = fxp_realpath_recv(pktin, rreq);
2321
2322 if (!homedir) {
2323 fprintf(stderr,
2324 "Warning: failed to resolve home directory: %s\n",
2325 fxp_error());
2326 homedir = dupstr(".");
2327 } else {
2328 printf("Remote working directory is %s\n", homedir);
2329 }
2330 pwd = dupstr(homedir);
2331 return 0;
2332 }
2333
2334 void do_sftp_cleanup()
2335 {
2336 char ch;
2337 if (back) {
2338 back->special(backhandle, TS_EOF);
2339 sftp_recvdata(&ch, 1);
2340 back->free(backhandle);
2341 sftp_cleanup_request();
2342 back = NULL;
2343 backhandle = NULL;
2344 }
2345 if (pwd) {
2346 sfree(pwd);
2347 pwd = NULL;
2348 }
2349 if (homedir) {
2350 sfree(homedir);
2351 homedir = NULL;
2352 }
2353 }
2354
2355 void do_sftp(int mode, int modeflags, char *batchfile)
2356 {
2357 FILE *fp;
2358 int ret;
2359
2360 /*
2361 * Batch mode?
2362 */
2363 if (mode == 0) {
2364
2365 /* ------------------------------------------------------------------
2366 * Now we're ready to do Real Stuff.
2367 */
2368 while (1) {
2369 struct sftp_command *cmd;
2370 cmd = sftp_getcmd(NULL, 0, 0);
2371 if (!cmd)
2372 break;
2373 ret = cmd->obey(cmd);
2374 if (cmd->words) {
2375 int i;
2376 for(i = 0; i < cmd->nwords; i++)
2377 sfree(cmd->words[i]);
2378 sfree(cmd->words);
2379 }
2380 sfree(cmd);
2381 if (ret < 0)
2382 break;
2383 }
2384 } else {
2385 fp = fopen(batchfile, "r");
2386 if (!fp) {
2387 printf("Fatal: unable to open %s\n", batchfile);
2388 return;
2389 }
2390 while (1) {
2391 struct sftp_command *cmd;
2392 cmd = sftp_getcmd(fp, mode, modeflags);
2393 if (!cmd)
2394 break;
2395 ret = cmd->obey(cmd);
2396 if (ret < 0)
2397 break;
2398 if (ret == 0) {
2399 if (!(modeflags & 2))
2400 break;
2401 }
2402 }
2403 fclose(fp);
2404
2405 }
2406 }
2407
2408 /* ----------------------------------------------------------------------
2409 * Dirty bits: integration with PuTTY.
2410 */
2411
2412 static int verbose = 0;
2413
2414 /*
2415 * Print an error message and perform a fatal exit.
2416 */
2417 void fatalbox(char *fmt, ...)
2418 {
2419 char *str, *str2;
2420 va_list ap;
2421 va_start(ap, fmt);
2422 str = dupvprintf(fmt, ap);
2423 str2 = dupcat("Fatal: ", str, "\n", NULL);
2424 sfree(str);
2425 va_end(ap);
2426 fputs(str2, stderr);
2427 sfree(str2);
2428
2429 cleanup_exit(1);
2430 }
2431 void modalfatalbox(char *fmt, ...)
2432 {
2433 char *str, *str2;
2434 va_list ap;
2435 va_start(ap, fmt);
2436 str = dupvprintf(fmt, ap);
2437 str2 = dupcat("Fatal: ", str, "\n", NULL);
2438 sfree(str);
2439 va_end(ap);
2440 fputs(str2, stderr);
2441 sfree(str2);
2442
2443 cleanup_exit(1);
2444 }
2445 void connection_fatal(void *frontend, char *fmt, ...)
2446 {
2447 char *str, *str2;
2448 va_list ap;
2449 va_start(ap, fmt);
2450 str = dupvprintf(fmt, ap);
2451 str2 = dupcat("Fatal: ", str, "\n", NULL);
2452 sfree(str);
2453 va_end(ap);
2454 fputs(str2, stderr);
2455 sfree(str2);
2456
2457 cleanup_exit(1);
2458 }
2459
2460 void ldisc_send(void *handle, char *buf, int len, int interactive)
2461 {
2462 /*
2463 * This is only here because of the calls to ldisc_send(NULL,
2464 * 0) in ssh.c. Nothing in PSFTP actually needs to use the
2465 * ldisc as an ldisc. So if we get called with any real data, I
2466 * want to know about it.
2467 */
2468 assert(len == 0);
2469 }
2470
2471 /*
2472 * In psftp, all agent requests should be synchronous, so this is a
2473 * never-called stub.
2474 */
2475 void agent_schedule_callback(void (*callback)(void *, void *, int),
2476 void *callback_ctx, void *data, int len)
2477 {
2478 assert(!"We shouldn't be here");
2479 }
2480
2481 /*
2482 * Receive a block of data from the SSH link. Block until all data
2483 * is available.
2484 *
2485 * To do this, we repeatedly call the SSH protocol module, with our
2486 * own trap in from_backend() to catch the data that comes back. We
2487 * do this until we have enough data.
2488 */
2489
2490 static unsigned char *outptr; /* where to put the data */
2491 static unsigned outlen; /* how much data required */
2492 static unsigned char *pending = NULL; /* any spare data */
2493 static unsigned pendlen = 0, pendsize = 0; /* length and phys. size of buffer */
2494 int from_backend(void *frontend, int is_stderr, const char *data, int datalen)
2495 {
2496 unsigned char *p = (unsigned char *) data;
2497 unsigned len = (unsigned) datalen;
2498
2499 /*
2500 * stderr data is just spouted to local stderr and otherwise
2501 * ignored.
2502 */
2503 if (is_stderr) {
2504 if (len > 0)
2505 fwrite(data, 1, len, stderr);
2506 return 0;
2507 }
2508
2509 /*
2510 * If this is before the real session begins, just return.
2511 */
2512 if (!outptr)
2513 return 0;
2514
2515 if ((outlen > 0) && (len > 0)) {
2516 unsigned used = outlen;
2517 if (used > len)
2518 used = len;
2519 memcpy(outptr, p, used);
2520 outptr += used;
2521 outlen -= used;
2522 p += used;
2523 len -= used;
2524 }
2525
2526 if (len > 0) {
2527 if (pendsize < pendlen + len) {
2528 pendsize = pendlen + len + 4096;
2529 pending = sresize(pending, pendsize, unsigned char);
2530 }
2531 memcpy(pending + pendlen, p, len);
2532 pendlen += len;
2533 }
2534
2535 return 0;
2536 }
2537 int from_backend_untrusted(void *frontend_handle, const char *data, int len)
2538 {
2539 /*
2540 * No "untrusted" output should get here (the way the code is
2541 * currently, it's all diverted by FLAG_STDERR).
2542 */
2543 assert(!"Unexpected call to from_backend_untrusted()");
2544 return 0; /* not reached */
2545 }
2546 int sftp_recvdata(char *buf, int len)
2547 {
2548 outptr = (unsigned char *) buf;
2549 outlen = len;
2550
2551 /*
2552 * See if the pending-input block contains some of what we
2553 * need.
2554 */
2555 if (pendlen > 0) {
2556 unsigned pendused = pendlen;
2557 if (pendused > outlen)
2558 pendused = outlen;
2559 memcpy(outptr, pending, pendused);
2560 memmove(pending, pending + pendused, pendlen - pendused);
2561 outptr += pendused;
2562 outlen -= pendused;
2563 pendlen -= pendused;
2564 if (pendlen == 0) {
2565 pendsize = 0;
2566 sfree(pending);
2567 pending = NULL;
2568 }
2569 if (outlen == 0)
2570 return 1;
2571 }
2572
2573 while (outlen > 0) {
2574 if (back->exitcode(backhandle) >= 0 || ssh_sftp_loop_iteration() < 0)
2575 return 0; /* doom */
2576 }
2577
2578 return 1;
2579 }
2580 int sftp_senddata(char *buf, int len)
2581 {
2582 back->send(backhandle, buf, len);
2583 return 1;
2584 }
2585
2586 /*
2587 * Short description of parameters.
2588 */
2589 static void usage(void)
2590 {
2591 printf("PuTTY Secure File Transfer (SFTP) client\n");
2592 printf("%s\n", ver);
2593 printf("Usage: psftp [options] [user@]host\n");
2594 printf("Options:\n");
2595 printf(" -V print version information and exit\n");
2596 printf(" -pgpfp print PGP key fingerprints and exit\n");
2597 printf(" -b file use specified batchfile\n");
2598 printf(" -bc output batchfile commands\n");
2599 printf(" -be don't stop batchfile processing if errors\n");
2600 printf(" -v show verbose messages\n");
2601 printf(" -load sessname Load settings from saved session\n");
2602 printf(" -l user connect with specified username\n");
2603 printf(" -P port connect to specified port\n");
2604 printf(" -pw passw login with specified password\n");
2605 printf(" -1 -2 force use of particular SSH protocol version\n");
2606 printf(" -4 -6 force use of IPv4 or IPv6\n");
2607 printf(" -C enable compression\n");
2608 printf(" -i key private key file for authentication\n");
2609 printf(" -noagent disable use of Pageant\n");
2610 printf(" -agent enable use of Pageant\n");
2611 printf(" -batch disable all interactive prompts\n");
2612 cleanup_exit(1);
2613 }
2614
2615 static void version(void)
2616 {
2617 printf("psftp: %s\n", ver);
2618 cleanup_exit(1);
2619 }
2620
2621 /*
2622 * Connect to a host.
2623 */
2624 static int psftp_connect(char *userhost, char *user, int portnumber)
2625 {
2626 char *host, *realhost;
2627 const char *err;
2628 void *logctx;
2629
2630 /* Separate host and username */
2631 host = userhost;
2632 host = strrchr(host, '@');
2633 if (host == NULL) {
2634 host = userhost;
2635 } else {
2636 *host++ = '\0';
2637 if (user) {
2638 printf("psftp: multiple usernames specified; using \"%s\"\n",
2639 user);
2640 } else
2641 user = userhost;
2642 }
2643
2644 /*
2645 * If we haven't loaded session details already (e.g., from -load),
2646 * try looking for a session called "host".
2647 */
2648 if (!loaded_session) {
2649 /* Try to load settings for `host' into a temporary config */
2650 Config cfg2;
2651 cfg2.host[0] = '\0';
2652 do_defaults(host, &cfg2);
2653 if (cfg2.host[0] != '\0') {
2654 /* Settings present and include hostname */
2655 /* Re-load data into the real config. */
2656 do_defaults(host, &cfg);
2657 } else {
2658 /* Session doesn't exist or mention a hostname. */
2659 /* Use `host' as a bare hostname. */
2660 strncpy(cfg.host, host, sizeof(cfg.host) - 1);
2661 cfg.host[sizeof(cfg.host) - 1] = '\0';
2662 }
2663 } else {
2664 /* Patch in hostname `host' to session details. */
2665 strncpy(cfg.host, host, sizeof(cfg.host) - 1);
2666 cfg.host[sizeof(cfg.host) - 1] = '\0';
2667 }
2668
2669 /*
2670 * Force use of SSH. (If they got the protocol wrong we assume the
2671 * port is useless too.)
2672 */
2673 if (cfg.protocol != PROT_SSH) {
2674 cfg.protocol = PROT_SSH;
2675 cfg.port = 22;
2676 }
2677
2678 /*
2679 * If saved session / Default Settings says SSH-1 (`1 only' or `1'),
2680 * then change it to SSH-2, on the grounds that that's more likely to
2681 * work for SFTP. (Can be overridden with `-1' option.)
2682 * But if it says `2 only' or `2', respect which.
2683 */
2684 if (cfg.sshprot != 2 && cfg.sshprot != 3)
2685 cfg.sshprot = 2;
2686
2687 /*
2688 * Enact command-line overrides.
2689 */
2690 cmdline_run_saved(&cfg);
2691
2692 /*
2693 * Trim leading whitespace off the hostname if it's there.
2694 */
2695 {
2696 int space = strspn(cfg.host, " \t");
2697 memmove(cfg.host, cfg.host+space, 1+strlen(cfg.host)-space);
2698 }
2699
2700 /* See if host is of the form user@host */
2701 if (cfg.host[0] != '\0') {
2702 char *atsign = strrchr(cfg.host, '@');
2703 /* Make sure we're not overflowing the user field */
2704 if (atsign) {
2705 if (atsign - cfg.host < sizeof cfg.username) {
2706 strncpy(cfg.username, cfg.host, atsign - cfg.host);
2707 cfg.username[atsign - cfg.host] = '\0';
2708 }
2709 memmove(cfg.host, atsign + 1, 1 + strlen(atsign + 1));
2710 }
2711 }
2712
2713 /*
2714 * Trim a colon suffix off the hostname if it's there.
2715 */
2716 cfg.host[strcspn(cfg.host, ":")] = '\0';
2717
2718 /*
2719 * Remove any remaining whitespace from the hostname.
2720 */
2721 {
2722 int p1 = 0, p2 = 0;
2723 while (cfg.host[p2] != '\0') {
2724 if (cfg.host[p2] != ' ' && cfg.host[p2] != '\t') {
2725 cfg.host[p1] = cfg.host[p2];
2726 p1++;
2727 }
2728 p2++;
2729 }
2730 cfg.host[p1] = '\0';
2731 }
2732
2733 /* Set username */
2734 if (user != NULL && user[0] != '\0') {
2735 strncpy(cfg.username, user, sizeof(cfg.username) - 1);
2736 cfg.username[sizeof(cfg.username) - 1] = '\0';
2737 }
2738
2739 if (portnumber)
2740 cfg.port = portnumber;
2741
2742 /*
2743 * Disable scary things which shouldn't be enabled for simple
2744 * things like SCP and SFTP: agent forwarding, port forwarding,
2745 * X forwarding.
2746 */
2747 cfg.x11_forward = 0;
2748 cfg.agentfwd = 0;
2749 cfg.portfwd[0] = cfg.portfwd[1] = '\0';
2750
2751 /* Set up subsystem name. */
2752 strcpy(cfg.remote_cmd, "sftp");
2753 cfg.ssh_subsys = TRUE;
2754 cfg.nopty = TRUE;
2755
2756 /*
2757 * Set up fallback option, for SSH-1 servers or servers with the
2758 * sftp subsystem not enabled but the server binary installed
2759 * in the usual place. We only support fallback on Unix
2760 * systems, and we use a kludgy piece of shellery which should
2761 * try to find sftp-server in various places (the obvious
2762 * systemwide spots /usr/lib and /usr/local/lib, and then the
2763 * user's PATH) and finally give up.
2764 *
2765 * test -x /usr/lib/sftp-server && exec /usr/lib/sftp-server
2766 * test -x /usr/local/lib/sftp-server && exec /usr/local/lib/sftp-server
2767 * exec sftp-server
2768 *
2769 * the idea being that this will attempt to use either of the
2770 * obvious pathnames and then give up, and when it does give up
2771 * it will print the preferred pathname in the error messages.
2772 */
2773 cfg.remote_cmd_ptr2 =
2774 "test -x /usr/lib/sftp-server && exec /usr/lib/sftp-server\n"
2775 "test -x /usr/local/lib/sftp-server && exec /usr/local/lib/sftp-server\n"
2776 "exec sftp-server";
2777 cfg.ssh_subsys2 = FALSE;
2778
2779 back = &ssh_backend;
2780
2781 err = back->init(NULL, &backhandle, &cfg, cfg.host, cfg.port, &realhost,
2782 0, cfg.tcp_keepalives);
2783 if (err != NULL) {
2784 fprintf(stderr, "ssh_init: %s\n", err);
2785 return 1;
2786 }
2787 logctx = log_init(NULL, &cfg);
2788 back->provide_logctx(backhandle, logctx);
2789 console_provide_logctx(logctx);
2790 while (!back->sendok(backhandle)) {
2791 if (ssh_sftp_loop_iteration() < 0) {
2792 fprintf(stderr, "ssh_init: error during SSH connection setup\n");
2793 return 1;
2794 }
2795 }
2796 if (verbose && realhost != NULL)
2797 printf("Connected to %s\n", realhost);
2798 if (realhost != NULL)
2799 sfree(realhost);
2800 return 0;
2801 }
2802
2803 void cmdline_error(char *p, ...)
2804 {
2805 va_list ap;
2806 fprintf(stderr, "psftp: ");
2807 va_start(ap, p);
2808 vfprintf(stderr, p, ap);
2809 va_end(ap);
2810 fprintf(stderr, "\n try typing \"psftp -h\" for help\n");
2811 exit(1);
2812 }
2813
2814 /*
2815 * Main program. Parse arguments etc.
2816 */
2817 int psftp_main(int argc, char *argv[])
2818 {
2819 int i;
2820 int portnumber = 0;
2821 char *userhost, *user;
2822 int mode = 0;
2823 int modeflags = 0;
2824 char *batchfile = NULL;
2825 int errors = 0;
2826
2827 flags = FLAG_STDERR | FLAG_INTERACTIVE
2828 #ifdef FLAG_SYNCAGENT
2829 | FLAG_SYNCAGENT
2830 #endif
2831 ;
2832 cmdline_tooltype = TOOLTYPE_FILETRANSFER;
2833 sk_init();
2834
2835 userhost = user = NULL;
2836
2837 /* Load Default Settings before doing anything else. */
2838 do_defaults(NULL, &cfg);
2839 loaded_session = FALSE;
2840
2841 errors = 0;
2842 for (i = 1; i < argc; i++) {
2843 int ret;
2844 if (argv[i][0] != '-') {
2845 if (userhost)
2846 usage();
2847 else
2848 userhost = dupstr(argv[i]);
2849 continue;
2850 }
2851 ret = cmdline_process_param(argv[i], i+1<argc?argv[i+1]:NULL, 1, &cfg);
2852 if (ret == -2) {
2853 cmdline_error("option \"%s\" requires an argument", argv[i]);
2854 } else if (ret == 2) {
2855 i++; /* skip next argument */
2856 } else if (ret == 1) {
2857 /* We have our own verbosity in addition to `flags'. */
2858 if (flags & FLAG_VERBOSE)
2859 verbose = 1;
2860 } else if (strcmp(argv[i], "-h") == 0 ||
2861 strcmp(argv[i], "-?") == 0) {
2862 usage();
2863 } else if (strcmp(argv[i], "-pgpfp") == 0) {
2864 pgp_fingerprints();
2865 return 1;
2866 } else if (strcmp(argv[i], "-V") == 0) {
2867 version();
2868 } else if (strcmp(argv[i], "-batch") == 0) {
2869 console_batch_mode = 1;
2870 } else if (strcmp(argv[i], "-b") == 0 && i + 1 < argc) {
2871 mode = 1;
2872 batchfile = argv[++i];
2873 } else if (strcmp(argv[i], "-bc") == 0) {
2874 modeflags = modeflags | 1;
2875 } else if (strcmp(argv[i], "-be") == 0) {
2876 modeflags = modeflags | 2;
2877 } else if (strcmp(argv[i], "--") == 0) {
2878 i++;
2879 break;
2880 } else {
2881 cmdline_error("unknown option \"%s\"", argv[i]);
2882 }
2883 }
2884 argc -= i;
2885 argv += i;
2886 back = NULL;
2887
2888 /*
2889 * If the loaded session provides a hostname, and a hostname has not
2890 * otherwise been specified, pop it in `userhost' so that
2891 * `psftp -load sessname' is sufficient to start a session.
2892 */
2893 if (!userhost && cfg.host[0] != '\0') {
2894 userhost = dupstr(cfg.host);
2895 }
2896
2897 /*
2898 * If a user@host string has already been provided, connect to
2899 * it now.
2900 */
2901 if (userhost) {
2902 int ret;
2903 ret = psftp_connect(userhost, user, portnumber);
2904 sfree(userhost);
2905 if (ret)
2906 return 1;
2907 if (do_sftp_init())
2908 return 1;
2909 } else {
2910 printf("psftp: no hostname specified; use \"open host.name\""
2911 " to connect\n");
2912 }
2913
2914 do_sftp(mode, modeflags, batchfile);
2915
2916 if (back != NULL && back->connected(backhandle)) {
2917 char ch;
2918 back->special(backhandle, TS_EOF);
2919 sftp_recvdata(&ch, 1);
2920 }
2921 do_sftp_cleanup();
2922 random_save_seed();
2923 cmdline_cleanup();
2924 console_provide_logctx(NULL);
2925 sk_cleanup();
2926
2927 return 0;
2928 }