chundoong-lab-ta/SHPC2022/hw2/vectordot/main.c

111 lines
2.5 KiB
C
Raw Normal View History

2022-10-04 13:56:31 +09:00
#include <getopt.h>
#include <stdbool.h>
2022-10-04 21:07:02 +09:00
#include <stdio.h>
2022-10-04 13:56:31 +09:00
#include <stdlib.h>
#include <string.h>
#include "util.h"
#include "vectordot.h"
2022-10-04 21:07:02 +09:00
static void print_help(const char *prog_name) {
2022-10-04 13:56:31 +09:00
printf("Usage: %s [-pvh] [-n num_iterations] [-m method] N\n", prog_name);
printf("Options:\n");
printf(" -h : print this page.\n");
printf(" -n : number of iterations (default: 1)\n");
printf(" -m : must be either 'naive' or 'fma' (default: naive)\n");
printf(" N : number of components of vectors A and B. (default: 8)\n");
}
enum method {
NAIVE,
FMA,
};
static enum method how = NAIVE;
static int N = 8;
static int num_iterations = 1;
static void parse_opt(int argc, char **argv) {
int c;
while ((c = getopt(argc, argv, "pvht:n:m:")) != -1) {
switch (c) {
2022-10-04 21:07:02 +09:00
case 'n':
num_iterations = atoi(optarg);
break;
case 'm':
if (!strcmp(optarg, "naive")) {
how = NAIVE;
} else if (!strcmp(optarg, "fma")) {
how = FMA;
} else {
2022-10-04 13:56:31 +09:00
print_help(argv[0]);
exit(0);
2022-10-04 21:07:02 +09:00
}
break;
case 'h':
default:
print_help(argv[0]);
exit(0);
2022-10-04 13:56:31 +09:00
}
}
for (int i = optind, j = 0; i < argc; ++i, ++j) {
switch (j) {
2022-10-04 21:07:02 +09:00
case 0:
N = atoi(argv[i]);
break;
default:
break;
2022-10-04 13:56:31 +09:00
}
}
printf("Options:\n");
printf(" Vector dot method: %s\n", (how == NAIVE) ? "Naive" : "FMA");
printf(" Problem Size (N): %d\n", N);
printf(" Number of Iterations: %d\n", num_iterations);
printf("\n");
}
int main(int argc, char **argv) {
parse_opt(argc, argv);
2022-10-04 21:07:02 +09:00
printf("Initializing... ");
fflush(stdout);
2022-10-04 13:56:31 +09:00
float *A, *B;
// Initialize random seed
timer_init();
// Allocate vectors
alloc_array(&A, N);
alloc_array(&B, N);
// Set each element to a random value
rand_array(A, N);
rand_array(B, N);
printf("done!\n");
float c = 0.f;
double elapsed_time_sum = 0;
for (int i = 0; i < num_iterations; ++i) {
2022-10-04 21:07:02 +09:00
printf("Calculating...(iter=%d) ", i);
fflush(stdout);
2022-10-04 13:56:31 +09:00
timer_start(0);
if (how == NAIVE) {
c = vectordot_naive(A, B, N);
} else {
c = vectordot_fma(A, B, N);
}
double elapsed_time = timer_stop(0);
printf("%f sec\n", elapsed_time);
elapsed_time_sum += elapsed_time;
}
check_vectordot(A, B, c, N);
double elapsed_time_avg = elapsed_time_sum / num_iterations;
printf("Avg. time: %f sec\n", elapsed_time_avg);
printf("Avg. throughput: %f GFLOPS\n", 2.0 * N / elapsed_time_avg / 1e9);
return 0;
}