-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathbandpass2.c
121 lines (104 loc) · 2.79 KB
/
bandpass2.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
116
117
118
119
120
121
#include <assert.h>
#include <complex.h>
#include <math.h>
#include <string.h>
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
typedef unsigned char sample_t; // 互換性のため、unsigned char型で取り扱う。
void die(char * s) {
perror(s);
exit(1);
}
/* 標本(整数)を複素数へ変換 */
void sample_to_complex(sample_t * s, complex double * X, long n) {
long i;
for (i = 0; i < n; i++) X[i] = s[i];
}
/* 複素数を標本(整数)へ変換. 虚数部分は無視 */
void complex_to_sample(complex double * X, sample_t * s, long n) {
long i;
for (i = 0; i < n; i++) {
s[i] = creal(X[i]);
}
}
/* 高速(逆)フーリエ変換;
w は1のn乗根.
フーリエ変換の場合 偏角 -2 pi / n
逆フーリエ変換の場合 偏角 2 pi / n
xが入力でyが出力.
xも破壊される
*/
void fft_r(complex double * x, complex double * y, long n, complex double w) {
if (n == 1) { y[0] = x[0]; }
else {
complex double W = 1.0;
long i;
for (i = 0; i < n/2; i++) {
y[i] = (x[i] + x[i+n/2]); /* 偶数行 */
y[i+n/2] = W * (x[i] - x[i+n/2]); /* 奇数行 */
W *= w;
}
fft_r(y, x, n/2, w * w);
fft_r(y+n/2, x+n/2, n/2, w * w);
for (i = 0; i < n/2; i++) {
y[2*i] = x[i];
y[2*i+1] = x[i+n/2];
}
}
}
void fft(complex double * x, complex double * y, long n) {
long i;
double arg = 2.0 * M_PI / n;
complex double w = cos(arg) - 1.0j * sin(arg);
fft_r(x, y, n, w);
for (i = 0; i < n; i++) y[i] /= n;
}
void ifft(complex double * y, complex double * x, long n) {
double arg = 2.0 * M_PI / n;
complex double w = cos(arg) + 1.0j * sin(arg);
fft_r(y, x, n, w);
}
int pow2check(long N) {
long n = N;
while (n > 1) {
if (n % 2) return 0;
n = n / 2;
}
return 1;
}
int bandpass(long n, unsigned char *buf) {
if (!pow2check(n)) {
fprintf(stderr, "error : n (%ld) not a power of two\n", n);
exit(1);
}
complex double * X = calloc(sizeof(complex double), n);
complex double * Y = calloc(sizeof(complex double), n);
while (1) {
/* 複素数の配列に変換 */
sample_to_complex(buf, X, n);
/* FFT -> Y */
fft(X, Y, n);
// 周波数の重心を計算
double integral1 = 0;
double integral2 = 0;
for (int l = 0; l < n; ++l) {
integral1 += l * cabs(Y[l]) / n/2;
integral2 += cabs(Y[l]) / n/2;
}
double g_l = integral1/integral2; // 重心
double a = 0.1*g_l;
double b = 1.5*g_l;
for (int l = 0; l < n; ++l) {
if (l >= a && l <= b) Y[l] *= 1.5; // カットした分音量を少し上げる
else Y[l] = 0; // 重心の上下をカット
}
/* IFFT -> Z */
ifft(Y, X, n);
/* 標本の配列に変換 */
complex_to_sample(X, buf, n);
}
free(X);
free(Y);
return 0;
}