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
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
|
/*********************************************************************
pgmnoise - create a PGM with white noise
Frank Neumann, October 1993
*********************************************************************/
#include "pm_c_util.h"
#include "mallocvar.h"
#include "shhopt.h"
#include "pgm.h"
struct cmdlineInfo {
/* All the information the user supplied in the command line,
in a form easy for the program to use.
*/
unsigned int width;
unsigned int height;
unsigned int randomseed;
unsigned int randomseedSpec;
};
static void
parseCommandLine(int argc, const char ** const argv,
struct cmdlineInfo * const cmdlineP) {
/*----------------------------------------------------------------------------
Note that the file spec array we return is stored in the storage that
was passed to us as the argv array.
-----------------------------------------------------------------------------*/
optEntry * option_def;
/* Instructions to OptParseOptions3 on how to parse our options.
*/
optStruct3 opt;
unsigned int option_def_index;
MALLOCARRAY_NOFAIL(option_def, 100);
option_def_index = 0; /* incremented by OPTENT3 */
OPTENT3(0, "randomseed", OPT_INT, &cmdlineP->randomseed,
&cmdlineP->randomseedSpec, 0);
opt.opt_table = option_def;
opt.short_allowed = FALSE; /* We have no short (old-fashioned) options */
opt.allowNegNum = FALSE; /* We may have parms that are negative numbers */
optParseOptions3(&argc, (char **)argv, opt, sizeof(opt), 0);
/* Uses and sets argc, argv, and some of *cmdlineP and others. */
if (argc-1 != 2)
pm_error("Wrong number of arguments: %u. "
"Arguments are width and height of image, in pixels",
argc-1);
else {
int const width = atoi(argv[1]);
int const height = atoi(argv[2]);
if (width <= 0)
pm_error("Width must be positive, not %d", width);
else
cmdlineP->width = width;
if (height <= 0)
pm_error("Height must be positive, not %d", width);
else
cmdlineP->height = height;
}
}
static void
pgmnoise(FILE * const ofP,
unsigned int const cols,
unsigned int const rows,
gray const maxval) {
unsigned int row;
gray * destrow;
destrow = pgm_allocrow(cols);
pgm_writepgminit(ofP, cols, rows, maxval, 0);
for (row = 0; row < rows; ++row) {
unsigned int col;
for (col = 0; col < cols; ++col)
destrow[col] = rand() % (maxval + 1);
pgm_writepgmrow(ofP, destrow, cols, maxval, 0);
}
pgm_freerow(destrow);
}
int main(int argc,
const char * argv[]) {
struct cmdlineInfo cmdline;
pm_proginit(&argc, argv);
parseCommandLine(argc, argv, &cmdline);
srand(cmdline.randomseedSpec ? cmdline.randomseed : pm_randseed());
pgmnoise(stdout, cmdline.width, cmdline.height, PGM_MAXMAXVAL);
return 0;
}
|