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