解析JSON Swift下标错误

时间:2015-10-23 20:37:25

标签: ios json swift tableview subscript

我正在尝试在swift中解析一些JSON,并且我收到了'下标'错误。我试图使用AnyObject而不是NSDictinary来无效。相当困难。任何帮助,将不胜感激。这是我的代码:

override func viewDidLoad() {
    super.viewDidLoad()

    splitViewController!.preferredDisplayMode = UISplitViewControllerDisplayMode.AllVisible

    UINavigationBar.appearance().barTintColor = UIColor(red: 52.0/255.0, green: 170.0/255.0, blue: 220.0/255.0, alpha: 1.0)
    UINavigationBar.appearance().tintColor = UIColor.whiteColor()
    UINavigationBar.appearance().titleTextAttributes = [NSForegroundColorAttributeName : UIColor.whiteColor()]


    let url = NSURL(string:"https://www.kimonolabs.com/api/7flcy3qm?apikey=gNq3hB1j0NtBdAvXJLEFx8JaqtDG8y6Y")!
    let session = NSURLSession.sharedSession()

    let task = session.dataTaskWithURL(url) { (data, response, error) -> Void in

        if error != nil {

            print(error)

        } else {

            if let data = data {

             //print(NSString(data: data, encoding: NSUTF8StringEncoding))

                do { let jsonResult = try NSJSONSerialization.JSONObjectWithData(data, options: NSJSONReadingOptions.MutableContainers) as? NSDictionary


                    if jsonResult!.count > 0 {


                        if let items = jsonResult["Date"] as? NSArray {


                            print(items)


                        }




                    }


                } catch {



                }

        }


    }


}


    task.resume()


}

1 个答案:

答案 0 :(得分:0)

好吧,不要咬我的头,但有可能没有"日期"关键在jsonResult?这就是我如何解释"下标"错误。

此外,当我从您正在使用的URL中获取数据时,没有"日期"对象

...以后...

唐,这是我在最近的评论中完成你要求的内容:

// JSONTest
import UIKit

class ViewController: UIViewController {

    // MARK: Properties
    var events: [EventRecord] = []

    // MARK: Types
    struct EventRecord {

        struct Event {
            let href: NSURL?
            let text: String?
        }

        let event: Event
        let hasta: String?
        let location: String?
    }

    // MARK: View lifecycle

    override func viewDidLoad() {
        super.viewDidLoad()

        splitViewController!.preferredDisplayMode = UISplitViewControllerDisplayMode.AllVisible

        UINavigationBar.appearance().barTintColor = UIColor(red: 52.0/255.0, green: 170.0/255.0, blue: 220.0/255.0, alpha: 1.0)
        UINavigationBar.appearance().tintColor = UIColor.whiteColor()
        UINavigationBar.appearance().titleTextAttributes = [NSForegroundColorAttributeName : UIColor.whiteColor()]

        let url = NSURL(string:"https://www.kimonolabs.com/api/7flcy3qm?apikey=gNq3hB1j0NtBdAvXJLEFx8JaqtDG8y6Y")!
        let session = NSURLSession.sharedSession()

        let task = session.dataTaskWithURL(url) { (data, response, error) -> Void in

            if error != nil {

                print(error)

            } else {

                if let data = data {

                    //print(NSString(data: data, encoding: NSUTF8StringEncoding))

                    do {

                        let jsonResult = try NSJSONSerialization.JSONObjectWithData(data, options: NSJSONReadingOptions.MutableContainers) as? NSDictionary

                        if jsonResult!.count > 0 {

                            if let results = jsonResult!["results"] as? NSDictionary, collection2 = results["collection2"] as? NSArray {

                                for entry in collection2 {
                                    if let dict = entry as? NSDictionary {
                                        self.events.append(self.processEntryDict(dict))
                                    }
                                    else {
                                        // BARF!
                                    }
                                }

                                print("events:\(self.events)")
                            }
                        }
                    } catch {
                        print("In catch block")
                    }
                }
            }
        }

        task.resume()
    }

    // MARK: Helper methods

    /// processEntryDict creates an `EventRecord` from the individual entry passed to the method and returns it to the caller.
    func processEntryDict(entry:  NSDictionary) -> EventRecord {

        // Each object in the "collection2" array is a dictionary of the form:
        //    {
        //        "Event": {
        //            "href": "http://www.vigolowcost.com/event/ceos-e-mares-de-felipe-aranda/?instance_id=31511",
        //            "text": "“Ceos e Mares” de Felipe Aranda"
        //        },
        //        "Hasta": "oct 23 todo el día",
        //        "Location": "Detrás do Marco, Vigo",
        //        "index": 2,
        //        "url": "http://www.vigolowcost.com/agenda/"
        //    },
        //

        let hasta = entry["Hasta"] as? String
        let location = entry["Location"] as? String

        var eventHref: NSURL?
        var eventText: String?

        if let eventDict = entry["Event"] as? NSDictionary {
            if let hrefText = eventDict["href"] as? String {
                eventHref = NSURL(string: hrefText)
            }

            eventText = eventDict["text"] as? String
        }

        let eventRecordEvent = EventRecord.Event(href: eventHref, text: eventText)
        return EventRecord(event: eventRecordEvent, hasta: hasta, location: location)
    }

}

请注意,我添加了一些内容以确保"结果"和"集合2"存在,然后提供一种方法来遍历" collection2。"

中的条目

我现在写的课程更接近我的方式,如果我正在做我认为你想做的事情。虽然,我也会将session.dataTaskWithURL调用的completionHandler拉入自己的方法。

以下是一些需要注意的事项:

  • 我使用// MARK: xxx来隔离功能。这些注释导致Xcode中类标识符下拉列表中的命名分隔符。 (见下文) named dividers screen shot
  • 我创建了一个EventRecord结构来保存有关每个事件的信息。这将使与事件数组交互变得更加容易,因为它现在是Array EventRecordevents个对象。 (名为collection2的属性。)这也允许您自动利用Swift提供的所有严格类型检查。
  • 我使用新的processEntryDict(:)函数处理processEntryDict中的每个条目。这是我尝试使用更短的方法保持代码模块化的另一种方式。这样可以简化测试,维护,文档和故障排除。
  • 声明processEntryDict之前的行是一个特殊标记(注意三个斜杠)。如果您点击int statusCode = urlConnection.getResponseCode(); ,请注意我放在那里的说明。这个东西在Objective-C上非常强大。我不确定它对Swift是否有用。
  • 目前,当您运行程序时,它会将事件数组喷射到调试控制台。显然,你会想要通过事件列表做一些其他事情,但这应该会让你在推进项目方面取得良好的开端。

如果您需要更多帮助,或者您希望我向您解释任何问题,请告诉我。

我要留下" collection2"的第一部分内容的图像。在这里,因为它是一个很好的参考。

screen shot of 'capture2' array