我正在尝试在Swift 4中创建一个简单的类型擦除结构:

protocol DataProvider
{
  associatedtype ItemType

  subscript(index: Int) -> ItemType { get }
}

struct AnyDataProvider<providerType: DataProvider> : DataProvider
{
  private var _subscript: (_ index: Int) -> providerType.ItemType

  init<P : DataProvider>(_ base: P) where P.ItemType == providerType.ItemType
  {
    _subscript = base.subscript
  }

  subscript(index: Int) -> providerType.ItemType
  {
    return _subscript(index)
  }
}


但是我遇到了段错误:在声明初始化程序的行上出现了11。

除了将其报告为错误之外,还有其他想法吗?

最佳答案

是的

问题是您不能将下标“方法”分配给闭包引用。

为此,Apple的Slava Pestov向我展示了分配匿名闭包(称为下标)的技巧。

这是完成的代码:

protocol DataProvider
{
  associatedtype ItemType

  subscript(index: Int) -> ItemType { get }
}

struct AnyDataProvider<itemType> : DataProvider
{
  private let _subscript: (Int) -> itemType

  subscript(index: Int) -> itemType
  {
    return _subscript(index)
  }

  init<providerType : DataProvider>(_ base: providerType) where providerType.ItemType == itemType
  {
    _subscript = { base[$0] }
  }
}

关于swift - 通用类中的“段错误:11”,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/46242847/

10-10 08:16