Subversion Repositories SvarDOS

Rev

Rev 2196 | Rev 2198 | Go to most recent revision | Details | Compare with Previous | Last modification | View Log | RSS feed

Rev Author Line No. Line
421 mateuszvis 1
/* This file is part of the SvarCOM project and is published under the terms
2
 * of the MIT license.
3
 *
1716 mateusz.vi 4
 * Copyright (C) 2021-2024 Mateusz Viste
421 mateuszvis 5
 *
6
 * Permission is hereby granted, free of charge, to any person obtaining a
7
 * copy of this software and associated documentation files (the "Software"),
8
 * to deal in the Software without restriction, including without limitation
9
 * the rights to use, copy, modify, merge, publish, distribute, sublicense,
10
 * and/or sell copies of the Software, and to permit persons to whom the
11
 * Software is furnished to do so, subject to the following conditions:
12
 *
13
 * The above copyright notice and this permission notice shall be included in
14
 * all copies or substantial portions of the Software.
15
 *
16
 * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
17
 * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
18
 * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
19
 * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
20
 * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
21
 * FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER
22
 * DEALINGS IN THE SOFTWARE.
23
 */
24
 
368 mateuszvis 25
/*
26
 * dir
27
 *
28
 * Displays a list of files and subdirectories in a directory.
29
 *
30
 * DIR [drive:][path][filename] [/P] [/W] [/A[:]attributes] [/O[[:]sortorder]] [/S] [/B] [/L]
31
 *
32
 * /P Pauses after each screenful of information.
33
 * /W Uses wide list format.
34
 *
35
 * /A Displays file with specified attributes:
36
 *     D Directories           R Read-only files     H Hidden files
37
 *     A Ready for archiving   S System files        - prefix meaning "not"
38
 *
39
 * /O List files in sorted order:
40
 *     N by name            S by size              E by extension
41
 *     D by date            G group dirs first     - prefix to reverse order
42
 *
43
 * /S Displays files in specified directory and all subdirectories.
44
 * /B Uses bare format (no heading information or summary)
45
 * /L Uses lowercases
2189 mateusz.vi 46
 *
47
 * about /S - recursive DIR on specified (or current) path and subdirectories:
48
 * prerequisite: some sort of mechanism that works as a stack pile of DTAs
49
 *
50
 * /S logic:
51
 * 1. do a FindFirst on current directory
52
 * 2. do FindNext calls in a loop, if a DIR entry is encountered, remember its
53
 *    name and put a copy of the current DTA on stack, then continue the
54
 *    listing without further interruption
55
 * 3. if a new DIR was discovered, do a FindFirst on it and jmp to 2.
56
 *    if no DIR found, then go to 4.
57
 * 4. look on the stack for a DTA.
58
 *    if any found, pop it and jmp to 2.
59
 *    otherwise job is done, exit.
368 mateuszvis 60
 */
61
 
396 mateuszvis 62
/* NOTE: /A attributes are matched in an exclusive way, ie. only files with
63
 *       the specified attributes are matched. This is different from how DOS
64
 *       itself matches attributes hence DIR cannot rely on the attributes
65
 *       filter within FindFirst.
66
 *
67
 * NOTE: Multiple /A are not supported - only the last one is significant.
68
 */
69
 
420 mateuszvis 70
 
1991 mateusz.vi 71
/* width of a column in wide mode output: 15 chars is the MINIMUM because
72
 * directories are enclosed in [BRACKETS] and they may have an extension, too.
73
 * Hence "[12345678.123]" is the longest we can get. Plus a delimiter space. */
74
#define WCOLWIDTH 15
424 mateuszvis 75
 
1991 mateusz.vi 76
 
1716 mateusz.vi 77
/* a "tiny" DTA is a DTA that is stripped from bytes that are not needed for
78
 * DIR operations */
79
_Packed struct TINYDTA {
80
/*  char reserved[21];
81
  unsigned char attr; */
82
  unsigned short time_sec2:5;
83
  unsigned short time_min:6;
84
  unsigned short time_hour:5;
85
  unsigned short date_dy:5;
86
  unsigned short date_mo:4;
87
  unsigned short date_yr:7;
88
  unsigned long size;
89
/*  char fname[13]; */
90
  char fname[12];
91
};
92
 
93
 
424 mateuszvis 94
/* fills freebytes with free bytes for drv (A=0, B=1, etc)
95
 * returns DOS ERR code on failure */
96
static unsigned short cmd_dir_df(unsigned long *freebytes, unsigned char drv) {
97
  unsigned short res = 0;
98
  unsigned short sects_per_clust = 0, avail_clusts = 0, bytes_per_sect = 0;
99
 
100
  _asm {
101
    push ax
102
    push bx
103
    push cx
104
    push dx
105
 
106
    mov ah, 0x36  /* DOS 2+ -- Get Disk Free Space */
107
    mov dl, [drv] /* A=1, B=2, etc (0 = DEFAULT DRIVE) */
108
    inc dl
109
    int 0x21      /* AX=sects_per_clust, BX=avail_clusts, CX=bytes_per_sect, DX=tot_clusters */
110
    cmp ax, 0xffff /* AX=0xffff on error (invalid drive) */
111
    jne COMPUTEDF
112
    mov [res], 0x0f /* fill res with DOS error code 15 ("invalid drive") */
113
    jmp DONE
114
 
115
    COMPUTEDF:
116
    /* freebytes = AX * BX * CX */
117
    mov [sects_per_clust], ax
118
    mov [avail_clusts], bx
119
    mov [bytes_per_sect], cx
120
 
121
    DONE:
122
    pop dx
123
    pop cx
124
    pop bx
125
    pop ax
126
  }
127
 
128
  /* multiple steps to avoid uint16 overflow */
129
  *freebytes = sects_per_clust;
130
  *freebytes *= avail_clusts;
131
  *freebytes *= bytes_per_sect;
132
 
133
  return(res);
134
}
135
 
136
 
528 mateuszvis 137
static void dir_pagination(unsigned short *availrows) {
138
  *availrows -= 1;
139
  if (*availrows == 0) {
140
    press_any_key();
141
    *availrows = screen_getheight() - 1;
142
  }
143
}
144
 
145
 
2193 mateusz.vi 146
/* add a new dirname to path, C:\XXX\*.EXE + YYY -> C:\XXX\YYY\*.EXE */
147
static void path_add(char *path, const char *dirname) {
2196 mateusz.vi 148
  short i, ostatni = -1;
2193 mateusz.vi 149
  printf("path_add(%s,%s) -> ", path, dirname);
150
  /* find the last backslash */
151
  for (i = 0; path[i] != 0; i++) {
152
    if (path[i] == '\\') ostatni = i;
153
  }
154
  /* abort on error */
155
  if (ostatni == -1) return;
156
  /* do the trick */
2196 mateusz.vi 157
  /* move ending to the right */
158
  memcpy_rtl(path + ostatni + strlen(dirname) + 1, path + ostatni, strlen(path + ostatni) + 1);
159
  /* fill in the space with dirname */
160
  memcpy_ltr(path + ostatni + 1, dirname, strlen(dirname));
2193 mateusz.vi 161
  printf("'%s'\n", path);
162
}
163
 
164
 
165
/* take back last dir from path, C:\XXX\YYY\*.EXE -> C:\XXX\*.EXE */
166
static void path_back(char *path) {
167
  short i, ostatni = -1, przedostatni = -1;
2196 mateusz.vi 168
  printf("path_back(%s) -> ", path);
2193 mateusz.vi 169
  /* find the two last backslashes */
170
  for (i = 0; path[i] != 0; i++) {
171
    if (path[i] == '\\') {
172
      przedostatni = ostatni;
173
      ostatni = i;
174
    }
175
  }
176
  /* abort on error */
177
  if (przedostatni == -1) return;
178
  /* do the trick */
2196 mateusz.vi 179
  memcpy_ltr(path + przedostatni, path + ostatni, 1 + i - ostatni);
180
  printf("'%s'\n", path);
2193 mateusz.vi 181
}
182
 
183
 
542 mateuszvis 184
/* parse an attr list like "Ar-hS" and fill bitfield into attrfilter_may and attrfilter_must.
185
 * /AHS   -> adds S and H to mandatory attribs ("must")
186
 * /A-S   -> removes S from allowed attribs ("may")
187
 * returns non-zero on error. */
188
static int dir_parse_attr_list(const char *arg, unsigned char *attrfilter_may, unsigned char *attrfilter_must) {
189
  for (; *arg != 0; arg++) {
190
    unsigned char curattr;
191
    char not;
192
    if (*arg == '-') {
193
      not = 1;
194
      arg++;
195
    } else {
196
      not = 0;
197
    }
198
    switch (*arg) {
199
      case 'd':
200
      case 'D':
201
        curattr = DOS_ATTR_DIR;
202
        break;
203
      case 'r':
204
      case 'R':
205
        curattr = DOS_ATTR_RO;
206
        break;
207
      case 'a':
208
      case 'A':
209
        curattr = DOS_ATTR_ARC;
210
        break;
211
      case 'h':
212
      case 'H':
213
        curattr = DOS_ATTR_HID;
214
        break;
215
      case 's':
216
      case 'S':
217
        curattr = DOS_ATTR_SYS;
218
        break;
219
      default:
220
        return(-1);
221
    }
222
    /* update res bitfield */
223
    if (not) {
224
      *attrfilter_may &= ~curattr;
225
    } else {
226
      *attrfilter_must |= curattr;
227
    }
228
  }
229
  return(0);
230
}
231
 
232
 
1716 mateusz.vi 233
/* compare attributes in a DTA node to mandatory and optional attributes. returns 1 on match, 0 otherwise */
234
static int filter_attribs(const struct DTA *dta, unsigned char attrfilter_must, unsigned char attrfilter_may) {
235
  /* if mandatory attribs are requested, filter them now */
236
  if ((attrfilter_must & dta->attr) != attrfilter_must) return(0);
237
 
238
  /* if file contains attributes that are not allowed -> skip */
239
  if ((~attrfilter_may & dta->attr) != 0) return(0);
240
 
241
  return(1);
242
}
243
 
244
 
1719 mateusz.vi 245
static struct {
246
  struct TINYDTA far *dtabuf_root;
247
  char order[8]; /* GNESD values (ucase = lower first ; lcase = higher first) */
1739 mateusz.vi 248
  unsigned char sortownia[256]; /* collation table (used for NLS-aware sorts) */
1719 mateusz.vi 249
} glob_sortcmp_dat;
1716 mateusz.vi 250
 
1719 mateusz.vi 251
 
252
/* translates an order string like "GNE-S" into values fed into the order[]
253
 * table of glob_sortcmp_dat. returns 0 on success, non-zero otherwise. */
1724 mateusz.vi 254
static int dir_process_order_directive(const char *ordstring) {
1719 mateusz.vi 255
  const char *gnesd = "gnesd"; /* must be lower case */
256
  int ordi, orderi = 0, i;
257
 
258
  /* tabula rasa */
259
  glob_sortcmp_dat.order[0] = 0;
260
 
1721 mateusz.vi 261
  /* /O alone is a short hand for /OGN */
262
  if (*ordstring == 0) {
263
    glob_sortcmp_dat.order[0] = 'G';
264
    glob_sortcmp_dat.order[1] = 'N';
265
    glob_sortcmp_dat.order[2] = 0;
266
  }
267
 
1726 mateusz.vi 268
  /* stupid MSDOS compatibility ("DIR /O:GNE") */
269
  if (*ordstring == ':') ordstring++;
270
 
1719 mateusz.vi 271
  /* parsing */
272
  for (ordi = 0; ordstring[ordi] != 0; ordi++) {
273
    if (ordstring[ordi] == '-') {
274
      if ((ordstring[ordi + 1] == '-') || (ordstring[ordi + 1] == 0)) return(-1);
275
      continue;
276
    }
277
    if (orderi == sizeof(glob_sortcmp_dat.order)) return(-1);
278
 
279
    for (i = 0; gnesd[i] != 0; i++) {
280
      if ((ordstring[ordi] | 32) == gnesd[i]) { /* | 32 is lcase-ing the char */
281
        if ((ordi > 0) && (ordstring[ordi - 1] == '-')) {
282
          glob_sortcmp_dat.order[orderi] = gnesd[i];
283
        } else {
284
          glob_sortcmp_dat.order[orderi] = gnesd[i] ^ 32;
285
        }
286
        orderi++;
287
        break;
288
      }
289
    }
290
    if (gnesd[i] == 0) return(-1);
291
  }
292
 
293
  return(0);
294
}
295
 
296
 
297
static int sortcmp(const void *dtaid1, const void *dtaid2) {
298
  struct TINYDTA far *dta1 = &(glob_sortcmp_dat.dtabuf_root[*((unsigned short *)dtaid1)]);
299
  struct TINYDTA far *dta2 = &(glob_sortcmp_dat.dtabuf_root[*((unsigned short *)dtaid2)]);
300
  char *ordconf = glob_sortcmp_dat.order;
301
 
302
  /* debug stuff
303
  {
304
    int i;
305
    printf("%lu vs %lu | ", dta1->size, dta2->size);
306
    for (i = 0; dta1->fname[i] != 0; i++) printf("%c", dta1->fname[i]);
307
    printf(" vs ");
308
    for (i = 0; dta2->fname[i] != 0; i++) printf("%c", dta2->fname[i]);
309
    printf("\n");
310
  } */
311
 
312
  for (;;) {
313
    int r = -1;
314
    if (*ordconf & 32) r = 1;
315
 
316
    switch (*ordconf | 32) {
317
      case 'g': /* sort by type (directories first, then files) */
318
        if ((dta1->time_sec2 & DOS_ATTR_DIR) > (dta2->time_sec2 & DOS_ATTR_DIR)) return(0 - r);
319
        if ((dta1->time_sec2 & DOS_ATTR_DIR) < (dta2->time_sec2 & DOS_ATTR_DIR)) return(r);
320
        break;
321
      case ' ': /* default (last resort) sort: by name */
322
      case 'e': /* sort by extension */
323
      case 'n': /* sort by filename */
324
      {
325
        const char far *f1 = dta1->fname;
326
        const char far *f2 = dta2->fname;
327
        int i, limit = 12;
328
        /* special handling for '.' and '..' entries */
329
        if ((f1[0] == '.') && (f2[0] != '.')) return(0 - r);
330
        if ((f2[0] == '.') && (f1[0] != '.')) return(r);
331
 
332
        if ((*ordconf | 32) == 'e') {
333
          /* fast-forward to extension or end of filename */
334
          while ((*f1 != 0) && (*f1 != '.')) f1++;
335
          while ((*f2 != 0) && (*f2 != '.')) f2++;
336
          limit = 4; /* TINYDTA structs are not nul-terminated */
337
        }
338
        /* cmp */
339
        for (i = 0; i < limit; i++) {
1739 mateusz.vi 340
          if ((glob_sortcmp_dat.sortownia[(unsigned char)(*f1)]) < (glob_sortcmp_dat.sortownia[(unsigned char)(*f2)])) return(0 - r);
341
          if ((glob_sortcmp_dat.sortownia[(unsigned char)(*f1)]) > (glob_sortcmp_dat.sortownia[(unsigned char)(*f2)])) return(r);
1719 mateusz.vi 342
          if (*f1 == 0) break;
343
          f1++;
344
          f2++;
345
        }
346
      }
347
        break;
348
      case 's': /* sort by size */
349
        if (dta1->size > dta2->size) return(r);
350
        if (dta1->size < dta2->size) return(0 - r);
351
        break;
352
      case 'd': /* sort by date */
353
        if (dta1->date_yr < dta2->date_yr) return(0 - r);
354
        if (dta1->date_yr > dta2->date_yr) return(r);
355
        if (dta1->date_mo < dta2->date_mo) return(0 - r);
356
        if (dta1->date_mo > dta2->date_mo) return(r);
357
        if (dta1->date_dy < dta2->date_dy) return(0 - r);
358
        if (dta1->date_dy > dta2->date_dy) return(r);
359
        if (dta1->time_hour < dta2->time_hour) return(0 - r);
360
        if (dta1->time_hour > dta2->time_hour) return(r);
361
        if (dta1->time_min < dta2->time_min) return(0 - r);
362
        if (dta1->time_min > dta2->time_min) return(r);
363
        break;
364
    }
365
 
366
    if (*ordconf == 0) break;
367
    ordconf++;
368
  }
369
 
370
  return(0);
371
}
372
 
373
 
542 mateuszvis 374
#define DIR_ATTR_DEFAULT (DOS_ATTR_RO | DOS_ATTR_DIR | DOS_ATTR_ARC)
375
 
1724 mateusz.vi 376
struct dirrequest {
377
  unsigned char attrfilter_may;
378
  unsigned char attrfilter_must;
379
  const char *filespecptr;
420 mateuszvis 380
 
396 mateuszvis 381
  #define DIR_FLAG_PAUSE  1
382
  #define DIR_FLAG_RECUR  4
420 mateuszvis 383
  #define DIR_FLAG_LCASE  8
1719 mateusz.vi 384
  #define DIR_FLAG_SORT  16
1724 mateusz.vi 385
  unsigned char flags;
368 mateuszvis 386
 
420 mateuszvis 387
  #define DIR_OUTPUT_NORM 1
388
  #define DIR_OUTPUT_WIDE 2
389
  #define DIR_OUTPUT_BARE 3
1724 mateusz.vi 390
  unsigned char format;
391
};
420 mateuszvis 392
 
1719 mateusz.vi 393
 
1724 mateusz.vi 394
static int dir_parse_cmdline(struct dirrequest *req, const char **argv) {
395
  for (; *argv != NULL; argv++) {
396
    if (*argv[0] == '/') {
397
      const char *arg = *argv + 1;
396 mateuszvis 398
      char neg = 0;
399
      /* detect negations and get actual argument */
542 mateuszvis 400
      if (*arg == '-') {
401
        neg = 1;
402
        arg++;
403
      }
396 mateuszvis 404
      /* */
542 mateuszvis 405
      switch (*arg) {
396 mateuszvis 406
        case 'a':
407
        case 'A':
542 mateuszvis 408
          arg++;
409
          /* preset defaults */
1724 mateusz.vi 410
          req->attrfilter_may = DIR_ATTR_DEFAULT;
411
          req->attrfilter_must = 0;
542 mateuszvis 412
          /* /-A only allowed without further parameters (used to cancel possible previous /Asmth) */
413
          if (neg) {
414
            if (*arg != 0) {
415
              nls_outputnl_err(0, 2); /* invalid switch */
1724 mateusz.vi 416
              return(-1);
542 mateuszvis 417
            }
418
          } else {
1085 mateusz.vi 419
            /* skip colon if present */
420
            if (*arg == ':') arg++;
542 mateuszvis 421
            /* start with "allow everything" */
1724 mateusz.vi 422
            req->attrfilter_may = (DOS_ATTR_ARC | DOS_ATTR_DIR | DOS_ATTR_HID | DOS_ATTR_SYS | DOS_ATTR_RO);
423
            if (dir_parse_attr_list(arg, &(req->attrfilter_may), &(req->attrfilter_must)) != 0) {
542 mateuszvis 424
              nls_outputnl_err(0, 3); /* invalid parameter format */
1724 mateusz.vi 425
              return(-1);
542 mateuszvis 426
            }
427
          }
396 mateuszvis 428
          break;
399 mateuszvis 429
        case 'b':
430
        case 'B':
1724 mateusz.vi 431
          req->format = DIR_OUTPUT_BARE;
399 mateuszvis 432
          break;
421 mateuszvis 433
        case 'l':
434
        case 'L':
1724 mateusz.vi 435
          req->flags |= DIR_FLAG_LCASE;
420 mateuszvis 436
          break;
421 mateuszvis 437
        case 'o':
438
        case 'O':
1720 mateusz.vi 439
          if (neg) {
1724 mateusz.vi 440
            req->flags &= (0xff ^ DIR_FLAG_SORT);
1720 mateusz.vi 441
            break;
442
          }
1724 mateusz.vi 443
          if (dir_process_order_directive(arg+1) != 0) {
1719 mateusz.vi 444
            nls_output_err(0, 3); /* invalid parameter format */
445
            output(": ");
446
            outputnl(arg);
1724 mateusz.vi 447
            return(-1);
1719 mateusz.vi 448
          }
1724 mateusz.vi 449
          req->flags |= DIR_FLAG_SORT;
421 mateuszvis 450
          break;
396 mateuszvis 451
        case 'p':
452
        case 'P':
1724 mateusz.vi 453
          req->flags |= DIR_FLAG_PAUSE;
454
          if (neg) req->flags &= (0xff ^ DIR_FLAG_PAUSE);
396 mateuszvis 455
          break;
421 mateuszvis 456
        case 's':
457
        case 'S':
2193 mateusz.vi 458
          req->flags |= DIR_FLAG_RECUR;
420 mateuszvis 459
          break;
421 mateuszvis 460
        case 'w':
461
        case 'W':
1724 mateusz.vi 462
          req->format = DIR_OUTPUT_WIDE;
421 mateuszvis 463
          break;
393 mateuszvis 464
        default:
542 mateuszvis 465
          nls_outputnl_err(0, 2); /* invalid switch */
1724 mateusz.vi 466
          return(-1);
393 mateuszvis 467
      }
468
    } else {  /* filespec */
1724 mateusz.vi 469
      if (req->filespecptr != NULL) {
542 mateuszvis 470
        nls_outputnl_err(0, 4); /* too many parameters */
1724 mateusz.vi 471
        return(-1);
393 mateuszvis 472
      }
1724 mateusz.vi 473
      req->filespecptr = *argv;
393 mateuszvis 474
    }
475
  }
368 mateuszvis 476
 
1724 mateusz.vi 477
  return(0);
478
}
393 mateuszvis 479
 
1724 mateusz.vi 480
 
2193 mateusz.vi 481
#define MAX_SORTABLE_FILES 8192
482
 
1724 mateusz.vi 483
static enum cmd_result cmd_dir(struct cmd_funcparam *p) {
484
  struct DTA *dta = (void *)0x80; /* set DTA to its default location at 80h in PSP */
485
  struct TINYDTA far *dtabuf = NULL; /* used to buffer results when sorting is enabled */
486
  unsigned short dtabufcount = 0;
487
  unsigned short i;
488
  unsigned short availrows;  /* counter of available rows on display (used for /P) */
489
  unsigned short screenw = screen_getwidth();
490
  unsigned short wcols = screenw / WCOLWIDTH; /* number of columns in wide mode */
491
  unsigned char wcolcount;
492
  struct {
493
    struct nls_patterns nls;
494
    char buff64[64];
495
    char path[128];
2193 mateusz.vi 496
    struct DTA dtastack[64]; /* used for /S, max number of subdirs in DOS5 is 42 (A/B/C/...) */
497
    unsigned char dtastacklen;
498
    unsigned short orderidx[MAX_SORTABLE_FILES / sizeof(struct TINYDTA)];
499
  } *buf;
1724 mateusz.vi 500
  unsigned long summary_fcount = 0;
501
  unsigned long summary_totsz = 0;
502
  unsigned char drv = 0;
503
  struct dirrequest req;
504
 
505
  if (cmd_ishlp(p)) {
506
    nls_outputnl(37,0); /* "Displays a list of files and subdirectories in a directory" */
507
    outputnl("");
508
    nls_outputnl(37,1); /* "DIR [drive:][path][filename] [/P] [/W] [/A[:]attributes] [/O[[:]sortorder]] [/S] [/B] [/L]" */
509
    outputnl("");
510
    nls_outputnl(37,2); /* "/P Pauses after each screenful of information" */
511
    nls_outputnl(37,3); /* "/W Uses wide list format" */
512
    outputnl("");
513
    nls_outputnl(37,4); /* "/A Displays files with specified attributes:" */
514
    nls_outputnl(37,5); /* "    D Directories            R Read-only files        H Hidden files" */
515
    nls_outputnl(37,6); /* "    A Ready for archiving    S System files           - prefix meaning "not"" */
516
    outputnl("");
517
    nls_outputnl(37,7); /* "/O List files in sorted order:" */
518
    nls_outputnl(37,8); /* "    N by name                S by size                E by extension" */
519
    nls_outputnl(37,9); /* "    D by date                G group dirs first       - prefix to reverse order" */
520
    outputnl("");
521
    nls_outputnl(37,10); /* "/S Displays files in specified directory and all subdirectories" */
522
    nls_outputnl(37,11); /* "/B Uses bare format (no heading information or summary)" */
523
    nls_outputnl(37,12); /* "/L Uses lowercases" */
2193 mateusz.vi 524
    goto OK;
1724 mateusz.vi 525
  }
526
 
2193 mateusz.vi 527
  /* allocate buf */
528
  buf = calloc(sizeof(*buf), 1);
529
  if (buf == NULL) {
530
    nls_output_err(255, 8); /* insufficient memory */
531
    goto FAIL;
532
  }
533
 
1739 mateusz.vi 534
  /* zero out glob_sortcmp_dat and init the collation table */
535
  bzero(&glob_sortcmp_dat, sizeof(glob_sortcmp_dat));
536
  for (i = 0; i < 256; i++) {
537
    glob_sortcmp_dat.sortownia[i] = i;
538
    /* sorting should be case-insensitive */
1740 mateusz.vi 539
    if ((i >= 'A') && (i <= 'Z')) glob_sortcmp_dat.sortownia[i] |= 32;
1739 mateusz.vi 540
  }
541
 
1743 mateusz.vi 542
  /* try to replace (or complement) my naive collation table with an NLS-aware
1744 mateusz.vi 543
   * version provided by the kernel (or NLSFUNC)
1745 mateusz.vi 544
   * see https://github.com/SvarDOS/bugz/issues/68 for some thoughts */
545
  {
1743 mateusz.vi 546
    _Packed struct nlsseqtab {
547
      unsigned char id;
548
      unsigned short taboff;
549
      unsigned short tabseg;
550
    } collat;
551
    void *colptr = &collat;
552
    unsigned char errflag = 1;
553
    _asm {
554
      push ax
555
      push bx
556
      push cx
557
      push dx
558
      push di
559
      push es
560
 
561
      mov ax, 0x6506  /* DOS 3.3+ - Get collating sequence table */
562
      mov bx, 0xffff  /* code page, FFFFh = "current" */
563
      mov cx, 5       /* size of buffer at ES:DI */
564
      mov dx, 0xffff  /* country id, FFFFh = "current" */
565
      push ds
566
      pop es          /* ES:DI = address of buffer for the 5-bytes struct */
567
      mov di, colptr
568
      int 0x21
569
      jc FAIL
570
      xor al, al
571
      mov errflag, al
572
      FAIL:
573
 
574
      pop es
575
      pop di
576
      pop dx
577
      pop cx
578
      pop bx
579
      pop ax
580
    }
581
 
582
    if ((errflag == 0) && (collat.id == 6)) {
583
      unsigned char far *ptr = MK_FP(collat.tabseg, collat.taboff);
584
      unsigned short count = *(unsigned short far *)ptr;
1745 mateusz.vi 585
#ifdef DIR_DUMPNLSCOLLATE
586
      printf("NLS AT %04X:%04X (%u elements)\n", collat.tabseg, collat.taboff, count);
587
#endif
1743 mateusz.vi 588
      if (count <= 256) { /* you never know */
589
        ptr += 2; /* skip the count header */
590
        for (i = 0; i < count; i++) {
591
          glob_sortcmp_dat.sortownia[i] = ptr[i];
1745 mateusz.vi 592
#ifdef DIR_DUMPNLSCOLLATE
593
          printf(" %03u", ptr[i]);
594
          if ((i & 15) == 15) {
595
            printf("\n");
596
            fflush(stdout);
597
          }
598
#endif
1743 mateusz.vi 599
        }
600
      }
601
    }
602
  }
603
 
1724 mateusz.vi 604
  i = nls_getpatterns(&(buf->nls));
605
  if (i != 0) nls_outputnl_doserr(i);
606
 
607
  /* disable usage of thousands separator on narrow screens */
608
  if (screenw < 80) buf->nls.thousep[0] = 0;
609
 
1725 mateusz.vi 610
  /*** PARSING COMMAND LINE STARTS *******************************************/
611
 
612
  /* init req with some defaults */
613
  bzero(&req, sizeof(req));
614
  req.attrfilter_may = DIR_ATTR_DEFAULT;
615
  req.format = DIR_OUTPUT_NORM;
616
 
617
  /* process DIRCMD first (so it can be overidden by user's cmdline) */
618
  {
619
  const char far *dircmd = env_lookup_val(p->env_seg, "DIRCMD");
620
  if (dircmd != NULL) {
621
    const char *argvptrs[32];
622
    cmd_explode(buf->buff64, dircmd, argvptrs);
623
    if ((dir_parse_cmdline(&req, argvptrs) != 0) || (req.filespecptr != NULL)) {
624
      nls_output(255, 10);/* bad environment */
625
      output(" - ");
626
      outputnl("DIRCMD");
2193 mateusz.vi 627
      goto FAIL;
1725 mateusz.vi 628
    }
629
  }
630
  }
631
 
632
  /* parse user's command line */
2193 mateusz.vi 633
  if (dir_parse_cmdline(&req, p->argv) != 0) goto FAIL;
1724 mateusz.vi 634
 
2193 mateusz.vi 635
  /*** PARSING COMMAND LINE DONE *********************************************/
636
 
1725 mateusz.vi 637
  /* if no filespec provided, then it's about the current directory */
638
  if (req.filespecptr == NULL) req.filespecptr = ".";
639
 
528 mateuszvis 640
  availrows = screen_getheight() - 2;
641
 
417 mateuszvis 642
  /* special case: "DIR drive:" (truename() fails on "C:" under MS-DOS 6.0) */
1724 mateusz.vi 643
  if ((req.filespecptr[0] != 0) && (req.filespecptr[1] == ':') && (req.filespecptr[2] == 0)) {
644
    if ((req.filespecptr[0] >= 'a') && (req.filespecptr[0] <= 'z')) {
645
      buf->path[0] = req.filespecptr[0] - ('a' - 1);
417 mateuszvis 646
    } else {
1724 mateusz.vi 647
      buf->path[0] = req.filespecptr[0] - ('A' - 1);
399 mateuszvis 648
    }
1717 mateusz.vi 649
    i = curpathfordrv(buf->path, buf->path[0]);
417 mateuszvis 650
  } else {
1724 mateusz.vi 651
    i = file_truename(req.filespecptr, buf->path);
399 mateuszvis 652
  }
417 mateuszvis 653
  if (i != 0) {
538 mateuszvis 654
    nls_outputnl_doserr(i);
2193 mateusz.vi 655
    goto FAIL;
417 mateuszvis 656
  }
393 mateuszvis 657
 
1724 mateusz.vi 658
  if (req.format != DIR_OUTPUT_BARE) {
1717 mateusz.vi 659
    drv = buf->path[0];
399 mateuszvis 660
    if (drv >= 'a') {
661
      drv -= 'a';
662
    } else {
663
      drv -= 'A';
664
    }
1717 mateusz.vi 665
    cmd_vol_internal(drv, buf->buff64);
666
    sprintf(buf->buff64, svarlang_str(37,20)/*"Directory of %s"*/, buf->path);
399 mateuszvis 667
    /* trim at first '?', if any */
1717 mateusz.vi 668
    for (i = 0; buf->buff64[i] != 0; i++) if (buf->buff64[i] == '?') buf->buff64[i] = 0;
669
    outputnl(buf->buff64);
399 mateuszvis 670
    outputnl("");
528 mateuszvis 671
    availrows -= 3;
399 mateuszvis 672
  }
673
 
417 mateuszvis 674
  /* if dir: append a backslash (also get its len) */
1717 mateusz.vi 675
  i = path_appendbkslash_if_dir(buf->path);
393 mateuszvis 676
 
417 mateuszvis 677
  /* if ends with a \ then append ????????.??? */
1717 mateusz.vi 678
  if (buf->path[i - 1] == '\\') strcat(buf->path, "????????.???");
393 mateuszvis 679
 
2193 mateusz.vi 680
  NEXT_ITER: /* re-entry point for /S recursing */
681
 
2197 mateusz.vi 682
  /* ask DOS for list of files, but only with allowed attribs */
683
  i = findfirst(dta, buf->path, req.attrfilter_may);
417 mateuszvis 684
  if (i != 0) {
2197 mateusz.vi 685
    if (req.flags & DIR_FLAG_RECUR) goto CHECK_RECURS;
538 mateuszvis 686
    nls_outputnl_doserr(i);
2193 mateusz.vi 687
    goto FAIL;
417 mateuszvis 688
  }
689
 
1716 mateusz.vi 690
  /* if sorting is involved, then let's buffer all results (and sort them) */
1724 mateusz.vi 691
  if (req.flags & DIR_FLAG_SORT) {
1716 mateusz.vi 692
    /* allocate a memory buffer - try several sizes until one succeeds */
2194 mateusz.vi 693
    unsigned short max_dta_bufcount;
694
 
695
    /* compute the amount of DTAs I can buffer */
696
    for (max_dta_bufcount = MAX_SORTABLE_FILES; max_dta_bufcount != 0; max_dta_bufcount /= 2) {
697
      dtabuf = _fmalloc(max_dta_bufcount * sizeof(struct TINYDTA));
1716 mateusz.vi 698
      if (dtabuf != NULL) break;
699
    }
2194 mateusz.vi 700
    /* printf("max_dta_bufcount = %u\n", max_dta_bufcount); */
1716 mateusz.vi 701
 
702
    if (dtabuf == NULL) {
703
      nls_outputnl_doserr(8); /* out of memory */
2193 mateusz.vi 704
      goto FAIL;
1716 mateusz.vi 705
    }
706
 
707
    /* remember the address so I can free it afterwards */
1719 mateusz.vi 708
    glob_sortcmp_dat.dtabuf_root = dtabuf;
1716 mateusz.vi 709
 
710
    do {
711
      /* filter out files with uninteresting attributes */
1724 mateusz.vi 712
      if (filter_attribs(dta, req.attrfilter_must, req.attrfilter_may) == 0) continue;
1716 mateusz.vi 713
 
1719 mateusz.vi 714
      /* normalize "size" of directories to zero because kernel returns garbage
715
       * sizes for directories which might confuse the sorting routine later */
716
      if (dta->attr & DOS_ATTR_DIR) dta->size = 0;
717
 
1716 mateusz.vi 718
      _fmemcpy(&(dtabuf[dtabufcount]), ((char *)dta) + 22, sizeof(struct TINYDTA));
719
 
720
      /* save attribs in sec field, otherwise zero it (this field is not
721
       * displayed and dropping the attr field saves 2 bytes per entry) */
722
      dtabuf[dtabufcount++].time_sec2 = (dta->attr & 31);
723
 
724
      /* do I have any space left? */
725
      if (dtabufcount == max_dta_bufcount) {
1719 mateusz.vi 726
        //TODO some kind of user notification might be nice here
1716 mateusz.vi 727
        //outputnl("TOO MANY ENTRIES FOR SORTING! LIST IS UNSORTED");
728
        break;
729
      }
730
 
731
    } while (findnext(dta) == 0);
732
 
1742 mateusz.vi 733
    /* no match? kein gluck! (this can happen when filtering attribs with /A:xxx
734
     * because while findfirst() succeeds, all entries can be rejected) */
735
    if (dtabufcount == 0) {
736
      nls_outputnl_doserr(2); /* "File not found" */
2193 mateusz.vi 737
      goto FAIL;
1742 mateusz.vi 738
    }
739
 
1716 mateusz.vi 740
    /* sort the list - the tricky part is that my array is a far address while
1719 mateusz.vi 741
     * qsort works only with near pointers, so I have to use an ugly (and
742
     * global) auxiliary table */
743
    for (i = 0; i < dtabufcount; i++) buf->orderidx[i] = i;
744
    qsort(buf->orderidx, dtabufcount, 2, &sortcmp);
1716 mateusz.vi 745
 
1719 mateusz.vi 746
    /* preload first entry (last from orderidx, since entries are sorted in reverse) */
1716 mateusz.vi 747
    dtabufcount--;
1719 mateusz.vi 748
    _fmemcpy(((unsigned char *)dta) + 22, &(dtabuf[buf->orderidx[dtabufcount]]), sizeof(struct TINYDTA));
749
    dta->attr = dtabuf[buf->orderidx[dtabufcount]].time_sec2; /* restore attr from the abused time_sec2 field */
1716 mateusz.vi 750
  }
751
 
420 mateuszvis 752
  wcolcount = 0; /* may be used for columns counting with wide mode */
396 mateuszvis 753
 
1716 mateusz.vi 754
  for (;;) {
542 mateuszvis 755
 
1716 mateusz.vi 756
    /* filter out attributes (skip if entry comes from buffer, then it was already veted) */
1741 mateusz.vi 757
    if (filter_attribs(dta, req.attrfilter_must, req.attrfilter_may) == 0) goto NEXT_ENTRY;
542 mateuszvis 758
 
759
    /* turn string lcase (/L) */
1724 mateusz.vi 760
    if (req.flags & DIR_FLAG_LCASE) _strlwr(dta->fname); /* OpenWatcom extension, probably does not care about NLS so results may be odd with non-A-Z characters... */
368 mateuszvis 761
 
424 mateuszvis 762
    summary_fcount++;
763
    if ((dta->attr & DOS_ATTR_DIR) == 0) summary_totsz += dta->size;
764
 
1724 mateusz.vi 765
    switch (req.format) {
420 mateuszvis 766
      case DIR_OUTPUT_NORM:
767
        /* print fname-space-extension (unless it's "." or "..", then print as-is) */
768
        if (dta->fname[0] == '.') {
769
          output(dta->fname);
770
          i = strlen(dta->fname);
771
          while (i++ < 12) output(" ");
772
        } else {
1717 mateusz.vi 773
          file_fname2fcb(buf->buff64, dta->fname);
774
          memmove(buf->buff64 + 9, buf->buff64 + 8, 4);
775
          buf->buff64[8] = ' ';
776
          output(buf->buff64);
420 mateuszvis 777
        }
778
        output(" ");
1960 mateusz.vi 779
        /* either <DIR> or right aligned 13 or 10 chars byte size, depending
780
         * on the presence of a thousands delimiter (max 2'000'000'000) */
781
        {
782
          unsigned short szlen = 10 + (strlen(buf->nls.thousep) * 3);
783
          memset(buf->buff64, ' ', 16);
784
          if (dta->attr & DOS_ATTR_DIR) {
785
            strcpy(buf->buff64 + szlen, svarlang_str(37,21));
786
          } else {
787
            nls_format_number(buf->buff64 + 12, dta->size, &(buf->nls));
788
          }
789
          output(buf->buff64 + strlen(buf->buff64) - szlen);
420 mateuszvis 790
        }
1960 mateusz.vi 791
        /* one spaces and NLS DATE */
1717 mateusz.vi 792
        buf->buff64[0] = ' ';
1141 mateusz.vi 793
        if (screenw >= 80) {
1960 mateusz.vi 794
          nls_format_date(buf->buff64 + 1, dta->date_yr + 1980, dta->date_mo, dta->date_dy, &(buf->nls));
1141 mateusz.vi 795
        } else {
1960 mateusz.vi 796
          nls_format_date(buf->buff64 + 1, (dta->date_yr + 80) % 100, dta->date_mo, dta->date_dy, &(buf->nls));
1141 mateusz.vi 797
        }
1717 mateusz.vi 798
        output(buf->buff64);
420 mateuszvis 799
 
800
        /* one space and NLS TIME */
1717 mateusz.vi 801
        nls_format_time(buf->buff64 + 1, dta->time_hour, dta->time_min, 0xff, &(buf->nls));
802
        outputnl(buf->buff64);
420 mateuszvis 803
        break;
804
 
805
      case DIR_OUTPUT_WIDE: /* display in columns of 12 chars per item */
806
        i = strlen(dta->fname);
807
        if (dta->attr & DOS_ATTR_DIR) {
808
          i += 2;
809
          output("[");
810
          output(dta->fname);
811
          output("]");
812
        } else {
813
          output(dta->fname);
814
        }
815
        while (i++ < WCOLWIDTH) output(" ");
816
        if (++wcolcount == wcols) {
817
          wcolcount = 0;
818
          outputnl("");
528 mateuszvis 819
        } else {
820
          availrows++; /* wide mode is the only one that does not write one line per file */
420 mateuszvis 821
        }
822
        break;
823
 
824
      case DIR_OUTPUT_BARE:
825
        outputnl(dta->fname);
826
        break;
396 mateuszvis 827
    }
368 mateuszvis 828
 
1724 mateusz.vi 829
    if (req.flags & DIR_FLAG_PAUSE) dir_pagination(&availrows);
420 mateuszvis 830
 
1741 mateusz.vi 831
    NEXT_ENTRY:
1716 mateusz.vi 832
    /* take next entry, either from buf or disk */
833
    if (dtabufcount > 0) {
834
      dtabufcount--;
1719 mateusz.vi 835
      _fmemcpy(((unsigned char *)dta) + 22, &(dtabuf[buf->orderidx[dtabufcount]]), sizeof(struct TINYDTA));
836
      dta->attr = dtabuf[buf->orderidx[dtabufcount]].time_sec2; /* restore attr from the abused time_sec2 field */
1716 mateusz.vi 837
    } else {
838
      if (findnext(dta) != 0) break;
839
    }
420 mateuszvis 840
 
1716 mateusz.vi 841
  }
842
 
528 mateuszvis 843
  if (wcolcount != 0) {
844
    outputnl(""); /* in wide mode make sure to end on a clear row */
1724 mateusz.vi 845
    if (req.flags & DIR_FLAG_PAUSE) dir_pagination(&availrows);
528 mateuszvis 846
  }
420 mateuszvis 847
 
424 mateuszvis 848
  /* print out summary (unless bare output mode) */
1724 mateusz.vi 849
  if (req.format != DIR_OUTPUT_BARE) {
424 mateuszvis 850
    unsigned short alignpos;
1960 mateusz.vi 851
    unsigned short uint32maxlen = 14; /* 13 is the max len of a 32 bit number with thousand separators (4'000'000'000) */
1141 mateusz.vi 852
    if (screenw < 80) uint32maxlen = 10;
1960 mateusz.vi 853
 
854
    /* x file(s) (maximum of files in a FAT-32 directory is 65'535) */
855
    memset(buf->buff64, ' ', 8);
856
    i = nls_format_number(buf->buff64 + 8, summary_fcount, &(buf->nls));
857
    alignpos = sprintf(buf->buff64 + 8 + i, " %s ", svarlang_str(37,22)/*"file(s)"*/);
1717 mateusz.vi 858
    output(buf->buff64 + i);
424 mateuszvis 859
    /* xxxx bytes */
1960 mateusz.vi 860
    memset(buf->buff64, ' ', 14);
1717 mateusz.vi 861
    i = nls_format_number(buf->buff64 + uint32maxlen, summary_totsz, &(buf->nls));
862
    output(buf->buff64 + i + 1);
424 mateuszvis 863
    output(" ");
990 mateusz.vi 864
    nls_outputnl(37,23); /* "bytes" */
1724 mateusz.vi 865
    if (req.flags & DIR_FLAG_PAUSE) dir_pagination(&availrows);
1960 mateusz.vi 866
 
424 mateuszvis 867
    /* xxxx bytes free */
868
    i = cmd_dir_df(&summary_totsz, drv);
538 mateuszvis 869
    if (i != 0) nls_outputnl_doserr(i);
1960 mateusz.vi 870
    alignpos += 8 + uint32maxlen;
1717 mateusz.vi 871
    memset(buf->buff64, ' ', alignpos); /* align the freebytes value to same column as totbytes */
872
    i = nls_format_number(buf->buff64 + alignpos, summary_totsz, &(buf->nls));
873
    output(buf->buff64 + i + 1);
424 mateuszvis 874
    output(" ");
990 mateusz.vi 875
    nls_outputnl(37,24); /* "bytes free" */
1724 mateusz.vi 876
    if (req.flags & DIR_FLAG_PAUSE) dir_pagination(&availrows);
424 mateuszvis 877
  }
878
 
2193 mateusz.vi 879
  /* /S processing */
2197 mateusz.vi 880
  CHECK_RECURS:
881
  /* if /S then look for a subdir */
882
  if (req.flags & DIR_FLAG_RECUR) {
883
    /* do the findfirst on *.* instead of reusing the user filter */
884
    char *s;
885
    char backup[4];
886
    printf("orig path='%s' new=", buf->path);
887
    for (s = buf->path; *s != 0; s++);
888
    for (; s[-1] != '\\'; s--);
889
    memcpy_ltr(backup, s, 4);
890
    memcpy_ltr(s, "*.*", 4);
891
    printf("'%s'\n", buf->path);
892
    if (findfirst(dta, buf->path, DOS_ATTR_DIR) == 0) {
893
      memcpy_ltr(s, backup, 4);
894
      for (;;) {
895
        if ((dta->fname[0] != '.') && (dta->attr & DOS_ATTR_DIR)) break;
896
        if (findnext(dta) != 0) goto NOSUBDIR;
897
      }
898
      printf("GOT DIR (/S): '%s'\n", dta->fname);
899
      /* add dir to path and redo scan */
900
      memcpy_ltr(&(buf->dtastack[buf->dtastacklen]), dta, sizeof(struct DTA));
901
      buf->dtastacklen++;
902
      path_add(buf->path, dta->fname);
903
      goto NEXT_ITER;
904
    }
905
    memcpy_ltr(s, backup, 4);
2193 mateusz.vi 906
  }
2197 mateusz.vi 907
  NOSUBDIR:
908
 
2193 mateusz.vi 909
  while (buf->dtastacklen > 0) {
910
    /* rewind path one directory back, pop the next dta and do a FindNext */
911
    path_back(buf->path);
912
    buf->dtastacklen--;
913
    TRYNEXTENTRY:
914
    if (findnext(&(buf->dtastack[buf->dtastacklen])) != 0) continue;
915
    if ((buf->dtastack[buf->dtastacklen].attr & DOS_ATTR_DIR) == 0) goto TRYNEXTENTRY;
916
    /* something found -> add dir to path and redo scan */
917
    path_add(buf->path, buf->dtastack[buf->dtastacklen].fname);
918
    goto NEXT_ITER;
919
  }
920
 
1716 mateusz.vi 921
  /* free the buffer memory (if used) */
1719 mateusz.vi 922
  if (glob_sortcmp_dat.dtabuf_root != NULL) _ffree(glob_sortcmp_dat.dtabuf_root);
1716 mateusz.vi 923
 
2193 mateusz.vi 924
  FAIL:
925
  free(buf);
926
  return(CMD_FAIL);
927
 
928
  OK:
929
  free(buf);
533 mateuszvis 930
  return(CMD_OK);
368 mateuszvis 931
}