1

我有一个定时器设置,可以触发和读取 iPhone 麦克风输入电平。我有一些 if 语句说明传入的卷是否为“this”,然后将视图背景颜色更改为“this”。

一切正常,但仪表自然会连续 0、1、2、3、4、5,然后以 5、4、3、2、1、0 的相反顺序返回。但是我不希望这种情况发生。当音量试图回落时,我想一直跳回“0”。

所以我所做的是创建两个变量。一个称为“previousValue”,另一个称为“currentValue”,以跟踪它们在我所处的连续级别中的位置 - 然后是最后一个 if 语句,表示如果 previousValue > currentValue(下降)然后跳回“0”。但是,它只是行不通。也许我在这里做错了什么?

一点帮助将不胜感激!谢谢!这是代码,因此您可以更好地了解我想要实现的目标。

我在实现 int previousValue 下面声明了 INT 值;整数当前值;

然后在viewDidLoad中设置一个起点previousValue = 0; 当前值 = 0;

if (meterResults > 0.0) {
    NSLog(@"0");
    self.view.backgroundColor = [UIColor redColor];
    previousValue = currentValue;
    currentValue = 0;
}

if (meterResults > 0.1){
    NSLog(@"1");
    self.view.backgroundColor = [UIColor yellowColor];
    previousValue = currentValue;
    currentValue = 1;
}

if (meterResults > 0.2){
    NSLog(@"2");
    self.view.backgroundColor = [UIColor blueColor];
    previousValue = currentValue;
    currentValue = 2;
}

if (meterResults > 0.3){
    NSLog(@"3");
    self.view.backgroundColor = [UIColor greenColor];
    previousValue = currentValue;
    currentValue = 3;
}

if (meterResults > 0.4){
    NSLog(@"4");
    self.view.backgroundColor = [UIColor purpleColor];
    previousValue = currentValue;
    currentValue = 4;
}

if (previousValue > currentValue) {

    NSLog(@"Hello, don't go in reverse order go straight to Red");

    self.view.backgroundColor = [UIColor redColor];

}
4

2 回答 2

1

Aroth 的回答是对的,但是在你接受建议之后,你仍然会遇到问题。由于您正在对模拟信号进行采样,因此连续测量将大致连续。如果您将当前值更改为零,则在您的代码中读取的下一个值将再次增加,但事实并非如此。

不要对当前值撒谎以使 UI 按您的意愿运行。相反,明确地对您关心的事物建模,即瞬时一阶导数。那会是这样的:

currentValue = (int)floor(meterResults * 10.0);
NSInteger currentFirstDerivative = currentValue - previousValue;
// since the timer repeats at a fixed interval, this difference is like a 1st derivative

if (currentFirstDerivative < 0) {
    // it's going down, make the view red
} else {
    switch (currentValue) {
    case 1:
        // change colors here
        break;
    case 2:
    // and so on
}

// now, for next time
previousValue = currentValue;
于 2013-01-31T06:31:48.283 回答
1

问题是在你的if陈述中,你正在做:

previousValue = currentValue;

所以当然,你最后的比较永远不会评估,true因为它们在那个时候总是相等的。

我建议做类似的事情:

if (previousValue > currentValue) {
    currentValue = 0;
}

...在代码的开头

于 2013-01-31T06:18:23.300 回答