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