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
|
#include <cuda.h>
#include <stdio.h>
#include <stdlib.h>
/*
*
* The functions f2, f3, and f4 operating on x_s are all the same.
* The reason is that *x_s = x_s[] = x_s[4].
* I.e.
* 1) Arrays are Pointers
* 2) There Is No Bound Check On Arrays (x_s[4] = x_s[])
*
*/
template <int nthreads>
__device__ void f2(int idx, float x_s[nthreads])
{
x_s[idx] = 100.f + idx;
}
__device__ void f3(int idx, float *x_s)
{
x_s[idx] = 200.f + idx;
}
__device__ void f4(int idx, float x_s[])
{
x_s[idx] = 300.f + idx;
}
template <int nthreads>
__global__ void f1(float *x_d)
{
int idx = blockIdx.x * blockDim.x + threadIdx.x;
__shared__ float x_s[nthreads];
x_s[idx] = x_d[idx];
__syncthreads();
printf("%i %.2e %.2e\n", idx, x_d[idx], x_s[idx]);
// These all do the same!
f2 <nthreads> (idx, x_s);
f3(idx, x_s);
f4(idx, x_s);
__syncthreads();
if(idx==0) {
printf("\n");
}
__syncthreads();
printf("%i %.2e %.2e\n", idx, x_d[idx], x_s[idx]);
}
int main()
{
float *x_h, *x_d;
int nx = 4;
// allocate, copy
cudaSetDevice(0);
x_h = (float *) malloc(sizeof(float)*nx);
for(int ii=0; ii<nx; ii++) {
x_h[ii] = ii;
printf("%i %.2e\n", ii, x_h[ii]);
}
printf("\n");
cudaMalloc((void**) &x_d, sizeof(float)*nx);
cudaMemcpy(x_d, x_h, sizeof(float)*nx, cudaMemcpyHostToDevice);
// run kernel
f1 <4> <<< 1, 4 >>> (x_d);
// free
cudaFree(x_d);
free(x_h);
}
|