Swiftでplistを辞書として取得するにはどうすればよいですか?


197

私はAppleの新しいSwiftプログラミング言語で遊んでいて、いくつかの問題があります...

現在、plistファイルを読み取ろうとしています。Objective-Cでは、次のようにしてNSDictionaryとしてコンテンツを取得します。

NSString *filePath = [[NSBundle mainBundle] pathForResource:@"Config" ofType:@"plist"];
NSDictionary *dict = [[NSDictionary alloc] initWithContentsOfFile:filePath];

Swiftでplistを辞書として取得するにはどうすればよいですか?

私はplistへのパスを取得できると思います:

let path = NSBundle.mainBundle().pathForResource("Config", ofType: "plist")

これが機能するタイミング(正しい場合):コンテンツを辞書として取得するにはどうすればよいですか?

また、より一般的な質問:

デフォルトのNS *クラスを使用しても問題ありませんか?私はそう思う...または私は何かを逃していますか?私が知る限り、デフォルトのフレームワークNS *クラスはまだ有効であり、使用できますか?


回答が無効になりました。アショクの回答を選択してください。
RodolfoAntonici

回答:


51

ではSWIFT 3.0 PLISTから読み取ります。

func readPropertyList() {
        var propertyListFormat =  PropertyListSerialization.PropertyListFormat.xml //Format of the Property List.
        var plistData: [String: AnyObject] = [:] //Our data
        let plistPath: String? = Bundle.main.path(forResource: "data", ofType: "plist")! //the path of the data
        let plistXML = FileManager.default.contents(atPath: plistPath!)!
        do {//convert the data to a dictionary and handle errors.
            plistData = try PropertyListSerialization.propertyList(from: plistXML, options: .mutableContainersAndLeaves, format: &propertyListFormat) as! [String:AnyObject]

        } catch {
            print("Error reading plist: \(error), format: \(propertyListFormat)")
        }
    }

続きを読む SWIFTでプロパティリスト(.PLIST)を使用する方法


アスコク。今日これについてこれに対する答えを見つけようとして何時間ももたなかった!ありがとうございました!!これは完全に機能しました!!!
user3069232 2018年

281

SwiftでもNSDictionariesを使用できます。

Swift 4の場合

 var nsDictionary: NSDictionary?
 if let path = Bundle.main.path(forResource: "Config", ofType: "plist") {
    nsDictionary = NSDictionary(contentsOfFile: path)
 }

Swift 3以降の場合

if let path = Bundle.main.path(forResource: "Config", ofType: "plist"),
   let myDict = NSDictionary(contentsOfFile: path){
    // Use your myDict here
}

そして古いバージョンのSwift

var myDict: NSDictionary?
if let path = NSBundle.mainBundle().pathForResource("Config", ofType: "plist") {
    myDict = NSDictionary(contentsOfFile: path)
}
if let dict = myDict {
    // Use your dict here
}

NSClassesはまだ利用可能で、Swiftでの使用には問題ありません。おそらくすぐにSwiftにフォーカスを移したいと思うかもしれませんが、現在Swift APIはコアNSClassesのすべての機能を備えているわけではありません。


あなたが提供したそのコードを使用しようとすると、エラーが発生します。xxxにはdictという名前のメンバーがありません
KennyVB

遊び場でも問題なく動作します。私の迅速な文書にはありません
KennyVB

配列ならどのように見えますか?
Arnlee Vizcayno 2014

mainBundle()ちょうどmainSwift 3にあるように見えます
BallpointBen 2017年

8
この回答は古くなっています。Swift 3でも、プロパティリストのデータを読み取るために使用すべきではありませんNSArray/NSDictionaryPropertyListSerialization(およびSwift 4ではCodableプロトコル)は適切なAPIです。最新のエラー処理を提供し、データをネイティブのSwiftコレクションタイプに直接変換できます。
バディアン

141

.plistをSwift辞書に変換したい場合は、次のようにします。

if let path = NSBundle.mainBundle().pathForResource("Config", ofType: "plist") {
  if let dict = NSDictionary(contentsOfFile: path) as? Dictionary<String, AnyObject> {
    // use swift dictionary as normal
  }
}

Swift 2.0用に編集:

if let path = NSBundle.mainBundle().pathForResource("Config", ofType: "plist"), dict = NSDictionary(contentsOfFile: path) as? [String: AnyObject] {
    // use swift dictionary as normal
}

Swift 3.0用に編集:

if let path = Bundle.main.path(forResource: "Config", ofType: "plist"), let dict = NSDictionary(contentsOfFile: path) as? [String: AnyObject] {
        // use swift dictionary as normal
}

3
これを行うネイティブの迅速な方法ができるまで、これは束の「最も正しい」答えだと思います。
DudeOnRock 2014年

1
この回答は古くなっています。Swift 3 では、プロパティリストデータを読み取るためにまったく使用すべきではありませんNSArray/NSDictionaryPropertyListSerialization(およびSwift 4ではCodableプロトコル)は適切なAPIです。最新のエラー処理を提供し、データをネイティブのSwiftコレクションタイプに直接変換できます。
バディアン

47

Swift 4.0

Decodableプロトコルを使用して、.plistをカスタム構造体にデコードできるようになりました。基本的な例について説明します。より複雑な.plist構造については、Decodable / Encodableを読むことをお勧めします(優れたリソースはこちらです:https ://benscheirman.com/2017/06/swift-json/ )。

まず、構造体を.plistファイルの形式に設定します。この例では、ルートレベルのディクショナリと3つのエントリを持つ.plistを検討します。1つのキーは「name」、1つのIntはキー「age」、1つのブールはキー「single」です。ここに構造体があります:

struct Config: Decodable {
    private enum CodingKeys: String, CodingKey {
        case name, age, single
    }

    let name: String
    let age: Int
    let single: Bool
}

十分に単純です。今、クールな部分。PropertyListDecoderクラスを使用すると、.plistファイルを簡単に解析して、この構造体のインスタンスを作成できます。

func parseConfig() -> Config {
    let url = Bundle.main.url(forResource: "Config", withExtension: "plist")!
    let data = try! Data(contentsOf: url)
    let decoder = PropertyListDecoder()
    return try! decoder.decode(Config.self, from: data)
}

心配する必要のあるコードはそれほど多くなく、そのすべてがSwiftにあります。さらに良いことに、簡単に使用できるConfig構造体のインスタンスを作成しました。

let config = parseConfig()
print(config.name) 
print(config.age)
print(config.single) 

これは、.plistの「name」、「age」、および「single」キーの値を出力します。


1
それがSwift 4の最良の答えです。しかし、なぜそれBundle.main.url(forResource: "Config", withExtension: "plist")を取り除いて取り除くのURL(fileURLWithPathですか?また、ファイルは(設計/コンパイル時に)存在する必要があるため、すべての値を強制的にラップ解除できます。すべてが適切に設計されていれば、コードがクラッシュしてはなりません。
バディアン

@vadian確かに使用できますurl(forResource: "Config", withExtension: "plist")。比較のポイントとして、OPがコードで実行したことと一致しただけです。すべてを強制的にアンラップする限り、私は注意を怠らないようにします。これは、Swift全体の基本的な問題だと思います。私はむしろ、クラッシュ以外の状況で私のコードが何をするかを正確に知りたいです。
ekreloff

1)より適切なAPIがある場合は、悪い習慣を採用しないでください。2)これは、強制クラッシュによって設計エラーが発見される数少ないケースの1つです。バンドル内のすべてのファイルはコンパイル時に存在する必要があり、すべてのファイルがコード署名されているため、実行時に変更できません。ここでも、すべてが適切に設計されていれば、コードがクラッシュしてはなりません
バディアン

ええ、あなたはあなたの権利を知っています。Bundleリソースの場合がそうであることを理解していませんでした。
ekreloff

2
@NaveenGeorgeThoppanこの例をディクショナリとして使用する場合、それは単純ですdecoder.decode([Config].self, from: data)。([Config]の前後の括弧に注意してください)
ekreloff '11

22

この回答では、NSDictionaryではなくSwiftネイティブオブジェクトを使用しています。

Swift 3.0

//get the path of the plist file
guard let plistPath = Bundle.main.path(forResource: "level1", ofType: "plist") else { return }
//load the plist as data in memory
guard let plistData = FileManager.default.contents(atPath: plistPath) else { return }
//use the format of a property list (xml)
var format = PropertyListSerialization.PropertyListFormat.xml
//convert the plist data to a Swift Dictionary
guard let  plistDict = try! PropertyListSerialization.propertyList(from: plistData, options: .mutableContainersAndLeaves, format: &format) as? [String : AnyObject] else { return }
//access the values in the dictionary 
if let value = plistDict["aKey"] as? String {
  //do something with your value
  print(value)
}
//you can also use the coalesce operator to handle possible nil values
var myValue = plistDict["aKey"] ?? ""

これの簡潔なバージョンはありますか?
harsh_v 2017年

18

私はSwift 3.0を使用しており、更新された構文の回答を提供したいと考えていました。さらに、そしておそらくもっと重要なことに、PropertyListSerializationを使用していますオブジェクトを使用して重い作業を行っています。これは、NSDictionaryを使用するよりもはるかに柔軟で、plistのルートタイプとして配列を使用できます。

以下は、使用しているplistのスクリーンショットです。それは少し利用可能な電力を表示するように、複雑な、しかしこれはplistの種類のいずれかの許容の組み合わせのために動作します。

サンプルplistファイル ご覧のとおり、私はString:String辞書の配列を使用して、Webサイト名とそれに対応するURLのリストを格納しています。

上で述べたように、私はPropertyListSerializationオブジェクトを使用して、手間のかかる作業を行っています。さらに、Swift 3.0はより「Swifty」になり、すべてのオブジェクト名が「NS」プレフィックスを失いました。

let path = Bundle.main().pathForResource("DefaultSiteList", ofType: "plist")!
let url = URL(fileURLWithPath: path)
let data = try! Data(contentsOf: url)
let plist = try! PropertyListSerialization.propertyList(from: data, options: .mutableContainers, format: nil)

上記のコードの実行には、後にplist型になりますArray<AnyObject>が、我々は、我々は正しい型にキャストすることができますので、それは本当にあるタイプか知っています:

let dictArray = plist as! [[String:String]]
// [[String:String]] is equivalent to Array< Dictionary<String, String> >

これで、String:Stringディクショナリの配列のさまざまなプロパティに自然な方法でアクセスできます。それらを実際に強く型付けされた構造体またはクラスに変換することを願っています;)

print(dictArray[0]["Name"])

8

ネイティブ辞書と配列は、swiftでの使用向けに最適化されているため、使用するのが最適です。そうは言っても、NS ...クラスを迅速に使用できると私は思います。これを実装する方法は次のとおりです。

var path = NSBundle.mainBundle().pathForResource("Config", ofType: "plist")
var dict = NSDictionary(contentsOfFile: path)

これまでのところ(私の意見では)これはplistにアクセスする最も簡単で効率的な方法ですが、将来的にはAppleが(plistの使用などの)より多くの機能をネイティブ辞書に追加することを期待しています。


あなたが知る限り、ネイティブ辞書にplistの読み取りを追加することはすでに行われていますか?
SpacyRicochet 2015年

8

Swift-plistとテキストファイルの読み取り/書き込み...

override func viewDidLoad() {
    super.viewDidLoad()

    let fileManager = (NSFileManager .defaultManager())
    let directorys : [String]? = NSSearchPathForDirectoriesInDomains(NSSearchPathDirectory.DocumentDirectory,NSSearchPathDomainMask.AllDomainsMask, true) as? [String]

    if (directorys != nil){
        let directories:[String] = directorys!;
        let dictionary = directories[0]; //documents directory


        //  Create and insert the data into the Plist file  ....
        let plistfile = "myPlist.plist"
        var myDictionary: NSMutableDictionary = ["Content": "This is a sample Plist file ........."]
        let plistpath = dictionary.stringByAppendingPathComponent(plistfile);

        if !fileManager .fileExistsAtPath(plistpath){//writing Plist file
            myDictionary.writeToFile(plistpath, atomically: false)
        }
        else{            //Reading Plist file
            println("Plist file found")

            let resultDictionary = NSMutableDictionary(contentsOfFile: plistpath)
            println(resultDictionary?.description)
        }


        //  Create and insert the data into the Text file  ....
        let textfile = "myText.txt"
        let sampleText = "This is a sample text file ......... "

        let textpath = dictionary.stringByAppendingPathComponent(textfile);
        if !fileManager .fileExistsAtPath(textpath){//writing text file
            sampleText.writeToFile(textpath, atomically: false, encoding: NSUTF8StringEncoding, error: nil);
        } else{
            //Reading text file
            let reulttext  = String(contentsOfFile: textpath, encoding: NSUTF8StringEncoding, error: nil)
            println(reulttext)
        }
    }
    else {
        println("directory is empty")
    }
}

8

Swift 2.0:Info.Plistへのアクセス

Info.Plistにブール値を持つCoachMarksDictionaryという名前のディクショナリがあります。bool値にアクセスしてそれをtrueにしたい。

let path = NSBundle.mainBundle().pathForResource("Info", ofType: "plist")!
  let dict = NSDictionary(contentsOfFile: path) as! [String: AnyObject]

  if let CoachMarksDict = dict["CoachMarksDictionary"] {
       print("Info.plist : \(CoachMarksDict)")

   var dashC = CoachMarksDict["DashBoardCompleted"] as! Bool
    print("DashBoardCompleted state :\(dashC) ")
  }

Plistへの書き込み:

カスタムPlistから:-(File-New-File-Resource-PropertyListから作成。DashBoard_New、DashBoard_Draft、DashBoard_Completedという名前の3つの文字列を追加)

func writeToCoachMarksPlist(status:String?,keyName:String?)
 {
  let path1 = NSBundle.mainBundle().pathForResource("CoachMarks", ofType: "plist")
  let coachMarksDICT = NSMutableDictionary(contentsOfFile: path1!)! as NSMutableDictionary
  var coachMarksMine = coachMarksDICT.objectForKey(keyName!)

  coachMarksMine  = status
  coachMarksDICT.setValue(status, forKey: keyName!)
  coachMarksDICT.writeToFile(path1!, atomically: true)
 }

メソッドは次のように呼び出すことができます

self.writeToCoachMarksPlist(" true - means user has checked the marks",keyName: "the key in the CoachMarks dictionary").

これは私が探していたものです!ありがとう!
Jayprakash Dubey

6

ニックの答えによって便利な拡張機能に変換されます:

extension Dictionary {
    static func contentsOf(path: URL) -> Dictionary<String, AnyObject> {
        let data = try! Data(contentsOf: path)
        let plist = try! PropertyListSerialization.propertyList(from: data, options: .mutableContainers, format: nil)

        return plist as! [String: AnyObject]
    }
}

使用法:

let path = Bundle.main.path(forResource: "plistName", ofType: "plist")!
let url = URL(fileURLWithPath: path)
let dict = Dictionary<String, AnyObject>.contentsOf(path: url)

Arraysに同様の拡張機能を作成することもできると思います。


5

実際には1行でそれを行うことができます

    var dict = NSDictionary(contentsOfFile: NSBundle.mainBundle().pathForResource("Config", ofType: "plist"))

5

次の方法で、SWIFT言語のplistを読むことができます。

let path = NSBundle.mainBundle().pathForResource("PriceList", ofType: "plist")
let dict = NSDictionary(contentsOfFile: path)

単一の辞書の値を読み取ります:

let test: AnyObject = dict.objectForKey("index1")

plistで完全な多次元辞書を取得したい場合:

let value: AnyObject = dict.objectForKey("index2").objectForKey("date")

ここにplistがあります:

<plist version="1.0">
<dict>
<key>index2</key>
<dict>
    <key>date</key>
    <string>20140610</string>
    <key>amount</key>
    <string>110</string>
</dict>
<key>index1</key>
<dict>
    <key>amount</key>
    <string>125</string>
    <key>date</key>
    <string>20140212</string>
</dict>
</dict>
</plist>

5

この答えはまだないので、指摘したいのは、infoDictionaryプロパティを使用して、info plistを辞書として取得することもできますBundle.main.infoDictionary

以下のようなものががBundle.main.object(forInfoDictionaryKey: kCFBundleNameKey as String) ありますが、情報のplist内の特定の項目にのみ興味があるなら早くなります。

// Swift 4

// Getting info plist as a dictionary
let dictionary = Bundle.main.infoDictionary

// Getting the app display name from the info plist
Bundle.main.infoDictionary?[kCFBundleNameKey as String]

// Getting the app display name from the info plist (another way)
Bundle.main.object(forInfoDictionaryKey: kCFBundleNameKey as String)

3

私の場合は私が作成NSDictionaryと呼ばれappSettings、すべての必要なキーを追加します。この場合、解決策は次のとおりです。

if let dict = NSBundle.mainBundle().objectForInfoDictionaryKey("appSettings") {
  if let configAppToken = dict["myKeyInsideAppSettings"] as? String {

  }
}

ありがとう。objectForInfoDictionaryKeyまさに私が探していたものでした。
LunaCodeGirl 2016年

2

あなたはそれを使うことができます、私はgithub https://github.com/DaRkD0G/LoadExtensionにディクショナリの簡単な拡張機能を作成します

extension Dictionary {
    /**
        Load a Plist file from the app bundle into a new dictionary

        :param: File name
        :return: Dictionary<String, AnyObject>?
    */
    static func loadPlistFromProject(filename: String) -> Dictionary<String, AnyObject>? {

        if let path = NSBundle.mainBundle().pathForResource("GameParam", ofType: "plist") {
            return NSDictionary(contentsOfFile: path) as? Dictionary<String, AnyObject>
        }
        println("Could not find file: \(filename)")
        return nil
    }
}

そして、あなたはそれをロードに使うことができます

/**
  Example function for load Files Plist

  :param: Name File Plist
*/
func loadPlist(filename: String) -> ExampleClass? {
    if let dictionary = Dictionary<String, AnyObject>.loadPlistFromProject(filename) {
        let stringValue = (dictionary["name"] as NSString)
        let intergerValue = (dictionary["score"] as NSString).integerValue
        let doubleValue = (dictionary["transition"] as NSString).doubleValue

        return ExampleClass(stringValue: stringValue, intergerValue: intergerValue, doubleValue: doubleValue)
    }
    return nil
}

2

@connorの回答に基づいた、少し短いバージョンです

guard let path = Bundle.main.path(forResource: "GoogleService-Info", ofType: "plist"),
    let myDict = NSDictionary(contentsOfFile: path) else {
    return nil
}

let value = dict.value(forKey: "CLIENT_ID") as! String?

2

Swift 3.0

if let path = Bundle.main.path(forResource: "config", ofType: "plist") {
    let dict = NSDictionary(contentsOfFile: path)

    // use dictionary
}

私の意見では、これを行う最も簡単な方法です。


2

Dictionary代わる単純な初期化子を作成しましたNSDictionary(contentsOfFile: path)。だけを削除しNSます。

extension Dictionary where Key == String, Value == Any {

    public init?(contentsOfFile path: String) {
        let url = URL(fileURLWithPath: path)

        self.init(contentsOfURL: url)
    }

    public init?(contentsOfURL url: URL) {
        guard let data = try? Data(contentsOf: url),
            let dictionary = (try? PropertyListSerialization.propertyList(from: data, options: [], format: nil) as? [String: Any]) ?? nil
            else { return nil }

        self = dictionary
    }

}

次のように使用できます。

let filePath = Bundle.main.path(forResource: "Preferences", ofType: "plist")!
let preferences = Dictionary(contentsOfFile: filePath)!
UserDefaults.standard.register(defaults: preferences)

2

上記のhttps://stackoverflow.com/users/3647770/ashok-rの回答に基づいて、Swift 4.0 iOS 11.2.6で解析されたリストとそれを解析するためのコード。

<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
<plist version="1.0">
<array>
  <dict>
    <key>identity</key>
    <string>blah-1</string>
    <key>major</key>
    <string>1</string>
    <key>minor</key>
    <string>1</string>
    <key>uuid</key>
    <string>f45321</string>
    <key>web</key>
    <string>http://web</string>
</dict>
<dict>
    <key>identity</key>
    <string></string>
    <key>major</key>
    <string></string>
    <key>minor</key>
    <string></string>
    <key>uuid</key>
    <string></string>
    <key>web</key>
    <string></string>
  </dict>
</array>
</plist>

do {
   let plistXML = try Data(contentsOf: url)
    var plistData: [[String: AnyObject]] = [[:]]
    var propertyListFormat =  PropertyListSerialization.PropertyListFormat.xml
        do {
            plistData = try PropertyListSerialization.propertyList(from: plistXML, options: .mutableContainersAndLeaves, format: &propertyListFormat) as! [[String:AnyObject]]

        } catch {
            print("Error reading plist: \(error), format: \(propertyListFormat)")
        }
    } catch {
        print("error no upload")
    }

1

ステップ1:Swift 3以降でplistを解析するためのシンプルで最速の方法

extension Bundle {

    func parsePlist(ofName name: String) -> [String: AnyObject]? {

        // check if plist data available
        guard let plistURL = Bundle.main.url(forResource: name, withExtension: "plist"),
            let data = try? Data(contentsOf: plistURL)
            else {
                return nil
        }

        // parse plist into [String: Anyobject]
        guard let plistDictionary = try? PropertyListSerialization.propertyList(from: data, options: [], format: nil) as? [String: AnyObject] else {
            return nil
        }

        return plistDictionary
    }
}

ステップ2:使用方法:

Bundle().parsePlist(ofName: "Your-Plist-Name")

0

これが私が見つけた解決策です:

let levelBlocks = NSDictionary(contentsOfFile: NSBundle.mainBundle().pathForResource("LevelBlocks", ofType: "plist"))
let test: AnyObject = levelBlocks.objectForKey("Level1")
println(test) // Prints the value of test

私はの種類セットtestにしAnyObject発生する可能性があり、予期せぬ推論に関する警告を黙らせます。

また、クラスメソッドで行う必要があります。

既知のタイプの特定の値にアクセスして保存するには:

let value = levelBlocks.objectForKey("Level1").objectForKey("amount") as Int
println(toString(value)) // Converts value to String and prints it

0

私は迅速な辞書を使用していますが、ファイルマネージャークラスのNSDictionariesとの間で次のように変換しています。

    func writePlist(fileName:String, myDict:Dictionary<String, AnyObject>){
        let docsDir:String = dirPaths[0] as String
        let docPath = docsDir + "/" + fileName
        let thisDict = myDict as NSDictionary
        if(thisDict.writeToFile(docPath, atomically: true)){
            NSLog("success")
        } else {
            NSLog("failure")
        }

    }
    func getPlist(fileName:String)->Dictionary<String, AnyObject>{
        let docsDir:String = dirPaths[0] as String
        let docPath = docsDir + "/" + fileName
        let thisDict = NSDictionary(contentsOfFile: docPath)
        return thisDict! as! Dictionary<String, AnyObject>
    }

これは読み書きの最も厄介な方法のようですが、コードの残りの部分は可能な限り迅速なままにしておきましょう。


0

Plistは、プロパティリストを操作するために作成した単純なSwift列挙型です。

// load an applications info.plist data

let info = Plist(NSBundle.mainBundle().infoDictionary)
let identifier = info["CFBundleIndentifier"].string!

その他の例:

import Plist

// initialize using an NSDictionary
// and retrieve keyed values

let info = Plist(dict)
let name = info["name"].string ?? ""
let age = info["age"].int ?? 0


// initialize using an NSArray
// and retrieve indexed values

let info = Plist(array)
let itemAtIndex0 = info[0].value


// utility initiaizer to load a plist file at specified path
let info = Plist(path: "path_to_plist_file")

// we support index chaining - you can get to a dictionary from an array via
// a dictionary and so on
// don't worry, the following will not fail with errors in case
// the index path is invalid
if let complicatedAccessOfSomeStringValueOfInterest = info["dictKey"][10]["anotherKey"].string {
  // do something
}
else {
  // data cannot be indexed
}

// you can also re-use parts of a plist data structure

let info = Plist(...)
let firstSection = info["Sections"][0]["SectionData"]
let sectionKey = firstSection["key"].string!
let sectionSecret = firstSection["secret"].int!

Plist.swift

plist自体は非常に単純です。ここに、直接参照する場合のリストを示します。

//
//  Plist.swift
//


import Foundation


public enum Plist {

    case dictionary(NSDictionary)
    case Array(NSArray)
    case Value(Any)
    case none

    public init(_ dict: NSDictionary) {
        self = .dictionary(dict)
    }

    public init(_ array: NSArray) {
        self = .Array(array)
    }

    public init(_ value: Any?) {
        self = Plist.wrap(value)
    }

}


// MARK:- initialize from a path

extension Plist {

    public init(path: String) {
        if let dict = NSDictionary(contentsOfFile: path) {
            self = .dictionary(dict)
        }
        else if let array = NSArray(contentsOfFile: path) {
            self = .Array(array)
        }
        else {
            self = .none
        }
    }

}


// MARK:- private helpers

extension Plist {

    /// wraps a given object to a Plist
    fileprivate static func wrap(_ object: Any?) -> Plist {

        if let dict = object as? NSDictionary {
            return .dictionary(dict)
        }
        if let array = object as? NSArray {
            return .Array(array)
        }
        if let value = object {
            return .Value(value)
        }
        return .none
    }

    /// tries to cast to an optional T
    fileprivate func cast<T>() -> T? {
        switch self {
        case let .Value(value):
            return value as? T
        default:
            return nil
        }
    }
}

// MARK:- subscripting

extension Plist {

    /// index a dictionary
    public subscript(key: String) -> Plist {
        switch self {

        case let .dictionary(dict):
            let v = dict.object(forKey: key)
            return Plist.wrap(v)

        default:
            return .none
        }
    }

    /// index an array
    public subscript(index: Int) -> Plist {
        switch self {
        case let .Array(array):
            if index >= 0 && index < array.count {
                return Plist.wrap(array[index])
            }
            return .none

        default:
            return .none
        }
    }

}


// MARK:- Value extraction

extension Plist {

    public var string: String?       { return cast() }
    public var int: Int?             { return cast() }
    public var double: Double?       { return cast() }
    public var float: Float?         { return cast() }
    public var date: Date?         { return cast() }
    public var data: Data?         { return cast() }
    public var number: NSNumber?     { return cast() }
    public var bool: Bool?           { return cast() }


    // unwraps and returns the underlying value
    public var value: Any? {
        switch self {
        case let .Value(value):
            return value
        case let .dictionary(dict):
            return dict
        case let .Array(array):
            return array
        case .none:
            return nil
        }
    }

    // returns the underlying array
    public var array: NSArray? {
        switch self {
        case let .Array(array):
            return array
        default:
            return nil
        }
    }

    // returns the underlying dictionary
    public var dict: NSDictionary? {
        switch self {
        case let .dictionary(dict):
            return dict
        default:
            return nil
        }
    }

}


// MARK:- CustomStringConvertible

extension Plist : CustomStringConvertible {
    public var description:String {
        switch self {
        case let .Array(array): return "(array \(array))"
        case let .dictionary(dict): return "(dict \(dict))"
        case let .Value(value): return "(value \(value))"
        case .none: return "(none)"
        }
    }
}

0

Swift 3.0

.plistから「2次元配列」を読み取りたい場合は、次のように試すことができます。

if let path = Bundle.main.path(forResource: "Info", ofType: "plist") {
    if let dimension1 = NSDictionary(contentsOfFile: path) {
        if let dimension2 = dimension1["key"] as? [String] {
            destination_array = dimension2
        }
    }
}

-2

plistファイルにアクセスするための単純な構造体(Swift 2.0)

struct Configuration {      
  static let path = NSBundle.mainBundle().pathForResource("Info", ofType: "plist")!
  static let dict = NSDictionary(contentsOfFile: path) as! [String: AnyObject]

  static let someValue = dict["someKey"] as! String
}

使用法:

print("someValue = \(Configuration.someValue)")
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.