0

请查看这段代码,更具体地说是 hourStep 计算。

int h = [[timeArray objectAtIndex:0] intValue];
int m = [[timeArray objectAtIndex:1] intValue];
int s = [[timeArray objectAtIndex:2] intValue];
int mm = [[timeArray objectAtIndex:3] intValue];

NSLog([NSString stringWithFormat:@"time h:%d, m:%d, s:%d, mm:%d", h, m, s, mm]);
//time h:13, m:7, s:55, mm:105

float hourStep1 = m / 60;
float hourStep2 = h + hourStep1;
float hourStep3 = hourStep2 / 24;
float hourStep4 = hourStep3 * 15;

int hour1 = ceil(hourStep4);

NSLog([NSString stringWithFormat:@"hourStep1: %f, hourStep2: %f, hourStep3: %f, hourStep4: %f result: %d", hourStep1, hourStep2, hourStep3, hourStep4, hour1]);
//hourStep1: 0.000000, hourStep2: 13.000000, hourStep3: 0.541667, hourStep4: 8.125000 result: 9

float hourStep5 = ((h + (m / 60)) / 24) * 15; 
NSLog([NSString stringWithFormat:@"hourStep5: %f", hourStep5]);

//hourStep5: 0.000000

我已将计算分解为各个步骤以获得正确答案,但谁能解释为什么 hourStep5 不产生 hourStep4 产生的结果?

4

3 回答 3

2

这是整数除法和浮点除法之间的区别。

这一行:

float hourStep3 = hourStep2 / 24;

计算13.0f / 24结果0.541667f(浮点除法)。

在组合计算中,您只处理整数(中间没有转换为浮点数),所以

(h + (m / 60)) / 24

计算13 / 24等于0(整数除法)。将其更改为

(h + (m / 60)) / 24.0f

你会得到和上面一样的结果。

于 2011-01-25T13:22:43.980 回答
0

在你的行

float hourStep5 = ((h + (m / 60)) / 24) * 15; 

计算在 中进行int,而不是在 中进行float。请注意,在 C 中(因此在 Objective-C 中),首先执行右侧的方程=,而不关心左侧的类型(在本例中为float.)

采用

float hourStep5 = ((h + (m / 60.0)) / 24) * 15; 

反而。

于 2011-01-25T13:21:56.300 回答
0

hourStep5 的整个计算将被视为整数。

尝试将 h 和 m 都转换为该行中的浮点数:

float hourStep5 = (( (float) h + ( (float) m / 60)) / 24) * 15; 
于 2011-01-25T13:24:00.250 回答