3

我有两次存储在 NSDictionary 中。“开始时间”为 22:30,“结束时间”为凌晨 4:00。

我需要弄清楚当前时间是在开始时间之前,在结束时间之前,还是在结束时间之后和下一次开始时间之前。

我确信我让这件事变得比它需要的复杂得多,但在试图掩盖所有可能性时,我完全把自己弄糊涂了。

NSDictionary *noaudio = [[NSUserDefaults standardUserDefaults] objectForKey:@"NoSound"];
NSDateFormatter *tformat = [[NSDateFormatter alloc] init];
[tformat setLocale:[[NSLocale alloc] initWithLocaleIdentifier:@"en_US_POSIX"]];  
[tformat setDateFormat:@"HH:mm"];

date1 = [tformat dateFromString:[noaudio objectForKey:@"start"]];
date2 = [tformat dateFromString:[noaudio objectForKey:@"end"]];
date3 = [NSDate date];

我是否必须同时检查日期 1 和 2 与 3?

感谢您对此提供任何指导。

4

2 回答 2

1

好吧,只有两次没有日期,您只能找出当前时间是否在开始时间和结束时间之间。这是因为,在上面的示例中(开始时间 22:30 和结束时间 04:00)你会在 13:00 返回什么?今天是结束时间之后”(04:00)“开始时间之前”(22:30)。

话虽如此,这是检查当前时间是否在两个日期中指定的时间之间的一种方法。您可以通过将所有内容保留为 NSDate(使用日历操作)来做到这一点,但这会使事情变得更加复杂,因为您必须使用今天的日期和指定的时间来创建新的 NSDate 对象。这不是太难,但除非您在其他地方使用它们,否则没有理由这样做。

// Take a date and return an integer based on the time.
// For instance, if passed a date that contains the time 22:30, return 2230
- (int)timeAsIntegerFromDate:(NSDate *)date {
    NSCalendar *currentCal      = [NSCalendar currentCalendar];
    NSDateComponents *nowComps  = [currentCal components:NSHourCalendarUnit|NSMinuteCalendarUnit fromDate:date];
    return nowComps.hour * 100 + nowComps.minute;
}

// Check to see if the current time is between the two arbitrary times, ignoring the date portion:
- (BOOL)currentTimeIsBetweenTimeFromDate1:(NSDate *)date1 andTimeFromDate2:(NSDate *)date2 {
    int time1     = [self timeAsIntegerFromDate:date1];
    int time2     = [self timeAsIntegerFromDate:date2];
    int nowTime   = [self timeAsIntegerFromDate:[NSDate date]];

    // If the times are the same, we can never be between them
    if (time1 == time2) {
        return NO;
    }

    // Two cases:  
    // 1.  Time 1 is smaller than time 2 which means that they are both on the same day
    // 2.  the reverse (time 1 is bigger than time 2) which means that time 2 is after midnight
    if (time1 < time2) { 
        // Case 1
        if (nowTime > time1) {
            if (nowTime < time2) {
                return YES;
            }
        }
        return NO;
    } else { 
        // Case 2
        if (nowTime > time1 || nowTime < time2) {
            return YES;
        }
        return NO;
    }
}
于 2012-05-19T04:15:21.030 回答
0

为什么不直接将 NSDate 存储在 NSDictionary 中?然后,您可以使用timeIntervalSinceReferenceDateortimeIntervalSince1970得到一个NSTimeInterval(实际上只是一个双精度)并进行简单的比较。

如果您只是有时间,则无法判断它们是否在同一日期,因此我看不到在开始时间在午夜之前并且结束时间在之后的通用解决方案...

无论如何,即使您不能只存储 NSDate(是这种情况吗?时间是否来自某些外部来源?),如果您转换为双精度并仅使用 < 和 >,您的生活会简单得多。

于 2012-05-18T23:43:31.180 回答