Сравнение форматированной даты с текущей - PullRequest
0 голосов
/ 07 июня 2018

Я сравниваю даты из файла с именем "file.txt", чтобы поместить его в табличное представление в виде списка.У меня есть дата в файле в качестве текущей даты в качестве теста в конце.Это читает это, но не признает это как текущую дату.У меня есть форматировщик даты, устанавливающий формат «MM / dd / yyyy».Проверки корректно работают с датами до и после получения текущей даты с телефона.

import UIKit
import GoogleMaps


class SecondViewController: UIViewController, UITableViewDelegate, UITableViewDataSource {

@IBOutlet weak var banner: UIImageView!
@IBOutlet weak var tableView: UITableView!

var arrayMarkers = [GMSMarker]()
var dictMarkers = [String:String]()

override func viewDidLoad() {
    super.viewDidLoad()

    banner.image = #imageLiteral(resourceName: "Branding_Iron_Banner")



    tableView.estimatedRowHeight = 155.0
    tableView.rowHeight = UITableViewAutomaticDimension



    let formatter = DateFormatter()
    formatter.dateFormat = "MM/dd/yyyy"
    let currentDate = Date()

    print(formatter.string(from: currentDate))


    guard let path = Bundle.main.path(forResource: "file", ofType: "txt") else {
        print("File wasn't found")
        return
    }


    let filemgr = FileManager()
    if filemgr.fileExists(atPath: path) {
        print("Found the file to read from!")

    }

    guard let streamReader = StreamReader(path: path) else {
        print("Dang! StreamReader couldn't be created!")
        return
    }

    var lineCounter = 0
    var lat = 0.0
    var log = 0.0
    var address = ""
    var date = ""
    var time = ""
    var snip = ""
    var snip2 = ""
    var same = true
    while !streamReader.atEof {

        guard let nextLine = streamReader.nextLine() else {
            print("Oops! Reached the end before printing!")
            break
        }

        if(lineCounter % 5 == 0) {
            lat = (nextLine as NSString).doubleValue
        }
        else if(lineCounter % 5 == 1) {
            log = (nextLine as NSString).doubleValue
        }
        else if(lineCounter % 5 == 2) {
            address = nextLine
        }
        else if(lineCounter % 5 == 3) {
            date = nextLine

            let fileDate = formatter.date(from: date)


            if (currentDate.compare(fileDate!) == .orderedSame) {
                snip2 = date
                print("Same dates compare with current: \(String(describing: fileDate))")
                same = true
            }
            if(fileDate?.compare(currentDate) == .orderedDescending) {
                print("Date comes after current: \(String(describing: fileDate))")
                snip2 = date
                same = true
            }
            if(fileDate?.compare(currentDate) == .orderedAscending) {
                same = false
            }


        }
        else if(lineCounter % 5 == 4){

            if(same == true) {

                time = nextLine
                let position = CLLocationCoordinate2DMake(lat, log)
                let marker = GMSMarker(position: position)
                marker.title = address
                snip = snip2 + "\n"+time
                marker.snippet = snip
                arrayMarkers.append(marker)
                print("\n\(String(describing: marker.title))")
                same = false


            }
        }

        lineCounter += 1
        print("\(lineCounter): \(nextLine)")
    }


}

override func didReceiveMemoryWarning() {
    super.didReceiveMemoryWarning()
}


func numberOfSections(in tableView: UITableView) -> Int {
    return 1
}

func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {


    return arrayMarkers.count
}

func tableView(_ tableView: UITableView, heightForHeaderInSection section: Int) -> CGFloat {
    return 2
}

func tableView(_ tableView: UITableView, heightForFooterInSection section: Int) -> CGFloat {
    return 2
}

func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {

    let cell = tableView.dequeueReusableCell(withIdentifier: "cell")!


    //print("Inside the assigning of table cells")
    let marker = arrayMarkers[indexPath.row]
    //print(marker.snippet!)

    cell.textLabel?.text = marker.title
    cell.detailTextLabel?.text = marker.snippet
    return cell
}

}

Дата, которая мне нужна из моего файла, отформатирована как «06/07/2018», как и формат дляостальные мои даты в моем файле.

Обновлено с выводом сравнения:

74: 05/30/2018
75: 8:00 am to 5:00 pm
76: 41.313000
77: -105.576195
78: 1513 Fraternity Row

The current date is: 2018-06-08 15:32:22 +0000

The file date is: Optional(2018-06-08 06:00:00 +0000)

Предполагается, что игнорируется время после форматирования.

1 Ответ

0 голосов
/ 08 июня 2018

Проблема в том, что compare в двух Date экземплярах сравнивается с микросекундами.

Ваша строка let currentDate = Date() дает вам точный момент "сейчас" с точностью до микросекунды.

Когда вы читаете файл и создаете Date из строки "MM / dd / yy", вы получаете Date в микросекунду местного времени полуночи на заданную дату.

Так что дажеесли две даты в один и тот же день, одна - текущее время, а другая - полночь по местному времени.

С этим объяснением того, почему это не сработало, вот простое решение.Обновите код сравнения до следующего:

if Calendar.current.isDate(currentDate, inSameDayAs: fileDate!) {
    snip2 = date
    print("Same dates compare with current: \(String(describing: fileDate))")
    same = true
} else if currentDate < fileDate! {
    print("Date comes after current: \(String(describing: fileDate))")
    snip2 = date
    same = true
} else {
    // Not the same or descending so it must be ascending
    same = false
}
...