aboutsummaryrefslogtreecommitdiffstats
path: root/gui/templates/2_convolve_overlap_save.cpp
diff options
context:
space:
mode:
authorClyne Sullivan <clyne@bitgloo.com>2020-10-19 21:01:53 -0400
committerClyne Sullivan <clyne@bitgloo.com>2020-10-19 21:01:53 -0400
commitf1ad9796741daa8368f4885bbce360522df24367 (patch)
tree48416337fd661d8a12e90d2d7d8fb6dbbc6aa83b /gui/templates/2_convolve_overlap_save.cpp
parent241a089c39c77345e8e0a0c8a04301ba2271e432 (diff)
gui improvements; code templates
Diffstat (limited to 'gui/templates/2_convolve_overlap_save.cpp')
-rw-r--r--gui/templates/2_convolve_overlap_save.cpp47
1 files changed, 47 insertions, 0 deletions
diff --git a/gui/templates/2_convolve_overlap_save.cpp b/gui/templates/2_convolve_overlap_save.cpp
new file mode 100644
index 0000000..1387d7f
--- /dev/null
+++ b/gui/templates/2_convolve_overlap_save.cpp
@@ -0,0 +1,47 @@
+/**
+ * 2_convolve_overlap_save.cpp
+ * Written by Clyne Sullivan.
+ *
+ * This convolution examples takes an overlap-save approach, where samples from the previous run
+ * are saved so that the overall operation is not interrupted (i.e. the observed output will
+ * transition smoothly between processed "chunks").
+ *
+ * Note that there are still improvements that can be made to the code; for example, notice every
+ * spot where an integer/float conversion is necessary. Operations like these may slow down the
+ * computation.
+ */
+
+adcsample_t *process_data(adcsample_t *samples, unsigned int size)
+{
+ static adcsample_t buffer[SIZE];
+
+ constexpr unsigned int filter_size = 3;
+ float filter[filter_size] = {
+ 0.3333, 0.3333, 0.3333
+ };
+
+ // Keep a buffer of extra samples for overlap-save
+ static adcsample_t prev[filter_size];
+
+ for (int n = 0; n < size; n++) {
+ buffer[n] = 0;
+
+ for (int k = 0; k < filter_size; k++) {
+ int i = n - (filter_size - 1) + k;
+
+ // If i is >= 0, access current sample buffer.
+ // If i is < 0, provide the previous samples from the 'prev' buffer
+ if (i >= 0)
+ buffer[n] += samples[i] * filter[k];
+ else
+ buffer[n] += prev[filter_size - 1 + i] * filter[k];
+ }
+ }
+
+ // Save samples for the next convolution run
+ for (int i = 0; i < filter_size; i++)
+ prev[i] = samples[size - filter_size + i];
+
+ return buffer;
+}
+