File: pull.c

package info (click to toggle)
zsv 1.3.0-4
  • links: PTS, VCS
  • area: main
  • in suites: forky, sid
  • size: 49,168 kB
  • sloc: ansic: 175,811; cpp: 56,301; sh: 3,635; makefile: 3,049; javascript: 577; cs: 90; awk: 70; python: 41; sql: 15
file content (89 lines) | stat: -rw-r--r-- 2,385 bytes parent folder | download
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
#include <stdio.h>
#include <string.h>
#include <zsv.h>

/**
 * Simple example using libzsv as a pull parser for CSV input
 *
 * This is the same as simple.c, but uses pull parsing instead of push parsing
 *
 * We will check each cell in the row to determine if it is blank, and output
 * the row number, the total number of cells and the number of blank cells
 *
 * Example:
 *   `echo 'abc,def\nghi,,,' | build/simple -`
 * Outputs:
 *   Row 1 has 2 columns of which 0 are non-blank
 *   Row 2 has 4 columns of which 3 are non-blank
 *
 * With pull parsing, the parser just repeatedly calls zsv_next_row() so long
 * as it returns `zsv_status_row`
 */

/**
 * Main routine. Our program will take a single argument (a file name, or -)
 * and output, for each row, the numbers of total and blank cells
 */
int main(int argc, const char *argv[]) {
  if (argc != 2) {
    fprintf(stderr, "Reads a CSV file or stdin, and for each row,\n"
                    " output counts of total and blank cells\n");
    fprintf(stderr, "Usage: simple <filename or dash(-) for stdin>\n");
    fprintf(stderr,
            "Example:\n"
            "  echo \"A1,B1,C1\\nA2,B2,\\nA3,,C3\\n,,C3\" | %s -\n\n",
            argv[0]);
    return 0;
  }

  FILE *f = strcmp(argv[1], "-") ? fopen(argv[1], "rb") : stdin;
  if (!f) {
    perror(argv[1]);
    return 1;
  }

  /**
   * Create a parser
   */
  struct zsv_opts opts = {0};
  opts.stream = f;
  zsv_parser parser = zsv_new(&opts);
  if (!parser) {
    fprintf(stderr, "Could not allocate parser!\n");
    return -1;
  }

  /**
   * iterate through all rows
   */
  size_t row_num = 0;
  while (zsv_next_row(parser) == zsv_status_row) {
    row_num++;

    /* get a cell count */
    size_t cell_count = zsv_cell_count(parser);

    /* iterate through each cell in this row, to count blanks */
    size_t nonblank = 0;
    for (size_t i = 0; i < cell_count; i++) {
      struct zsv_cell c = zsv_get_cell(parser, i);
      /* use r.values[] and r.lengths[] to get cell data */
      /* Here, we only care about lengths */
      if (c.len > 0)
        nonblank++;
    }

    /* print our results for this row */
    printf("Row %zu has %zu columns of which %zu %s non-blank\n", row_num, cell_count, nonblank,
           nonblank == 1 ? "is" : "are");
  }
  /**
   * Clean up
   */
  zsv_delete(parser);

  if (f != stdin)
    fclose(f);

  return 0;
}