]> mj.ucw.cz Git - xsv.git/blob - xsv.c
b0e91246cbd2aa1eb0f4f18ede9330a160c88f87
[xsv.git] / xsv.c
1 /*
2  *      A Swiss-Army Knife for CSV-like Files
3  *
4  *      (c) 2012 Martin Mares <mj@ucw.cz>
5  */
6
7 #define _GNU_SOURCE
8
9 #include <stdio.h>
10 #include <stdlib.h>
11 #include <string.h>
12 #include <stdarg.h>
13 #include <getopt.h>
14 #include <wchar.h>
15 #include <locale.h>
16
17 #include <pcre.h>
18
19 #ifdef __GNUC__
20 #define NONRET __attribute__((noreturn))
21 #define UNUSED __attribute__((unused))
22 #else
23 #define NONRET
24 #define UNUSED
25 #endif
26
27 /*** General functions ***/
28
29 static void NONRET die(char *msg, ...)
30 {
31         va_list args;
32         va_start(args, msg);
33         fprintf(stderr, "xsv: ");
34         vfprintf(stderr, msg, args);
35         fputc('\n', stderr);
36         va_end(args);
37         exit(1);
38 }
39
40 /*** Memory allocation ***/
41
42 static void *xmalloc(size_t bytes)
43 {
44         void *p = malloc(bytes);
45         if (!p)
46                 die("Out of memory (cannot allocate %zu bytes)", bytes);
47         return p;
48 }
49
50 static void *xmalloc_zero(size_t bytes)
51 {
52         void *p = xmalloc(bytes);
53         memset(p, 0, bytes);
54         return p;
55 }
56
57 static void *xrealloc(void *old, size_t bytes)
58 {
59         void *p = realloc(old, bytes);
60         if (!p)
61                 die("Out of memory (cannot allocate %zu bytes)", bytes);
62         return p;
63 }
64
65 #define DECLARE_BUF(name, type) \
66         typedef struct { type *start; int count; int max; } name##_t;                           \
67         static inline void name##_init(name##_t *b) { b->start = NULL; b->count = b->max = 0; } \
68         static inline void name##_reset(name##_t *b) { b->count = 0; }                          \
69         static inline int name##_count(name##_t *b) { return b->count; }                        \
70         static void name##_extend(name##_t *b) {                                                \
71                 b->max = b->max ? 2*b->max : 16;                                                \
72                 b->start = xrealloc(b->start, b->max * sizeof(type));                           \
73         }                                                                                       \
74         static inline type *name##_push(name##_t *b) {                                          \
75                 if (b->count >= b->max) name##_extend(b);                                       \
76                 return &b->start[b->count++];                                                   \
77         }                                                                                       \
78         static inline type *name##_first(name##_t *b) { return b->start; }                      \
79         static inline type *name##_nth(name##_t *b, int n) { return &b->start[n]; }             \
80         // end
81
82 DECLARE_BUF(intarray, int);
83 DECLARE_BUF(stringarray, char *);
84
85 /*** Formats and their parameters ***/
86
87 enum format_id {
88         FORM_UNSPEC,
89         FORM_TSV,
90         FORM_CSV,
91         FORM_WS,
92         FORM_REGEX,
93         FORM_TMP,
94         FORM_TABLE,
95 };
96
97 struct format {
98         enum format_id id;
99         int fs;
100         int quote;
101         int quiet;
102         int (*read_line)(struct format *fmt);
103         void (*write_line)(struct format *fmt);
104         void (*write_grid)(struct format *fmt, int pos);        // -1=above, 1=below, 0=after header
105         int needs_stats;
106
107         // Field names
108         int has_header;
109         char *set_field_names;
110         struct field_names *field_names;
111
112         // CSV backend:
113         int always_quote;
114
115         // WS backend:
116         int strict_ws;
117
118         // regex backend:
119         pcre *pcre;
120         pcre_extra *pcre_extra;
121
122         // Temporary file backend:
123         FILE *tmp_file;
124
125         // Table backend:
126         int table_sep;
127         int table_grid;
128 };
129
130 static struct format *in_format, *out_format;
131 static int want_trim, want_equalize, want_stats;
132
133 struct field {
134         int start_pos;
135         int len;
136 };
137
138 DECLARE_BUF(fields, struct field);
139 DECLARE_BUF(line, unsigned char);
140
141 static fields_t in_fields, out_fields;
142 static struct field *in_field;
143 static line_t in_line;
144 static int line_number;
145
146 static int read_line(void)
147 {
148         fields_reset(&in_fields);
149         line_reset(&in_line);
150         in_field = NULL;
151         if (!in_format->read_line(in_format))
152                 return 0;
153         if (ferror_unlocked(stdin))
154                 die("I/O error when reading standard input");
155         return 1;
156 }
157
158 static void write_line(void)
159 {
160         out_format->write_line(out_format);
161         if (ferror_unlocked(stdout))
162                 die("I/O error when writing standard input");
163 }
164
165 static void write_grid(int pos)
166 {
167         if (out_format->write_grid) {
168                 out_format->write_grid(out_format, pos);
169                 if (ferror_unlocked(stdout))
170                         die("I/O error when writing standard input");
171         }
172 }
173
174 static void new_field(int pos)
175 {
176         in_field = fields_push(&in_fields);
177         in_field->start_pos = pos;
178         in_field->len = 0;
179 }
180
181 static void ensure_field(int pos)
182 {
183         if (!in_field)
184                 new_field(pos);
185 }
186
187 static unsigned char *get_field(fields_t *fields, int i, int *len)
188 {
189         struct field *f = fields_nth(fields, i);
190         *len = f->len;
191         return line_nth(&in_line, f->start_pos);
192 }
193
194 static void warn(struct format *fmt, char *msg, ...)
195 {
196         if (!fmt->quiet) {
197                 fprintf(stderr, "Warning at line %d: ", line_number);
198                 va_list args;
199                 va_start(args, msg);
200                 vfprintf(stderr, msg, args);
201                 va_end(args);
202                 fputc('\n', stderr);
203         }
204 }
205
206 static int next_line(void)
207 {
208         for (;;) {
209                 int c = getchar_unlocked();
210                 if (c == '\r')
211                         continue;
212                 if (c < 0)
213                         return !!line_count(&in_line);
214                 if (c == '\n')
215                         return 1;
216                 *line_push(&in_line) = c;
217         }
218 }
219
220 static int field_chars(struct field *f)
221 {
222         unsigned char *s = line_nth(&in_line, f->start_pos);
223         int i = 0;
224         mbstate_t mbs;
225         memset(&mbs, 0, sizeof(mbs));
226
227         int chars = 0;
228         while (i < f->len) {
229                 size_t k = mbrlen((char *) s + i, f->len - i, &mbs);
230                 if ((int) k <= 0)
231                         break;
232                 i += k;
233                 chars++;
234         }
235
236         return chars;
237 }
238
239 /*** Field statistics ***/
240
241 static intarray_t column_widths;
242
243 static void update_stats(void)
244 {
245         if (!want_stats)
246                 return;
247
248         for (int i = 0; i < fields_count(&out_fields); i++) {
249                 struct field *f = fields_nth(&out_fields, i);
250                 intarray_t *w = &column_widths;
251
252                 while (i >= intarray_count(w))
253                         *intarray_push(w) = 0;
254                 int fw = field_chars(f);
255                 if (*intarray_nth(w, i) < fw)
256                         *intarray_nth(w, i) = fw;
257         }
258 }
259
260 /*** CSV/TSV back-end */
261
262 static int csv_read(struct format *fmt)
263 {
264         int quoted = 0;
265         for (;;) {
266                 int c = getchar_unlocked();
267                 int i = line_count(&in_line);
268 restart:
269                 if (c == '\r')
270                         continue;
271                 if (c < 0 || c == '\n') {
272                         if (quoted)
273                                 warn(fmt, "Missing closing quote.");
274                         if (c < 0)
275                                 return !!fields_count(&in_fields);
276                         else
277                                 return 1;
278                 }
279                 if (quoted) {
280                         if (c == fmt->quote) {
281                                 c = getchar_unlocked();
282                                 if (c != fmt->quote) {
283                                         quoted = 0;
284                                         goto restart;
285                                 }
286                                 // Two quotes assimilate to one
287                         }
288                         // Fall through to pushing the character
289                 } else if (c == fmt->quote) {
290                         quoted = 1;
291                         continue;
292                 } else if (c == fmt->fs && !quoted) {
293                         ensure_field(i);
294                         new_field(i);
295                         continue;
296                 }
297                 ensure_field(i);
298                 *line_push(&in_line) = c;
299                 in_field->len++;
300         }
301 }
302
303 static int is_ws(int c)
304 {
305         return (c == ' ' || c == '\t' || c == '\f');
306 }
307
308 static void csv_write(struct format *fmt)
309 {
310         for (int i=0; i < fields_count(&out_fields); i++) {
311                 int len;
312                 unsigned char *p = get_field(&out_fields, i, &len);
313
314                 int need_quotes = 0;
315                 if (fmt->quote >= 0) {
316                         need_quotes = fmt->always_quote;
317                         for (int j=0; !need_quotes && j < len; j++) {
318                                 if (p[j] == fmt->fs || p[j] == fmt->quote)
319                                         need_quotes = 1;
320                         }
321                 }
322                 if (i)
323                         putchar_unlocked(fmt->fs);
324                 if (need_quotes)
325                         putchar_unlocked(fmt->quote);
326                 for (int j=0; j < len; j++) {
327                         int c = p[j];
328                         if (c == fmt->fs && !need_quotes)
329                                 warn(fmt, "Field separator found inside field and quoting is turned off.");
330                         if (c == fmt->quote)
331                                 putchar_unlocked(c);
332                         putchar_unlocked(c);
333                 }
334                 if (need_quotes)
335                         putchar_unlocked(fmt->quote);
336         }
337         putchar_unlocked('\n');
338 }
339
340 /*** White-space back-end ***/
341
342 static int ws_read(struct format *fmt)
343 {
344         if (!next_line())
345                 return 0;
346
347         unsigned char *line = line_first(&in_line);
348         int n = line_count(&in_line);
349         if (!n)
350                 return 1;
351
352         int ws = 0;
353         new_field(0);
354         for (int i=0; i<n; i++) {
355                 int c = line[i];
356                 if (is_ws(c)) {
357                         ws++;
358                 } else {
359                         if (ws) {
360                                 if (!in_field->start_pos &&
361                                     !in_field->len &&
362                                     !fmt->strict_ws)
363                                         in_field->start_pos = i;
364                                 else
365                                         new_field(i);
366                                 ws = 0;
367                         }
368                         in_field->len++;
369                 }
370         }
371
372         if (ws && fmt->strict_ws)
373                 new_field(n);
374         return 1;
375 }
376
377 /*** Regex back-end ***/
378
379 static const char *regex_set(struct format *f, char *rx)
380 {
381         const char *err;
382         int errpos;
383         f->pcre = pcre_compile(rx, PCRE_DOLLAR_ENDONLY, &err, &errpos, NULL);
384         if (!f->pcre)
385                 return err;
386
387         f->pcre_extra = pcre_study(f->pcre, 0, &err);
388         if (!f->pcre_extra)
389                 return err;
390
391         return NULL;
392 }
393
394 static int regex_read(struct format *fmt)
395 {
396         if (!next_line())
397                 return 0;
398
399         unsigned char *c = line_first(&in_line);
400         int n = line_count(&in_line);
401         if (!n)
402                 return 1;
403
404         int i = 0;
405         for (;;) {
406                 int ovec[3];
407                 int sep = pcre_exec(fmt->pcre, fmt->pcre_extra, (char *) c, n, i, 0, ovec, 3);
408                 if (sep < 0) {
409                         if (sep != PCRE_ERROR_NOMATCH)
410                                 warn(fmt, "PCRE matching error %d", sep);
411                         // No further occurrence of the separator: the rest is a single field
412                         new_field(i);
413                         in_field->len = n - i;
414                         return 1;
415                 }
416                 new_field(i);
417                 in_field->len = ovec[0] - i;
418                 i = ovec[1];
419         }
420 }
421
422 /*** Table back-end ***/
423
424 static void table_write(struct format *fmt)
425 {
426         for (int i = 0; i < intarray_count(&column_widths); i++) {
427                 if (fmt->table_grid) {
428                         putchar_unlocked('|');
429                         printf("%*s", fmt->table_sep / 2, "");
430                 } else if (i)
431                         printf("%*s", fmt->table_sep, "");
432
433                 int cw = *intarray_nth(&column_widths, i);
434                 int fw = 0;
435                 if (i < fields_count(&out_fields)) {
436                         int len;
437                         unsigned char *p = get_field(&out_fields, i, &len);
438                         fw = field_chars(fields_nth(&out_fields, i));
439                         if (fw > cw) {
440                                 warn(fmt, "Internal error: Wrongly calculated width of column %d (%d > %d)", i, fw, cw);
441                                 cw = fw;
442                         }
443                         while (len--)
444                                 putchar(*p++);
445                 }
446                 while (fw < cw) {
447                         putchar_unlocked(' ');
448                         fw++;
449                 }
450
451                 if (fmt->table_grid)
452                         printf("%*s", fmt->table_sep - fmt->table_sep / 2, "");
453         }
454
455         if (fmt->table_grid)
456                 putchar_unlocked('|');
457         putchar_unlocked('\n');
458 }
459
460 static void table_write_grid(struct format *fmt, int pos UNUSED)
461 {
462         if (!fmt->table_grid)
463                 return;
464
465         for (int i = 0; i < intarray_count(&column_widths); i++) {
466                 putchar_unlocked('+');
467                 int w = fmt->table_sep + *intarray_nth(&column_widths, i);
468                 while (w--)
469                         putchar('-');
470         }
471         putchar_unlocked('+');
472         putchar_unlocked('\n');
473 }
474
475 /*** Temporary file back-end ***/
476
477 static int tmp_read(struct format *fmt)
478 {
479         FILE *tf = fmt->tmp_file;
480
481         for (;;) {
482                 int c = getc_unlocked(tf);
483                 if (c < 0)
484                         return 0;
485                 if (c == 0xff)
486                         return 1;
487                 if (c == 0xfe) {
488                         c = getc_unlocked(tf);
489                         c = (c << 8) | getc_unlocked(tf);
490                         c = (c << 8) | getc_unlocked(tf);
491                         c = (c << 8) | getc_unlocked(tf);
492                 }
493                 new_field(line_count(&in_line));
494                 in_field->len = c;
495                 while (c--) {
496                         int x = getc_unlocked(tf);
497                         if (x < 0) {
498                                 warn(fmt, "Truncated temporary file");
499                                 return 0;
500                         }
501                         *line_push(&in_line) = x;
502                 }
503         }
504
505         if (ferror_unlocked(tf))
506                 die("I/O error when reading temporary file");
507 }
508
509 static void tmp_write(struct format *fmt)
510 {
511         FILE *tf = fmt->tmp_file;
512
513         for (int i = 0; i < fields_count(&out_fields); i++) {
514                 int len;
515                 unsigned char *p = get_field(&out_fields, i, &len);
516
517                 if (len < 0xfe)
518                         putc_unlocked(len, tf);
519                 else {
520                         putc_unlocked(0xfe, tf);
521                         putc_unlocked((len >> 24) & 0xff, tf);
522                         putc_unlocked((len >> 16) & 0xff, tf);
523                         putc_unlocked((len >> 8) & 0xff, tf);
524                         putc_unlocked(len & 0xff, tf);
525                 }
526
527                 while (len--)
528                         putc_unlocked(*p++, tf);
529         }
530         putc_unlocked(0xff, tf);
531
532         if (ferror_unlocked(tf))
533                 die("I/O error when writing temporary file");
534 }
535
536 /*** Transforms ***/
537
538 static void trim_fields(void)
539 {
540         unsigned char *line = line_first(&in_line);
541         for (int i = 0; i < fields_count(&in_fields); i++) {
542                 struct field *f = fields_nth(&in_fields, i);
543                 while (f->len && is_ws(line[f->start_pos]))
544                         f->start_pos++, f->len--;
545                 while (f->len && is_ws(line[f->start_pos + f->len - 1]))
546                         f->len--;
547         }
548 }
549
550 static void equalize_fields(void)
551 {
552         while (fields_count(&out_fields) < intarray_count(&column_widths)) {
553                 struct field *f = fields_push(&out_fields);
554                 f->start_pos = f->len = 0;
555         }
556 }
557
558 /*** Field names and headers ***/
559
560 struct field_names {
561         stringarray_t names;
562 };
563
564 static void add_field(struct field_names *fn, char *name, int namelen)
565 {
566         char *n = xmalloc(namelen + 1);
567         memcpy(n, name, namelen);
568         n[namelen] = 0;
569         *stringarray_push(&fn->names) = n;
570 }
571
572 static void add_field_names(struct field_names *fn, char *names)
573 {
574         char *p = names;
575         while (p) {
576                 char *q = strchr(p, ',');
577                 int len = q ? q-p : (int) strlen(p);
578                 add_field(fn, p, len);
579                 p = q ? q+1 : NULL;
580         }
581 }
582
583 static void read_header(void)
584 {
585         if (!(in_format->has_header || in_format->set_field_names))
586                 return;
587
588         struct field_names *fn = xmalloc_zero(sizeof(*fn));
589         in_format->field_names = fn;
590
591         if (in_format->has_header) {
592                 if (!read_line())
593                         die("Missing input header");
594         }
595
596         if (in_format->set_field_names) {
597                 add_field_names(fn, in_format->set_field_names);
598         } else {
599                 for (int i = 0; i < fields_count(&in_fields); i++) {
600                         int len;
601                         char *s = (char *) get_field(&in_fields, i, &len);
602                         add_field(fn, s, len);
603                 }
604         }
605 }
606
607 static void write_header(void)
608 {
609         if (!out_format->has_header) {
610                 write_grid(-1);
611                 return;
612         }
613
614         if (out_format->set_field_names) {
615                 struct field_names *fn = xmalloc_zero(sizeof(*fn));
616                 out_format->field_names = fn;
617                 add_field_names(fn, out_format->set_field_names);
618         } else if (in_format->field_names)
619                 out_format->field_names = in_format->field_names;
620         else
621                 die("Output header requested, but no field names specified");
622
623         line_reset(&in_line);
624         fields_reset(&out_fields);
625         struct field_names *fn = out_format->field_names;
626         for (int i = 0; i < stringarray_count(&fn->names); i++) {
627                 struct field *f = fields_push(&out_fields);
628                 f->start_pos = line_count(&in_line);
629                 f->len = 0;
630                 char *s = *stringarray_nth(&fn->names, i);
631                 while (*s) {
632                         *line_push(&in_line) = *s++;
633                         f->len++;
634                 }
635         }
636
637         // This is tricky: when we are formatting a table, field names are normally
638         // calculated in pass 1, but the header is written in pass 2, so we have to
639         // update column statistics, because field name can be too wide to fit.
640         want_stats++;
641         update_stats();
642         want_stats--;
643         if (want_equalize)
644                 equalize_fields();
645         write_grid(-1);
646         write_line();
647         write_grid(0);
648 }
649
650 static void write_footer(void)
651 {
652         write_grid(1);
653 }
654
655 static int find_field_by_name(struct field_names *fn, char *name)
656 {
657         for (int i = 0; i < stringarray_count(&fn->names); i++)
658                 if (!strcmp(*stringarray_nth(&fn->names, i), name))
659                         return i + 1;
660         return -1;
661 }
662
663 /*** Field selection ***/
664
665 struct selector {
666         int first_field, last_field;            // 0 means "boundary"
667 };
668
669 DECLARE_BUF(selectors, struct selector);
670 static selectors_t selectors;
671
672 static int parse_field_num(char *str)
673 {
674         int f = 0;
675
676         while (*str) {
677                 if (*str < '0' || *str > '9')
678                         return -1;
679                 if (f >= 100000000)
680                         return -1;
681                 f = 10*f + *str - '0';
682                 str++;
683         }
684         return f;
685 }
686
687 static int parse_field(char *str)
688 {
689         if (!*str)
690                 return 0;
691
692         int f = parse_field_num(str);
693         if (f > 0)
694                 return f;
695
696         if (in_format->field_names && (f = find_field_by_name(in_format->field_names, str)) > 0)
697                 return f;
698
699         die("Unknown field %s", str);
700 }
701
702 static char *parse_selector(char *str)
703 {
704         char buf[strlen(str) + 1];
705         strcpy(buf, str);
706
707         struct selector *s = selectors_push(&selectors);
708         char *sep = strchr(buf, '-');
709         if (sep) {
710                 *sep++ = 0;
711                 s->first_field = parse_field(buf);
712                 s->last_field = parse_field(sep);
713         } else
714                 s->first_field = s->last_field = parse_field(buf);
715
716         return NULL;
717 }
718
719 static void finish_parse_selectors(void)
720 {
721         if (!selectors_count(&selectors))
722                 parse_selector("-");
723 }
724
725 static void select_fields(void)
726 {
727         for (int i = 0; i < selectors_count(&selectors); i++) {
728                 struct selector *s = selectors_nth(&selectors, i);
729                 int first = s->first_field;
730                 if (first <= 0)
731                         first = 1;
732                 int last = s->last_field;
733                 if (last <= 0)
734                         last = fields_count(&in_fields);
735                 for (int j = first; j <= last; j++) {
736                         struct field *f = fields_push(&out_fields);
737                         if (j >= 1 && j <= fields_count(&in_fields))
738                                 *f = *fields_nth(&in_fields, j-1);
739                         else
740                                 f->start_pos = f->len = 0;
741                 }
742         }
743 }
744
745 static void select_all_fields(void)
746 {
747         for (int i = 0; i < fields_count(&in_fields); i++)
748                 *fields_push(&out_fields) = *fields_nth(&in_fields, i);
749 }
750
751 /*** Processing of files ***/
752
753 static void one_pass(int pass)
754 {
755         if (pass & 2)
756                 write_header();
757
758         for (;;) {
759                 line_number++;
760                 if (!read_line())
761                         break;
762
763                 if (want_trim && (pass & 1))
764                         trim_fields();
765
766                 fields_reset(&out_fields);
767                 if (pass & 1)
768                         select_fields();
769                 else
770                         select_all_fields();
771
772                 if (want_equalize && (pass & 2))
773                         equalize_fields();
774                 update_stats();
775                 write_line();
776         }
777
778         if (pass & 2)
779                 write_footer();
780 }
781
782 static void two_pass(void)
783 {
784         struct format *final_format = out_format;
785
786         // We need to use character set info from the current locale
787         setlocale(LC_CTYPE, "");
788
789         // Pass 1: Set up writer of intermediate format
790         out_format = xmalloc_zero(sizeof(*out_format));
791         out_format->id = FORM_TMP;
792         out_format->read_line = tmp_read;
793         out_format->write_line = tmp_write;
794         out_format->tmp_file = tmpfile();
795         out_format->field_names = in_format->field_names;
796         one_pass(1);
797
798         // Pass 2: Set up reader of intermediate format
799         in_format = out_format;
800         rewind(in_format->tmp_file);
801         line_number = 0;
802         out_format = final_format;
803         want_stats = 0;
804         one_pass(2);
805         fclose(in_format->tmp_file);
806 }
807
808 /*** Parsing of arguments ***/
809
810 static void NONRET usage(void)
811 {
812         printf("\
813 Usage: xsv <in-format> [<out-format>] <options> [<fields>]\n\
814 \n\
815 Formats:\n\
816 -t, --tsv               TAB-separated values (default)\n\
817 -c, --csv               Comma-separated values\n\
818 -w, --ws                Values separated by arbitrary whitespace\n\
819 -W, --strict-ws         Like --ws, but recognize empty columns at start/end\n\
820 -r, --regex=<rx>        Separator given by Perl regular expression (input only)\n\
821     --table             Format a table (output only)\n\
822 \n\
823 Format parameters:\n\
824 -d, --fs=<char>         Delimiter of fields\n\
825 -f, --fields=<f>,...    Set field names\n\
826 -h, --header            The first line contains field names\n\
827 -q, --quiet             Do not show warnings\n\
828     --always-quote      Put quotes around all fields (CSV output only)\n\
829     --table-sep=<n>     Separate table columns by <n> spaces (default: 2)\n\
830     --grid              Separate table columns by grid lines\n\
831 \n\
832 Other options:\n\
833     --trim              Trim leading and trailing whitespaces in fields\n\
834     --equalize          Pad all lines to the maximum number of fields\n\
835 ");
836         exit(0);
837 }
838
839 static void NONRET bad_args(const char *msg, ...)
840 {
841         if (msg) {
842                 va_list args;
843                 va_start(args, msg);
844                 fprintf(stderr, "xsv: ");
845                 vfprintf(stderr, msg, args);
846                 fputc('\n', stderr);
847                 va_end(args);
848         }
849         fprintf(stderr, "Try `xsv --help' for more information.\n");
850         exit(1);
851 }
852
853 static const char short_options[] = "cd:f:hqr:twW";
854
855 enum long_options {
856         OPT_HELP = 256,
857         OPT_TRIM,
858         OPT_ALWAYS_QUOTE,
859         OPT_TABLE,
860         OPT_TABLE_SEP,
861         OPT_GRID,
862         OPT_EQUALIZE,
863 };
864
865 static const struct option long_options[] = {
866         { "always-quote",       0,      NULL,   OPT_ALWAYS_QUOTE },
867         { "csv",                0,      NULL,   'c' },
868         { "equalize",           0,      NULL,   OPT_EQUALIZE },
869         { "fields",             1,      NULL,   'f' },
870         { "fs",                 1,      NULL,   'd' },
871         { "grid",               0,      NULL,   OPT_GRID },
872         { "header",             0,      NULL,   'h' },
873         { "quiet",              0,      NULL,   'q' },
874         { "regex",              1,      NULL,   'r' },
875         { "strict-ws",          0,      NULL,   'W' },
876         { "table",              0,      NULL,   OPT_TABLE },
877         { "table-sep",          1,      NULL,   OPT_TABLE_SEP },
878         { "trim",               0,      NULL,   OPT_TRIM },
879         { "tsv",                0,      NULL,   't' },
880         { "ws",                 0,      NULL,   'w' },
881         { "help",               0,      NULL,   OPT_HELP },
882         { NULL,                 0,      NULL,   0 },
883 };
884
885 static void set_format(int format_id)
886 {
887         struct format *f = xmalloc_zero(sizeof(*f));
888         f->id = format_id;
889
890         switch (format_id) {
891                 case FORM_TSV:
892                         f->fs = '\t';
893                         f->quote = -1;
894                         f->read_line = csv_read;
895                         f->write_line = csv_write;
896                         break;
897                 case FORM_CSV:
898                         f->fs = ',';
899                         f->quote = '"';
900                         f->read_line = csv_read;
901                         f->write_line = csv_write;
902                         break;
903                 case FORM_WS:
904                         f->fs = ' ';
905                         f->quote = -1;
906                         f->read_line = ws_read;
907                         f->write_line = csv_write;
908                         break;
909                 case FORM_REGEX:
910                         f->read_line = regex_read;
911                         break;
912                 case FORM_TABLE:
913                         f->write_line = table_write;
914                         f->write_grid = table_write_grid;
915                         f->needs_stats = 1;
916                         f->table_sep = 2;
917                         break;
918         }
919
920         if (!in_format)
921                 in_format = f;
922         else if (!out_format)
923                 out_format = f;
924         else
925                 bad_args("At most two formats may be given.");
926 }
927
928 static struct format *current_format(void)
929 {
930         if (out_format)
931                 return out_format;
932         if (in_format)
933                 return in_format;
934         set_format(FORM_TSV);
935         return in_format;
936 }
937
938 int main(int argc, char **argv)
939 {
940         int opt;
941         const char *err;
942
943         while ((opt = getopt_long(argc, argv, short_options, long_options, NULL)) >= 0)
944                 switch (opt) {
945                         case 'c':
946                                 set_format(FORM_CSV);
947                                 break;
948                         case 'd':
949                                 if (optarg[0])
950                                         current_format()->fs = optarg[0];
951                                 else
952                                         bad_args("No field delimiter given.");
953                                 break;
954                         case 'f':
955                                 current_format()->set_field_names = optarg;
956                                 break;
957                         case 'h':
958                                 current_format()->has_header = 1;
959                                 break;
960                         case 'q':
961                                 current_format()->quiet = 1;
962                                 break;
963                         case 'r':
964                                 set_format(FORM_REGEX);
965                                 err = regex_set(current_format(), optarg);
966                                 if (err)
967                                         bad_args("Error compiling regex: %s", err);
968                                 break;
969                         case 't':
970                                 set_format(FORM_TSV);
971                                 break;
972                         case 'w':
973                                 set_format(FORM_WS);
974                                 break;
975                         case 'W':
976                                 set_format(FORM_WS);
977                                 current_format()->strict_ws = 1;
978                                 break;
979                         case OPT_ALWAYS_QUOTE:
980                                 if (current_format()->id != FORM_CSV)
981                                         bad_args("--always-quote makes sense only for CSV.");
982                                 current_format()->always_quote = 1;
983                                 break;
984                         case OPT_HELP:
985                                 usage();
986                         case OPT_TRIM:
987                                 want_trim = 1;
988                                 break;
989                         case OPT_TABLE:
990                                 set_format(FORM_TABLE);
991                                 break;
992                         case OPT_TABLE_SEP:
993                                 current_format()->table_sep = atoi(optarg);
994                                 break;
995                         case OPT_GRID:
996                                 current_format()->table_grid = 1;
997                                 break;
998                         case OPT_EQUALIZE:
999                                 want_equalize = 1;
1000                                 break;
1001                         default:
1002                                 bad_args(NULL);
1003                 }
1004
1005         current_format();
1006         if (!out_format)
1007                 out_format = in_format;
1008         if (!in_format->read_line)
1009                 bad_args("Write-only format selected for input.");
1010         if (!out_format->write_line)
1011                 bad_args("Read-only format selected for output.");
1012         read_header();
1013
1014         for (int i = optind; i < argc; i++) {
1015                 err = parse_selector(argv[i]);
1016                 if (err)
1017                         bad_args(err);
1018         }
1019         finish_parse_selectors();
1020
1021         want_stats = out_format->needs_stats | want_equalize;
1022         if (want_stats)
1023                 two_pass();
1024         else
1025                 one_pass(3);
1026         return 0;
1027 }