EvGeniy Ilyin
EvGeniy Ilyin

Reputation: 1919

Class Protocol: Cannot use mutating member on immutable value: 'self' is immutable

I have protocol from framework

public protocol BaseMappable {
    /// This function is where all variable mappings should occur. It is executed by Mapper during the mapping (serialization and deserialization) process.
    mutating func mapping(map: Map)
}

and i have my protocol with extension (default implementation)

public protocol DtoResponseRequestActionable: class {
    func transferToResponceAction(_ dto: TransferToResponce)
}

extension DtoResponseRequestActionable where Self: BaseMappable {

    func transferToResponceAction(_ dto: TransferToResponce) {
        var map = Map(mappingType: .toJSON, JSON: [:])
        dto.transfering(map: map)
        let json = map.JSON
        map = Map(mappingType: .fromJSON, JSON: json)
        mapping(map: map) // <<< ERROR
    }

}

but i have error

Cannot use mutating member on immutable value: 'self' is immutable

How I can fix it, for default imp. If I copy/paste code from extension to every class, it works good, but I need default imp. Any solutions?

Upvotes: 1

Views: 1661

Answers (2)

Mohammad Sadiq
Mohammad Sadiq

Reputation: 5241

This might help

public protocol BaseMappable : class {
    /// This function is where all variable mappings should occur. It is executed by Mapper during the mapping (serialization and deserialization) process.
   func mapping(map: Map)
}

The other way would be to remove class from

public protocol DtoResponseRequestActionable {
    mutating func transferToResponceAction(_ dto: TransferToResponce)
}

and add mutating to

mutating func transferToResponceAction(_ dto: TransferToResponce) {

Upvotes: 4

Rob Napier
Rob Napier

Reputation: 299275

You're calling a mutating method from a non-mutating method. In order for transferToResponceAction to call mapping, it also must be marked mutating.

Upvotes: 1

Related Questions