Swiftを使用してJSONファイルを読み取る


205

JSONファイルをSwiftに読み込もうとするのに苦労しています。私は2日間の大部分を再検索してさまざまな方法を試しましたが、まだ運がありません。そのため、StackOverFlowにサインアップして、誰かが私を正しい方向に向けられるかどうかを確認しました。

私のJSONファイルはtest.jsonと呼ばれ、以下が含まれています。

{
  "person":[
     {
       "name": "Bob",
       "age": "16",
       "employed": "No"
     },
     {
       "name": "Vinny",
       "age": "56",
       "employed": "Yes"
     }
  ]
}    

ファイルはドキュメントに直接保存され、次のコードを使用してアクセスします。

let file = "test.json"
let dirs : String[] = NSSearchPathForDirectoriesInDomains(
                                                          NSSearchpathDirectory.DocumentDirectory,
                                                          NSSearchPathDomainMask.AllDomainMask,
                                                          true) as String[]

if (dirs != nil) {
    let directories: String[] = dirs
    let dir = directories[0]
    let path = dir.stringByAppendingPathComponent(file)
}

var jsonData = NSData(contentsOfFile:path, options: nil, error: nil)
println("jsonData \(jsonData)" // This prints what looks to be JSON encoded data.

var jsonDict = NSJSONSerialization.JSONObjectWithData(jsonData, options: nil, error: nil) as? NSDictionary

println("jsonDict \(jsonDict)") - This prints nil..... 

JSONファイルを逆シリアル化して、アクセス可能なSwiftオブジェクトに配置する方法について、誰かが正しい方向にプッシュすることができれば、永遠に感謝します!

敬具、

クリヴェンツ。


1
エラーパラメータを使用...
Matthias Bauch

2
実際のコンパイル可能なコードを投稿してください。現状では、pathifスコープ内でのみ表示され、で使用しても未解決ですNSData(contentsOfFile, options, error)。列挙型の名前にもタイプミスがあります。
Kreiri

1
私のAPIはSwift 3用に完全に更新されています:github.com/borchero/WebParsing
borchero

これはキー-> "値": "%LOAD VALUE FROM tmclass.json file%"であり、ファイルから別のJSONを解析する必要があるため、SWIFTでこれをどのように実現できますか?
Mayur Shinde

回答:


287

以下のコードに従ってください:

if let path = NSBundle.mainBundle().pathForResource("test", ofType: "json")
{
    if let jsonData = NSData(contentsOfFile: path, options: .DataReadingMappedIfSafe, error: nil)
    {
        if let jsonResult: NSDictionary = NSJSONSerialization.JSONObjectWithData(jsonData, options: NSJSONReadingOptions.MutableContainers, error: nil) as? NSDictionary
        {
            if let persons : NSArray = jsonResult["person"] as? NSArray
            {
                // Do stuff
            }
        }
     }
}

配列「persons」には、キーパーソンのすべてのデータが含まれます。それをフェッチするためにスルーを反復します。

Swift 4.0:

if let path = Bundle.main.path(forResource: "test", ofType: "json") {
    do {
          let data = try Data(contentsOf: URL(fileURLWithPath: path), options: .mappedIfSafe)
          let jsonResult = try JSONSerialization.jsonObject(with: data, options: .mutableLeaves)
          if let jsonResult = jsonResult as? Dictionary<String, AnyObject>, let person = jsonResult["person"] as? [Any] {
                    // do stuff
          }
      } catch {
           // handle error
      }
}

4
一連のコードを提示するだけでなく、質問で説明されている問題をなぜ/どのように解決するのかを説明すると、より役に立ちます。
マーティンR

こんにちはAbhishek-あなたの答えをありがとう、しかしそれはまだ機能しません。これにより、アプリケーションが以下のエラーでクラッシュします。2014-06-25 16:02:04.146 H&S Capture [4937:131932] ***キャッチされない例外 'NSInvalidArgumentException'によりアプリを終了します。理由: '***- [_NSPlaceholderData initWithContentsOfFile:options:error:]:nil file argument '***最初のコールスタックをスロー:これがなぜなのかについてのアイデアはありますか?jsonDataオプションの場合:(パス、オプション:NSDataReadingOptions.DataReadingMappedIfSafe、エラー:nil)
Krivvenz

ファイルパスが正しくありません。実際には、指定したパスにtest.jsonという名前のファイルはありません。ファイルの正しい場所を確認してください
Abhishek

15
「let jsonData = NSData.dataWithContentsOfFile(path、options:.DataReadingMappedIfSafe、error:nil)」の代わりに「let jsonData = NSData(contentsOfFile:path!)」
tong

7
ただし、この運命のピラミッドの代わりに、ここでguard elseステートメントを使用する方が適切です。
Zonily Jame 2017

140

誰もが探している場合SwiftyJSONの回答:
更新:
についてSwift 3/4

if let path = Bundle.main.path(forResource: "assets/test", ofType: "json") {
    do {
        let data = try Data(contentsOf: URL(fileURLWithPath: path), options: .alwaysMapped)
        let jsonObj = try JSON(data: data)
        print("jsonData:\(jsonObj)")
    } catch let error {
        print("parse error: \(error.localizedDescription)")
    }
} else {
    print("Invalid filename/path.")
}

2
これは私をswiftJSONとcarthageに変えました!おかげで:)
ポールワンド

オブジェクトマッピングが不足していることを発見するためだけに使用しました。次回は別のライブラリを試します
Elazaron

Swift 3でコピーペーストエラーを回避するには、NSDataとNSErrorがData and Errorになりました。
セルバ2016年

私はいくつかの異なる方法を試しましたが、これはSwift 3
crobicha

MacOS 10.6 / iOS 4(!)以降、URLを作成するための追加のステップを回避するためのAPI url(forResource(NS)Bundleあります
vadian

102

Decodableを使用したSwift 4

struct ResponseData: Decodable {
    var person: [Person]
}
struct Person : Decodable {
    var name: String
    var age: String
    var employed: String
}

func loadJson(filename fileName: String) -> [Person]? {
    if let url = Bundle.main.url(forResource: fileName, withExtension: "json") {
        do {
            let data = try Data(contentsOf: url)
            let decoder = JSONDecoder()
            let jsonData = try decoder.decode(ResponseData.self, from: data)
            return jsonData.person
        } catch {
            print("error:\(error)")
        }
    }
    return nil
}

スウィフト3

func loadJson(filename fileName: String) -> [String: AnyObject]? {
    if let url = Bundle.main.url(forResource: fileName, withExtension: "json") {
        do {
            let data = try Data(contentsOf: url)
            let object = try JSONSerialization.jsonObject(with: data, options: .allowFragments)
            if let dictionary = object as? [String: AnyObject] {
                return dictionary
            }
        } catch {
            print("Error!! Unable to parse  \(fileName).json")
        }
    }
    return nil
}

9
これは、新しいドキュメント機能に移動するか、正解としてマークする必要があります。
システム

24

Xcode 8 Swift 3はファイル更新からjsonを読み取ります:

    if let path = Bundle.main.path(forResource: "userDatabseFakeData", ofType: "json") {
        do {
            let jsonData = try NSData(contentsOfFile: path, options: NSData.ReadingOptions.mappedIfSafe)
            do {
                let jsonResult: NSDictionary = try JSONSerialization.jsonObject(with: jsonData as Data, options: JSONSerialization.ReadingOptions.mutableContainers) as! NSDictionary
                if let people : [NSDictionary] = jsonResult["person"] as? [NSDictionary] {
                    for person: NSDictionary in people {
                        for (name,value) in person {
                            print("\(name) , \(value)")
                        }
                    }
                }
            } catch {}
        } catch {}
    }

14

Swift 3.0の更新された名前

Abhishekの回答Druvaの回答に基づく

func loadJson(forFilename fileName: String) -> NSDictionary? {

    if let url = Bundle.main.url(forResource: fileName, withExtension: "json") {
        if let data = NSData(contentsOf: url) {
            do {
                let dictionary = try JSONSerialization.jsonObject(with: data as Data, options: .allowFragments) as? NSDictionary

                return dictionary
            } catch {
                print("Error!! Unable to parse  \(fileName).json")
            }
        }
        print("Error!! Unable to load  \(fileName).json")
    }

    return nil
}

12

Peter Kreinzによって提供された例を簡略化します。Swift 4.2で動作します。

拡張機能:

extension Decodable {
  static func parse(jsonFile: String) -> Self? {
    guard let url = Bundle.main.url(forResource: jsonFile, withExtension: "json"),
          let data = try? Data(contentsOf: url),
          let output = try? JSONDecoder().decode(self, from: data)
        else {
      return nil
    }

    return output
  }
}

モデル例:

struct Service: Decodable {
  let name: String
}

使用例:

/// service.json
/// { "name": "Home & Garden" }

guard let output = Service.parse(jsonFile: "service") else {
// do something if parsing failed
 return
}

// use output if all good

この例は配列でも機能します。

/// services.json
/// [ { "name": "Home & Garden" } ]

guard let output = [Service].parse(jsonFile: "services") else {
// do something if parsing failed
 return
}

// use output if all good

不要なジェネリックを提供しないことに注意してください。したがって、解析の結果をキャストする必要はありません。


10

Swift 2.1の回答(Abhishekに基づく):

    if let path = NSBundle.mainBundle().pathForResource("test", ofType: "json") {
        do {
            let jsonData = try NSData(contentsOfFile: path, options: NSDataReadingOptions.DataReadingMappedIfSafe)
            do {
                let jsonResult: NSDictionary = try NSJSONSerialization.JSONObjectWithData(jsonData, options: NSJSONReadingOptions.MutableContainers) as! NSDictionary
                if let people : [NSDictionary] = jsonResult["person"] as? [NSDictionary] {
                    for person: NSDictionary in people {
                        for (name,value) in person {
                            print("\(name) , \(value)")
                        }
                    }
                }
            } catch {}
        } catch {}
    }

10

Swift 3.0、Xcode 8、iOS 10

 if let path = Bundle.main.url(forResource: "person", withExtension: "json") {

        do {
            let jsonData = try Data(contentsOf: path, options: .mappedIfSafe)
            do {
                if let jsonResult = try JSONSerialization.jsonObject(with: jsonData, options: JSONSerialization.ReadingOptions(rawValue: 0)) as? NSDictionary {
                    if let personArray = jsonResult.value(forKey: "person") as? NSArray {
                        for (_, element) in personArray.enumerated() {
                            if let element = element as? NSDictionary {
                                let name = element.value(forKey: "name") as! String
                                let age = element.value(forKey: "age") as! String
                                let employed = element.value(forKey: "employed") as! String
                                print("Name: \(name),  age: \(age), employed: \(employed)")
                            }
                        }
                    }
                }
            } catch let error as NSError {
                print("Error: \(error)")
            }
        } catch let error as NSError {
            print("Error: \(error)")
        }
    }

出力:

Name: Bob,  age: 16, employed: No
Name: Vinny,  age: 56, employed: Yes

7

これは私とうまくいきました

func readjson(fileName: String) -> NSData{

    let path = NSBundle.mainBundle().pathForResource(fileName, ofType: "json")
    let jsonData = NSData(contentsOfMappedFile: path!)

    return jsonData!
}

7

これがSwiftyJSONを使用した私の解決策です

if let path : String = NSBundle.mainBundle().pathForResource("filename", ofType: "json") {
    if let data = NSData(contentsOfFile: path) {

        let json = JSON(data: data)

    }
}

7
fileprivate class BundleTargetingClass {}
func loadJSON<T>(name: String) -> T? {
  guard let filePath = Bundle(for: BundleTargetingClass.self).url(forResource: name, withExtension: "json") else {
    return nil
  }

  guard let jsonData = try? Data(contentsOf: filePath, options: .mappedIfSafe) else {
    return nil
  }

  guard let json = try? JSONSerialization.jsonObject(with: jsonData, options: .allowFragments) else {
    return nil
  }

  return json as? T
}

👆🏻コピー&ペースト対応のサードパーティフレームワークに依存しないソリューション。

使い方usage

let json:[[String : AnyObject]] = loadJSON(name: "Stations")!


これは私のために働いた。検索可能な薬剤のリストをアプリにハードコーディングする必要がありました。mySQLデータベースからjsonファイルを取得しました。viewDidLoadで上で実行しているXCODEプロジェクトにjsonファイルをドロップしましたが、json辞書がありました!!!
ブライアン

5

ここでは、テストバンドルからリソースをロードすることを目的としたものがないため、別の答えを提供します。JSONを出力するリモートサービスを使用していて、実際のサービスにヒットすることなく結果の解析を単体テストする場合は、1つ以上の応答を取得して、プロジェクトのTestsフォルダー内のファイルに配置します。

func testCanReadTestJSONFile() {
    let path = NSBundle(forClass: ForecastIOAdapterTests.self).pathForResource("ForecastIOSample", ofType: "json")
    if let jsonData = NSData(contentsOfFile:path!) {
        let json = JSON(data: jsonData)
        if let currentTemperature = json["currently"]["temperature"].double {
            println("json: \(json)")
            XCTAssertGreaterThan(currentTemperature, 0)
        }
    }
}

これもSwiftyJSONを使用しますが、テストバンドルを取得してファイルをロードするコアロジックが質問に対する答えです。


5

Swift 4:私の解決策を試してください:

test.json

{
    "person":[
        {
            "name": "Bob",
            "age": "16",
            "employed": "No"
        },
        {
            "name": "Vinny",
            "age": "56",
            "employed": "Yes"
        }
    ]
}

RequestCodable.swift

import Foundation

struct RequestCodable:Codable {
    let person:[PersonCodable]
}

PersonCodable.swift

import Foundation

struct PersonCodable:Codable {
    let name:String
    let age:String
    let employed:String
}

Decodable + FromJSON.swift

import Foundation

extension Decodable {

    static func fromJSON<T:Decodable>(_ fileName: String, fileExtension: String="json", bundle: Bundle = .main) throws -> T {
        guard let url = bundle.url(forResource: fileName, withExtension: fileExtension) else {
            throw NSError(domain: NSURLErrorDomain, code: NSURLErrorResourceUnavailable)
        }

        let data = try Data(contentsOf: url)

        return try JSONDecoder().decode(T.self, from: data)
    }
}

例:

let result = RequestCodable.fromJSON("test") as RequestCodable?

result?.person.compactMap({ print($0) }) 

/*
PersonCodable(name: "Bob", age: "16", employed: "No")
PersonCodable(name: "Vinny", age: "56", employed: "Yes")
*/

1
あなたのfromJSON拡張機能は、スロー、まだ例では、あなたはせずにそれを呼び出すtryキーワード。このコードはコンパイルされません。
NeverwinterMoon

また、fromJSONDecodable拡張機能を使用しているにもかかわらず、Decodable型の情報を使用せず、追加の(完全に役に立たない)ジェネリックを提供している。
NeverwinterMoon

3

最新のSwift 3.0は完全に機能しています

func loadJson(filename fileName: String) -> [String: AnyObject]?
{
    if let url = Bundle.main.url(forResource: fileName, withExtension: "json") 
{
      if let data = NSData(contentsOf: url) {
          do {
                    let object = try JSONSerialization.jsonObject(with: data as Data, options: .allowFragments)
                    if let dictionary = object as? [String: AnyObject] {
                        return dictionary
                    }
                } catch {
                    print("Error!! Unable to parse  \(fileName).json")
                }
            }
            print("Error!! Unable to load  \(fileName).json")
        }
        return nil
    }

3

スウィフト4 JSONClassDecodable -クラスを好む人のために

クラスを次のように定義します。

class People: Decodable {
  var person: [Person]?

  init(fileName : String){
    // url, data and jsonData should not be nil
    guard let url = Bundle.main.url(forResource: fileName, withExtension: "json") else { return }
    guard let data = try? Data(contentsOf: url) else { return }
    guard let jsonData = try? JSONDecoder().decode(People.self, from: data) else { return }

    // assigns the value to [person]
    person = jsonData.person
  }
}

class Person : Decodable {
  var name: String
  var age: String
  var employed: String
}

使い方、かなり抽象的な:

let people = People(fileName: "people")
let personArray = people.person

これによりPeoplePersonクラスと変数(属性)の両方のメソッド、およびprivate必要に応じてメソッドをマークできます。


3

次のコードは私のために働きます。私はSwift 5を使用しています

let path = Bundle.main.path(forResource: "yourJSONfileName", ofType: "json")
var jsonData = try! String(contentsOfFile: path!).data(using: .utf8)!

次に、Person Struct(またはクラス)がDecodable(およびそのすべてのプロパティ)である場合、次のように簡単に実行できます。

let person = try! JSONDecoder().decode(Person.self, from: jsonData)

コードを読みやすくするために、すべてのエラー処理コードを回避しました。


2

最も安全な方法でSwift 3用に更新

    private func readLocalJsonFile() {

    if let urlPath = Bundle.main.url(forResource: "test", withExtension: "json") {

        do {
            let jsonData = try Data(contentsOf: urlPath, options: .mappedIfSafe)

            if let jsonDict = try JSONSerialization.jsonObject(with: jsonData, options: .mutableContainers) as? [String: AnyObject] {

                if let personArray = jsonDict["person"] as? [[String: AnyObject]] {

                    for personDict in personArray {

                        for (key, value) in personDict {

                            print(key, value)
                        }
                        print("\n")
                    }
                }
            }
        }

        catch let jsonError {
            print(jsonError)
        }
    }
}

ここに画像の説明を入力してください


2

Swift 5.1、Xcode 11

あなたはこれを使うことができます:


struct Person : Codable {
    let name: String
    let lastName: String
    let age: Int
}

func loadJson(fileName: String) -> Person? {
   let decoder = JSONDecoder()
   guard
        let url = Bundle.main.url(forResource: fileName, withExtension: "json"),
        let data = try? Data(contentsOf: url),
        let person = try? decoder.decode(Person.self, from: data)
   else {
        return nil
   }

   return person
}

1

Abhishekの回答に基づくと、iOS 8の場合は次のようになります。

let masterDataUrl: NSURL = NSBundle.mainBundle().URLForResource("masterdata", withExtension: "json")!
let jsonData: NSData = NSData(contentsOfURL: masterDataUrl)!
let jsonResult: NSDictionary = NSJSONSerialization.JSONObjectWithData(jsonData, options: nil, error: nil) as! NSDictionary
var persons : NSArray = jsonResult["person"] as! NSArray

Swift 2.0を使用していますか?そう、そうです。これは2.0より前の回答です。
David Poxon、2016

1

これはXCode 8.3.3で私のために働きました

func fetchPersons(){

    if let pathURL = Bundle.main.url(forResource: "Person", withExtension: "json"){

        do {

            let jsonData = try Data(contentsOf: pathURL, options: .mappedIfSafe)

            let jsonResult = try JSONSerialization.jsonObject(with: jsonData, options: .mutableContainers) as! [String: Any]
            if let persons = jsonResult["person"] as? [Any]{

                print(persons)
            }

        }catch(let error){
            print (error.localizedDescription)
        }
    }
}

1

Swift 4.1がXcode 9.2を更新

if let filePath = Bundle.main.path(forResource: "fileName", ofType: "json"), let data = NSData(contentsOfFile: filePath) {

     do {
      let json = try JSONSerialization.jsonObject(with: data as Data, options: JSONSerialization.ReadingOptions.allowFragments)        
        }
     catch {
                //Handle error
           }
 }

3
新しいものはまったくなく、まったく逆ですNSData。Swift3以降で.allowFragmentsは使用しないでください。この場合は無意味です。
バディアン

1
//change type based on your struct and right JSON file

let quoteData: [DataType] =
    load("file.json")

func load<T: Decodable>(_ filename: String, as type: T.Type = T.self) -> T {
    let data: Data

    guard let file = Bundle.main.url(forResource: filename, withExtension: nil)
        else {
            fatalError("Couldn't find \(filename) in main bundle.")
    }

    do {
        data = try Data(contentsOf: file)
    } catch {
        fatalError("Couldn't load \(filename) from main bundle:\n\(error)")
    }

    do {
        let decoder = JSONDecoder()
        return try decoder.decode(T.self, from: data)
    } catch {
        fatalError("Couldn't parse \(filename) as \(T.self):\n\(error)")
    }
}


0

以下のコードを使用して、プロジェクトディレクトリにあるFAQ-data.jsonファイルからJSONフェッチしました。

私はSwiftを使用してXcode 7.3で実装しています。

     func fetchJSONContent() {
            if let path = NSBundle.mainBundle().pathForResource("FAQ-data", ofType: "json") {

                if let jsonData = NSData(contentsOfFile: path) {
                    do {
                        if let jsonResult: NSDictionary = try NSJSONSerialization.JSONObjectWithData(jsonData, options: NSJSONReadingOptions.MutableContainers) as? NSDictionary {

                            if let responseParameter : NSDictionary = jsonResult["responseParameter"] as? NSDictionary {

                                if let response : NSArray = responseParameter["FAQ"] as? NSArray {
                                    responseFAQ = response
                                    print("response FAQ : \(response)")
                                }
                            }
                        }
                    }
                    catch { print("Error while parsing: \(error)") }
                }
            }
        }

override func viewWillAppear(animated: Bool) {
        fetchFAQContent()
    }

JSONファイルの構造:

{
    "status": "00",
    "msg": "FAQ List ",
    "responseParameter": {
        "FAQ": [
            {                
                "question":Question No.1 here”,
                "answer":Answer goes here”,  
                "id": 1
            },
            {                
                "question":Question No.2 here”,
                "answer":Answer goes here”,
                "id": 2
            }
            . . .
        ]
    }
}

0

また、Ray WenderlichのSwift JSONチュートリアルをお勧めします(これは、素晴らしいSwiftyJSONの代替であるGlossもカバーしています)。抜粋(それ自体でポスターに完全に回答するわけではありませんが、この回答の付加価値はリンクなので、-1は使用しないでください):

Objective-Cでは、JSONの解析と逆シリアル化はかなり簡単です。

NSArray *json = [NSJSONSerialization JSONObjectWithData:JSONData
options:kNilOptions error:nil];
NSString *age = json[0][@"person"][@"age"];
NSLog(@"Dani's age is %@", age);

スウィフトでは、解析するとJSONをデシリアライズすることはスウィフトのoptionalsと型の安全性のためにもう少し面倒である[しかしとして]スウィフト2.0の一部guardのステートメントは、ヘルプに導入された入れ子のを取り除くif文:

var json: Array!
do {
  json = try NSJSONSerialization.JSONObjectWithData(JSONData, options: NSJSONReadingOptions()) as? Array
} catch {
  print(error)
}

guard let item = json[0] as? [String: AnyObject],
  let person = item["person"] as? [String: AnyObject],
  let age = person["age"] as? Int else {
    return;
}
print("Dani's age is \(age)")

もちろん、XCode 8.xでは、スペースバーをダブルタップして、「SiriでこのJSONをspace / tab-indentsでデシリアライズしてください」と言うだけです。


0

SWIFTYJSONバージョンSWIFT 3

func loadJson(fileName: String) -> JSON {

    var dataPath:JSON!

    if let path : String = Bundle.main.path(forResource: fileName, ofType: "json") {
        if let data = NSData(contentsOfFile: path) {
             dataPath = JSON(data: data as Data)
        }
    }
    return dataPath
}

0

まず、次のようなStrucコードを作成します。

  struct JuzgadosList : Codable {
    var CP : Int
    var TEL : String
    var LOCAL : String
    var ORGANO : String
    var DIR : String
}

変数を宣言します

 var jzdosList = [JuzgadosList]()

メインディレクトリから読み取る

func getJsonFromDirectory() {

        if let path = Bundle.main.path(forResource: "juzgados", ofType: "json") {
            do {
                let data = try Data(contentsOf: URL(fileURLWithPath: path), options: .alwaysMapped)
                let jList = try JSONDecoder().decode([JuzgadosList].self, from: data)
                self.jzdosList = jList

                DispatchQueue.main.async() { () -> Void in
                    self.tableView.reloadData()
                }

            } catch let error {
                print("parse error: \(error.localizedDescription)")
            }
        } else {
            print("Invalid filename/path.")
        }
    }

ウェブから読む

func getJsonFromUrl(){

        self.jzdosList.removeAll(keepingCapacity: false)

        print("Internet Connection Available!")

        guard let url = URL(string: "yourURL")  else { return }

        let request = URLRequest(url: url, cachePolicy: URLRequest.CachePolicy.reloadIgnoringLocalCacheData, timeoutInterval: 60.0)
        URLSession.shared.dataTask(with: request) { (data, response, err) in
            guard let data = data else { return }
            do {
                let jList = try JSONDecoder().decode([JuzgadosList].self, from: data)
                self.jzdosList = jList

                DispatchQueue.main.async() { () -> Void in
                    self.tableView.reloadData()
                }
            } catch let jsonErr {
                print("Error serializing json:", jsonErr)
            }
        }.resume()
    }

0

このジェネリック関数を使用する

func readJSONFromFile<T: Decodable>(fileName: String, type: T.Type) -> T? {
    if let url = Bundle.main.url(forResource: fileName, withExtension: "json") {
        do {
            let data = try Data(contentsOf: url)
            let decoder = JSONDecoder()
            let jsonData = try decoder.decode(T.self, from: data)
            return jsonData
        } catch {
            print("error:\(error)")
        }
    }
    return nil
}

このコード行で:

let model = readJSONFromFile(fileName: "Model", type: Model.self)

このタイプの場合:

struct Model: Codable {
    let tall: Int
}
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.