-
Notifications
You must be signed in to change notification settings - Fork 14
/
Copy pathsse.c
111 lines (76 loc) · 2.28 KB
/
sse.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
/*
Exemplo de código SSE utilizando Intel instrinsics e gcc built-in functions
Compile usando:
gcc sse.c -o sse -msse -msse4.2 -O3
http://www.songho.ca/misc/sse/sse.html
https://gcc.gnu.org/onlinedocs/gcc-4.9.2/gcc/X86-Built-in-Functions.html#X86-Built-in-Functions
https://gcc.gnu.org/onlinedocs/gcc-4.9.2/gcc/Vector-Extensions.html#Vector-Extensions
https://software.intel.com/sites/landingpage/IntrinsicsGuide/
https://msdn.microsoft.com/en-us/library/26td21ds.aspx
AVX
https://software.intel.com/en-us/articles/introduction-to-intel-advanced-vector-extensions/
*/
#include <stdio.h>
#include <xmmintrin.h> // SSE (Required to use the __m128, and __m128d type)
#include <emmintrin.h> // SSE2 (Required to use the __m128i type)
#include <pmmintrin.h> // SSE3
#include <smmintrin.h> // SSE4.1
#define VECTOR_SIZE 4
typedef float v4sf __attribute__ ((vector_size(sizeof(float)*VECTOR_SIZE)));
typedef union f4vector
{
v4sf v;
float f[VECTOR_SIZE];
} f4vector;
void add_intel_intrinsics(float *a, float *b, float *c)
{
__m128 va = _mm_load_ps (a);
__m128 vb = _mm_load_ps (b);
__m128 vc = _mm_add_ps (va, vb);
_mm_store_ps(c, vc);
/* Equivalente Assembly
** mov eax, a
** mov edx, b
** mov ecx, c
** movaps xmm0, XMMWORD PTR [eax]
** addps xmm0, XMMWORD PTR [edx]
** movaps XMMWORD PTR [ecx], xmm0
*/
}
v4sf add_gcc_builtin(v4sf a, v4sf b)
{
return __builtin_ia32_addps (a, b);
}
int main (int argc, char *argv[])
{
float *a = (float*)_mm_malloc (sizeof(float) * 4, 16); //aloca um vetor de 16bytes (128bits) alinhado em endereços múltiplos de 16bytes.
float *b = (float*)_mm_malloc (sizeof(float) * 4, 16);
float *c = (float*)_mm_malloc (sizeof(float) * 4, 16);
int i = 0;
for (i = 0; i < 4; ++i) {
a[i] = i;
b[i] = i;
}
printf("Intel SSE\n");
add_intel_intrinsics(a, b, c);
for (i = 0; i < 4; ++i) {
printf("%f\n", c[i]);
}
_mm_free(a);
_mm_free(b);
_mm_free(c);
printf("\nGCC Built-in Functions\n");
v4sf d, e, f;
d = (v4sf){0, 1, 2, 3};
e = (v4sf){0, 1, 2, 3};
f = add_gcc_builtin(d, e);
for (i = 0; i < 4; ++i) {
printf("%f\n", f[i]);
}
printf("\nGCC implicity vectorization\n");
f = d + e;
for (i = 0; i < 4; ++i) {
printf("%f\n", f[i]);
}
return 0;
}