내 CI bash 스크립트를 신속하게 교체하고 싶습니다. ls
또는 같은 일반 터미널 명령을 호출하는 방법을 알 수 없습니다.xcodebuild
#!/usr/bin/env xcrun swift
import Foundation // Works
println("Test") // Works
ls // Fails
xcodebuild -workspace myApp.xcworkspace // Fails
$ ./script.swift
./script.swift:5:1: error: use of unresolved identifier 'ls'
ls // Fails
^
... etc ....
답변
Swift 코드에서 명령 출력을 사용하지 않는 경우 다음으로 충분합니다.
#!/usr/bin/env swift
import Foundation
@discardableResult
func shell(_ args: String...) -> Int32 {
let task = Process()
task.launchPath = "/usr/bin/env"
task.arguments = args
task.launch()
task.waitUntilExit()
return task.terminationStatus
}
shell("ls")
shell("xcodebuild", "-workspace", "myApp.xcworkspace")
업데이트 : Swift3 / Xcode8 용
답변
모든 인수를 구분하지 않고 명령 줄에서와 같이 “정확하게”명령 줄 인수를 사용하려면 다음을 시도하십시오.
(이 답변은 LegoLess의 답변을 개선하고 Swift 5에서 사용할 수 있습니다)
import Foundation
func shell(_ command: String) -> String {
let task = Process()
let pipe = Pipe()
task.standardOutput = pipe
task.arguments = ["-c", command]
task.launchPath = "/bin/bash"
task.launch()
let data = pipe.fileHandleForReading.readDataToEndOfFile()
let output = String(data: data, encoding: .utf8)!
return output
}
// Example usage:
shell("ls -la")
답변
여기서 문제는 Bash와 Swift를 혼합하고 일치시킬 수 없다는 것입니다. 명령 줄에서 Swift 스크립트를 실행하는 방법을 이미 알고 있습니다. 이제 Swift에서 Shell 명령을 실행하는 메서드를 추가해야합니다. PracticalSwift 블로그의 요약 :
func shell(launchPath: String, arguments: [String]) -> String?
{
let task = Process()
task.launchPath = launchPath
task.arguments = arguments
let pipe = Pipe()
task.standardOutput = pipe
task.launch()
let data = pipe.fileHandleForReading.readDataToEndOfFile()
let output = String(data: data, encoding: String.Encoding.utf8)
return output
}
다음 Swift 코드는 xcodebuild
인수와 함께 실행 된 다음 결과를 출력합니다.
shell("xcodebuild", ["-workspace", "myApp.xcworkspace"]);
디렉터리 내용 ( ls
Bash에서 수행하는 작업)을 NSFileManager
검색하려면 구문 분석이 어려울 수있는 Bash 출력 대신 Swift에서 직접 디렉터리를 사용 하고 검색하는 것이 좋습니다 .
답변
Swift 3.0의 유틸리티 기능
또한 작업 종료 상태를 반환하고 완료를 기다립니다.
func shell(launchPath: String, arguments: [String] = []) -> (String? , Int32) {
let task = Process()
task.launchPath = launchPath
task.arguments = arguments
let pipe = Pipe()
task.standardOutput = pipe
task.standardError = pipe
task.launch()
let data = pipe.fileHandleForReading.readDataToEndOfFile()
let output = String(data: data, encoding: .utf8)
task.waitUntilExit()
return (output, task.terminationStatus)
}
답변
명령을 호출하기 위해 bash 환경을 사용하려면 고정 된 버전의 Legoless를 사용하는 다음 bash 함수를 사용하십시오. 쉘 함수의 결과에서 후행 개행을 제거해야했습니다.
스위프트 3.0 : (Xcode8)
import Foundation
func shell(launchPath: String, arguments: [String]) -> String
{
let task = Process()
task.launchPath = launchPath
task.arguments = arguments
let pipe = Pipe()
task.standardOutput = pipe
task.launch()
let data = pipe.fileHandleForReading.readDataToEndOfFile()
let output = String(data: data, encoding: String.Encoding.utf8)!
if output.characters.count > 0 {
//remove newline character.
let lastIndex = output.index(before: output.endIndex)
return output[output.startIndex ..< lastIndex]
}
return output
}
func bash(command: String, arguments: [String]) -> String {
let whichPathForCommand = shell(launchPath: "/bin/bash", arguments: [ "-l", "-c", "which \(command)" ])
return shell(launchPath: whichPathForCommand, arguments: arguments)
}
예를 들어 현재 작업 디렉토리의 현재 작업중인 git 분기를 가져 오려면 다음을 수행하십시오.
let currentBranch = bash("git", arguments: ["describe", "--contains", "--all", "HEAD"])
print("current branch:\(currentBranch)")
답변
Legoless의 답변을 기반으로 한 전체 스크립트
#!/usr/bin/env swift
import Foundation
func printShell(launchPath: String, arguments: [String] = []) {
let output = shell(launchPath: launchPath, arguments: arguments)
if (output != nil) {
print(output!)
}
}
func shell(launchPath: String, arguments: [String] = []) -> String? {
let task = Process()
task.launchPath = launchPath
task.arguments = arguments
let pipe = Pipe()
task.standardOutput = pipe
task.launch()
let data = pipe.fileHandleForReading.readDataToEndOfFile()
let output = String(data: data, encoding: String.Encoding.utf8)
return output
}
// > ls
// > ls -a -g
printShell(launchPath: "/bin/ls")
printShell(launchPath: "/bin/ls", arguments:["-a", "-g"])
답변
Apple이 .launchPath와 launch ()를 모두 사용하지 않기 때문에 이것을 업데이트하기 위해 조금 더 미래의 증거가 될 Swift 4 용 업데이트 된 유틸리티 함수가 있습니다.
참고 : 대체 항목 ( run () , executableURL 등) 에 대한 Apple의 문서 는이 시점에서 기본적으로 비어 있습니다.
import Foundation
// wrapper function for shell commands
// must provide full path to executable
func shell(_ launchPath: String, _ arguments: [String] = []) -> (String?, Int32) {
let task = Process()
task.executableURL = URL(fileURLWithPath: launchPath)
task.arguments = arguments
let pipe = Pipe()
task.standardOutput = pipe
task.standardError = pipe
do {
try task.run()
} catch {
// handle errors
print("Error: \(error.localizedDescription)")
}
let data = pipe.fileHandleForReading.readDataToEndOfFile()
let output = String(data: data, encoding: .utf8)
task.waitUntilExit()
return (output, task.terminationStatus)
}
// valid directory listing test
let (goodOutput, goodStatus) = shell("/bin/ls", ["-la"])
if let out = goodOutput { print("\(out)") }
print("Returned \(goodStatus)\n")
// invalid test
let (badOutput, badStatus) = shell("ls")
이것을 플레이 그라운드에 직접 붙여 넣어 실제 동작을 볼 수 있어야합니다.