Search code examples
swiftnsdatensdateformatter

Convert string to date in Swift


How can I convert this string "2016-04-14T10:44:00+0000" into an NSDate and keep only the year, month, day, hour?

The T in the middle of it really throws off what I am used to when working with dates.


Solution

    • Convert the ISO8601 string to date

        let isoDate = "2016-04-14T10:44:00+0000"
      
        let dateFormatter = DateFormatter()
        dateFormatter.locale = Locale(identifier: "en_US_POSIX") // set locale to reliable US_POSIX
        dateFormatter.dateFormat = "yyyy-MM-dd'T'HH:mm:ssZ"
        let date = dateFormatter.date(from:isoDate)!
      
    • Get the date components for year, month, day and hour from the date

        let calendar = Calendar.current
        let components = calendar.dateComponents([.year, .month, .day, .hour], from: date)
      
    • Finally create a new Date object and strip minutes and seconds

        let finalDate = calendar.date(from:components)
      

    Consider also the convenience formatter ISO8601DateFormatter introduced in iOS 10 / macOS 10.12:

    let isoDate = "2016-04-14T10:44:00+0000"
    
    let dateFormatter = ISO8601DateFormatter()
    let date = dateFormatter.date(from:isoDate)!