Xcode playgrounds 无法访问 Sources 文件夹中的 swift 文件

Xcode playgrounds can't access swift files in Sources folder

我刚刚升级到 Xcode 6.3,他们为 Playgrounds 提供了一些新东西。如果你创建一个新的 playgrounds 并打开项目导航器,你会看到一个 Sources 文件夹,里面有一个 "SupportCode.swift" 文件。在该文件的顶部,它显示

This file (and all other Swift source files in the Sources directory of this playground) will be precompiled into a framework which is automatically made available to .playground.

我尝试将一个函数放入其中,但我的游乐场无法使用它。我究竟做错了什么?我必须手动编译 SupportCode.swift 文件吗?怎么样?

您必须将 public 访问属性添加到您的 类、源文件夹中的方法和属性,以便从主 playground 文件访问它们被编译器视为单独的模块

如前所述,当您在源文件夹中创建 .swift 文件时,它们会自动供您的 playground 代码使用。 要控制此文件不同部分的访问,您可以使用访问级别修饰符,它们是:publicinternal & private.

根据Swift programming language access control

在大多数情况下,默认访问级别是 internal,可以在模块内部访问,但不能在外部访问。

换句话说,如果你声明一个 class 没有访问修饰符,你可以从源文件夹中的另一个文件访问它,但不能在你的 playground 的主文件中访问它。 另一方面,如果你用 public 修饰符声明一个 class,你可以在两种情况下访问它。

实际使用: 让我们做一个单例实现 首先:我在名为 'Singy.swift' 的源文件夹中创建了一个新文件 使用以下代码:

public class Singy {
    public var name = ""
    private static var instance: Singy?
    private init() {}

    public static func getSingy() -> Singy {
        if Singy.instance == nil {
            Singy.instance = Singy()
        }
        return Singy.instance!
    }
}

第二个: 从我的游乐场

var s1 = Singy.getSingy()
var s2 = Singy.getSingy()
s1.name = "One"
print(s2.name)

s1s2 引用同一个实例,但它仅在 class

中创建

Playgrounds 适合 运行ning 测试。 将所有代码放在 Sources 目录中,并为每个测试提供一个可公开访问的 'test' class。 然后 运行 来自 playground 的可公开访问的测试。

playground

Test1.run()
Testx.run()
...

Sources/Test1.swift

public class Test1 {      
  public static func run() {
    let my_class = MyClass()
    let result = my_class.do_something()
    print(result)
  }
}

Sources/MyClass.swift

class MyClass {
  func do_something() -> String {
    return "lol"
  }
}