iphoneobjective-cdatetimeiso8601nstimeinterval

How to parse an ISO-8601 duration in Objective C?


I'm looking for an easy way to parse a string that contains an ISO-8601 duration in Objective C. The result should be something usable like a NSTimeInterval.

An example of an ISO-8601 duration: P1DT13H24M17S, which means 1 day, 13 hours, 24 minutes and 17 seconds.


Solution

  • If you know exactly which fields you'll be getting, you can use one invocation of sscanf():

    const char *stringToParse = ...;
    int days, hours, minutes, seconds;
    NSTimeInterval interval;
    if(sscanf(stringToParse, "P%dDT%dH%dM%sS", &days, &hours, &minutes, &seconds) == 4)
        interval = ((days * 24 + hours) * 60 + minutes) * 60 + seconds;
    else
        ; // handle error, parsing failed
    

    If any of the fields might be omitted, you'll need to be a little smarter in your parsing, e.g.:

    const char *stringToParse = ...;
    int days = 0, hours = 0, minutes = 0, seconds = 0;
    
    const char *ptr = stringToParse;
    while(*ptr)
    {
        if(*ptr == 'P' || *ptr == 'T')
        {
            ptr++;
            continue;
        }
    
        int value, charsRead;
        char type;
        if(sscanf(ptr, "%d%c%n", &value, &type, &charsRead) != 2)
            ;  // handle parse error
        if(type == 'D')
            days = value;
        else if(type == 'H')
            hours = value;
        else if(type == 'M')
            minutes = value;
        else if(type == 'S')
            seconds = value;
        else
            ;  // handle invalid type
    
        ptr += charsRead;
    }
    
    NSTimeInterval interval = ((days * 24 + hours) * 60 + minutes) * 60 + seconds;