Swift version: 5.10
If you’re building an app for macOS or any other platform where you can run external programs, you can draw on Foundation’s Process
class to do almost all the work for you.
First, create an instance of Process
:
let task = Process()
Next, tell it which command to run. I’ll make it run the Swift compiler:
task.executableURL = URL(fileURLWithPath: "/usr/bin/swift")
Finally, pass in an array of arguments you want to give to the program. For example, if you have some Swift code you wanted to run you could pass the filename to that code:
let filename = "input.swift"
task.arguments = [filename]
When you’re ready, use the run()
method to run the full command, being prepared to catch any errors that are thrown:
try task.run()
If you want to read the output or error from your program, you need to create an instance of Pipe
and attach it either to standardOutput
or standardError
depending on your needs:
let outputPipe = Pipe()
let errorPipe = Pipe()
task.standardOutput = outputPipe
task.standardError = errorPipe
Make sure you do that before you call run()
.
To read the output or error data once your program completes, you need to get a file handle from the pipe then read it out as an instance of Data
, like this:
let outputData = outputPipe.fileHandleForReading.readDataToEndOfFile()
let errorData = errorPipe.fileHandleForReading.readDataToEndOfFile()
Finally, convert that data into strings if you need to, like this:
let output = String(decoding: outputData, as: UTF8.self)
let error = String(decoding: errorData, as: UTF8.self)
And that’s it – you’ve run a program with custom arguments, and read its output back.
SPONSORED Alex is the iOS & Mac developer’s ultimate AI assistant. It integrates with Xcode, offering a best-in-class Swift coding agent. Generate modern SwiftUI from images. Fast-apply suggestions from Claude 3.5 Sonnet, o3-mini, and DeepSeek R1. Autofix Swift 6 errors and warnings. And so much more. Start your 7-day free trial today!
Sponsor Hacking with Swift and reach the world's largest Swift community!
Available from iOS 8.0
This is part of the Swift Knowledge Base, a free, searchable collection of solutions for common iOS questions.
Link copied to your pasteboard.