我目前正在开展一个项目,在这个项目中,我对最近10到20次测量的输出求平均值。为此,我将最后10个值保存在数组中。右移元素以更新数据。
我用来移动值的代码:
void shiftvals() {
memmove(&val[1], &val[0], (sizeof(val) / sizeof(val[0]))-1);
for (unsigned int i = 0; i < (sizeof(val) / sizeof(val[0])); i++)
{
Serial.print(val[i]);
Serial.print(",");
}
Serial.println();
}
调用函数的代码:
#define ARR_SIZE 10
uint16_t val[ARR_SIZE];
void loop(){
Serial.print("Size of the array:\t");
Serial.println(sizeof(val) / sizeof(val[0]));
shiftvals();
val[0] = (analogRead(A0));
}
现在的问题是最后几个输出将始终为0,即使数组填满了很好。当我增加数组的大小时,空白空间的数量也会增加。
输出:
396,396,381,462,503,195,0,0,0,0,
472,472,396,381,462,247,0,0,0,0,
495,495,472,396,381,206,0,0,0,0,
435,435,495,472,396,125,0,0,0,0,
我很困惑,我在memmove
做错了什么?
答案 0 :(得分:2)
问题出在你的memmove调用上。你的尺码太短了。
void shiftvals() {
memmove(&val[1], &val[0], (sizeof(val) / sizeof(val[0]))-1);
// that was only 9 bytes, but val[] is 20 bytes long.
// ...
}
应该阅读
void shiftvals() {
memmove(&val[1], &val[0], (ARR_SIZE - 1) * sizeof(val[0]));
// ...
}
答案 1 :(得分:2)
以C ++的方式做到:
#include <iostream>
#include <array>
#include <algorithm>
std::array<int,10> val = { 1, 2, 3, 4, 5, 6, 7, 8, 9, 10 };
void shiftVals()
{
std::rotate( begin(val), end(val)-1, end(val));
}
int main()
{
shiftVals();
for(auto v: val ) std::cout << v << " ";
std::cout << "\n";
}
考虑使用全局变量 not 。