A dependency management library inspired by SwiftUI's "environment."
- Learn More
- Overview
- Quick start
- Examples
- Documentation
- Installation
- Community
- Extensions
- Alternatives
- License
This library was motivated and designed over the course of many episodes on Point-Free, a video series exploring functional programming and the Swift language, hosted by Brandon Williams and Stephen Celis.
Dependencies are the types and functions in your application that need to interact with outside
systems that you do not control. Classic examples of this are API clients that make network
requests to servers, but also seemingly innocuous things such as UUID
and Date
initializers,
file access, user defaults, and even clocks and timers, can all be thought of as dependencies.
You can get really far in application development without ever thinking about dependency management (or, as some like to call it, "dependency injection"), but eventually uncontrolled dependencies can cause many problems in your code base and development cycle:
-
Uncontrolled dependencies make it difficult to write fast, deterministic tests because you are susceptible to the vagaries of the outside world, such as file systems, network connectivity, internet speed, server uptime, and more.
-
Many dependencies do not work well in SwiftUI previews, such as location managers and speech recognizers, and some do not work even in simulators, such as motion managers, and more. This prevents you from being able to easily iterate on the design of features if you make use of those frameworks.
-
Dependencies that interact with 3rd party, non-Apple libraries (such as Firebase, web socket libraries, network libraries, etc.) tend to be heavyweight and take a long time to compile. This can slow down your development cycle.
For these reasons, and a lot more, it is highly encouraged for you to take control of your dependencies rather than letting them control you.
But, controlling a dependency is only the beginning. Once you have controlled your dependencies, you are faced with a whole set of new problems:
-
How can you propagate dependencies throughout your entire application in a way that is more ergonomic than explicitly passing them around everywhere, but safer than having a global dependency?
-
How can you override dependencies for just one portion of your application? This can be handy for overriding dependencies for tests and SwiftUI previews, as well as specific user flows such as onboarding experiences.
-
How can you be sure you overrode all dependencies a feature uses in tests? It would be incorrect for a test to mock out some dependencies but leave others as interacting with the outside world.
This library addresses all of the points above, and much, much more.
The library allows you to register your own dependencies, but it also comes with many controllable
dependencies out of the box (see DependencyValues
for a full list), and there
is a good chance you can immediately make use of one. If you are using Date()
, UUID()
,
Task.sleep
, or Combine schedulers directly in your feature's logic, you can already start to use
this library.
@Observable
final class FeatureModel {
var items: [Item] = []
@ObservationIgnored
@Dependency(\.continuousClock) var clock // Controllable way to sleep a task
@ObservationIgnored
@Dependency(\.date.now) var now // Controllable way to ask for current date
@ObservationIgnored
@Dependency(\.mainQueue) var mainQueue // Controllable scheduling on main queue
@ObservationIgnored
@Dependency(\.uuid) var uuid // Controllable UUID creation
// ...
}
Once your dependencies are declared, rather than reaching out to the Date()
, UUID()
, etc.,
directly, you can use the dependency that is defined on your feature's model:
@Observable
final class FeatureModel {
// ...
func addButtonTapped() async throws {
try await clock.sleep(for: .seconds(1)) // π Don't use 'Task.sleep'
items.append(
Item(
id: uuid(), // π Don't use 'UUID()'
name: "",
createdAt: now // π Don't use 'Date()'
)
)
}
}
That is all it takes to start using controllable dependencies in your features. With that little bit of upfront work done you can start to take advantage of the library's powers.
For example, you can easily control these dependencies in tests. If you want to test the logic
inside the addButtonTapped
method, you can use the withDependencies
function to override any dependencies for the scope of one single test. It's as easy as 1-2-3:
@Test
func add() async throws {
let model = withDependencies {
// 1οΈβ£ Override any dependencies that your feature uses.
$0.clock = .immediate
$0.date.now = Date(timeIntervalSinceReferenceDate: 1234567890)
$0.uuid = .incrementing
} operation: {
// 2οΈβ£ Construct the feature's model
FeatureModel()
}
// 3οΈβ£ The model now executes in a controlled environment of dependencies,
// and so we can make assertions against its behavior.
try await model.addButtonTapped()
#expect(
model.items == [
Item(
id: UUID(uuidString: "00000000-0000-0000-0000-000000000000")!,
name: "",
createdAt: Date(timeIntervalSinceReferenceDate: 1234567890)
)
]
)
}
Here we controlled the date
dependency to always return the same date, and we controlled the
uuid
dependency to return an auto-incrementing UUID every time it is invoked, and we even
controlled the clock
dependency using an ImmediateClock
to squash all
of time into a single instant. If we did not control these dependencies this test would be very
difficult to write since there is no way to accurately predict what will be returned by Date()
and UUID()
, and we'd have to wait for real world time to pass, making the test slow.
But, controllable dependencies aren't only useful for tests. They can also be used in Xcode
previews. Suppose the feature above makes use of a clock to sleep for an amount of time before
something happens in the view. If you don't want to literally wait for time to pass in order to see
how the view changes, you can override the clock dependency to be an "immediate" clock using the
.dependencies
preview trait:
#Preview(
traits: .dependencies {
$0.continuousClock = .immediate
}
) {
// All access of '@Dependency(\.continuousClock)' in this preview will
// use an immediate clock.
FeatureView(model: FeatureModel())
}
This will make it so that the preview uses an immediate clock when run, but when running in a
simulator or on device it will still use a live ContinuousClock
. This makes it possible to
override dependencies just for previews without affecting how your app will run in production.
That is the basics to getting started with using the library, but there is still a lot more you can do. You can learn more in depth about the library by exploring the documentation and articles:
-
Quick start (Same as the information above): Learn the basics of getting started with the library before diving deep into all of its features.
-
What are dependencies?: Learn what dependencies are, how they complicate your code, and why you want to control them.
-
Using dependencies: Learn how to use the dependencies that are registered with the library.
-
Registering dependencies: Learn how to register your own dependencies with the library so that they immediately become available from any part of your code base.
-
Live, preview, and test dependencies: Learn how to provide different implementations of your dependencies for use in the live application, as well as in Xcode previews, and even in tests.
-
Testing: One of the main reasons to control dependencies is to allow for easier testing. Learn some tips and tricks for writing better tests with the library.
-
Designing dependencies: Learn techniques on designing your dependencies so that they are most flexible for injecting into features and overriding for tests.
-
Overriding dependencies: Learn how dependencies can be changed at runtime so that certain parts of your application can use different dependencies.
-
Dependency lifetimes: Learn about the lifetimes of dependencies, how to prolong the lifetime of a dependency, and how dependencies are inherited.
-
Single entry point systems: Learn about "single entry point" systems, and why they are best suited for this dependencies library, although it is possible to use the library with non-single entry point systems.
We rebuilt Apple's Scrumdinger demo application using modern, best practices for SwiftUI development, including using this library to control dependencies on file system access, timers and speech recognition APIs. That demo can be found here.
The latest documentation for the Dependencies APIs is available here.
You can add Dependencies to an Xcode project by adding it to your project as a package.
If you want to use Dependencies in a SwiftPM project, it's as
simple as adding it to your Package.swift
:
dependencies: [
.package(url: "https://github.com/pointfreeco/swift-dependencies", from: "1.0.0")
]
And then adding the product to any target that needs access to the library:
.product(name: "Dependencies", package: "swift-dependencies"),
If you want to discuss this library or have a question about how to use it to solve a particular problem, there are a number of places you can discuss with fellow Point-Free enthusiasts:
- For long-form discussions, we recommend the discussions tab of this repo.
- For casual chat, we recommend the Point-Free Community Slack.
This library controls a number of dependencies out of the box, but is also open to extension. The following projects all build on top of Dependencies:
- Dependencies Additions: A companion library that provides higher-level dependencies.
- Dependencies Protocol Extras: Library to make swift-dependencies even more useful when using Protocol
There are many other dependency injection libraries in the Swift community. Each has its own set of priorities and trade-offs that differ from Dependencies. Here are a few well-known examples:
This library is released under the MIT license. See LICENSE for details.