-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathvec.c
116 lines (103 loc) · 2.46 KB
/
vec.c
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
#include <stdio.h>
#define N 100
// generates the n-element sequence by incrementing the start value
// using the step size
void range(double v[], int n, double start, double step) {
for (int i = 0; i < n; i++){
v[i] = start;
start += step;
}
}
// Returns n evenly spaced samples, calculated over the interval [start, stop].
// n >= 0
// for n = 0 return empty array
// for n = 1 return one-element array, with array[0] = start
void linspace(double v[], double start, double stop, int n) {
if (n == 1){
v[0] = start;
return;
}
else if (n == 0){
return;
}
else{
double step = (stop - start) / (n - 1);
for (int i = 0; i < n; i++){
v[i] = start;
start += step;
}
}
}
// multiply each element of v by the value of scalar
void multiply_by_scalar(double v[], int n, double scalar) {
for (int i = 0; i < n; i++){
v[i] *= scalar;
}
}
// add to each element v1[i] value of v2[i]
void add(double v1[], const double v2[], int n) {
for (int i = 0; i < n; i++){
v1[i] += v2[i];
}
}
// calculate and return the dot product of v1 and v2
double dot_product(const double v1[], const double v2[], int n) {
double res = 0;
for (int i = 0; i < n; i++){
res += v1[i] * v2[i];
}
return res;
}
// read double vector of size n
void read_vector(double v[], int n) {
for (int i = 0; i < n; ++i) {
scanf("%lf", &v[i]);
}
}
// print double vector of size n (with 2 significant figures)
void print_vector(const double v[], int n) {
for (int i = 0; i < n; ++i) {
printf("%.2f ", v[i]);
}
printf("\n");
}
int main(void) {
int to_do, n;
double start, stop, step, scalar;
double vector_1[N], vector_2[N];
scanf("%d", &to_do);
scanf("%d", &n);
switch (to_do) {
case 1: // linspace
scanf("%lf %lf", &start, &stop);
linspace(vector_1, start, stop, n);
print_vector(vector_1, n);
break;
case 2: // add
read_vector(vector_1, n);
read_vector(vector_2, n);
add(vector_1, vector_2, n);
print_vector(vector_1, n);
break;
case 3: // dot product
read_vector(vector_1, n);
read_vector(vector_2, n);
printf("%.2f\n", dot_product(vector_1, vector_2, n));
break;
case 4: // multiply by scalar
scanf("%lf", &scalar);
read_vector(vector_1, n);
multiply_by_scalar(vector_1, n, scalar);
print_vector(vector_1, n);
break;
case 5: // range
scanf("%lf %lf", &start, &step);
range(vector_1, n, start, step);
print_vector(vector_1, n);
break;
default:
printf("Unknown operation %d", to_do);
break;
}
return 0;
}