4

我正在开发一个简单的音乐音序器应用程序。这种应用程序往往具有复杂的数据结构,必须保存/加载,所以Codable在 Swift4 中引入协议对我来说完全是一个好消息。

我的问题是:我必须有一个不可编码的属性。它不必编码,因为它是一个临时变量,仅在应用程序处于活动状态时才保持活动状态。所以我只是尝试通过实现来排除CodingKey,但编译器仍然给我错误“类型'Song'不符合协议'Decodable'”。

具体来说,我想在下面的代码中排除“musicSequence”。

class Song : Codable { //Type 'Song' does not conform to protocol 'Decodable'
    var songName : String = "";    
    var tempo : Double = 120;

    // Musical structure
    var tracks : [Track] = [] // "Track" is my custom class, which conforms Codable as well    
    // Tones
    var tones = [Int : ToneSettings] (); // ToneSettings is also my custom Codable class

    var musicSequence : MusicSequence? = nil; // I get the error because of this line

    private enum CodingKeys: String, CodingKey {
        case songName
        case tempo
        case tracks
        case tones
    }

    func createMIDISequence () {
        // Create MIDI sequence based on "tracks" above
        // and keep it as instance variable "musicSequence"
    }
}

有人有什么想法吗?

4

1 回答 1

6

(请参阅下面的一个奇怪的事件转折。)

您的使用CodingKeys已经在照顾您的编码。你仍然可以免费获得。但是您需要告诉系统如何手动处理解码:

required init(from decoder: Decoder) throws {
    let values = try decoder.container(keyedBy: CodingKeys.self)
    songName = try values.decode(String.self, forKey: .songName)
    tempo = try values.decode(Double.self, forKey: .tempo)
    tracks = try values.decode([Track].self, forKey: .tracks)
    tones = try values.decode([Int: ToneSettings].self, forKey: .tones)
}

它还不够聪明,无法确定musicSequence可以并且应该默认为nil(也许这无论如何都太聪明了)。

可能值得在 bugs.swift.org 上打开一个缺陷来要求这个 Decodable 是自动的。CodingKeys在您提供并且有默认值的情况下,它应该能够弄清楚。


编辑:当我第一次回答这个问题时,我完全复制了你的错误。但是当我再次尝试重新复制您的代码时,错误不会出现。以下代码在 Playground 中编译并运行:

import Foundation

struct Track: Codable {}
struct ToneSettings: Codable {}
struct MusicSequence {}

class Song : Codable { //Type 'Song' does not conform to protocol 'Decodable'
    var songName : String = "";
    var tempo : Double = 120;

    // Musical structure
    var tracks : [Track] = [] // "Track" is my custom class, which conforms Codable as well
    // Tones
    var tones = [Int : ToneSettings] (); // ToneSettings is also my custom Codable class

    var musicSequence : MusicSequence? = nil; // I get the error because of this line

    private enum CodingKeys: String, CodingKey {
        case songName
        case tempo
        case tracks
        case tones
    }

    func createMIDISequence () {
        // Create MIDI sequence based on "tracks" above
        // and keep it as instance variable "musicSequence"
    }
}

let song = Song()
let data = try JSONEncoder().encode(song)
String(data: data, encoding: .utf8)

let song2 = try JSONDecoder().decode(Song.self, from: data)

我想知道这里是否存在编译器错误;确保使用新的测试版对此进行测试。

于 2017-08-08T00:35:46.677 回答