Skip to content
Open
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
3 changes: 3 additions & 0 deletions FirebaseAuth/CHANGELOG.md
Original file line number Diff line number Diff line change
@@ -1,3 +1,6 @@
# Unreleased
- [added] Added `authStateChanges` and `idTokenChanges` to `Auth`, a pair of `AsyncStream`s that emit the user's authentication state and ID token changes.

# 12.2.0
- [added] Added TOTP support for macOS.

Expand Down
102 changes: 102 additions & 0 deletions FirebaseAuth/Sources/Swift/Auth/Auth+Async.swift
Original file line number Diff line number Diff line change
@@ -0,0 +1,102 @@
// Copyright 2025 Google LLC
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.

import Foundation

public extension Auth {
/// An asynchronous sequence of authentication state changes.
///
/// This sequence provides a modern, `async/await`-compatible way to monitor the authentication
/// state of the current user. It emits a new `User?` value whenever the user signs in or
/// out.
///
/// The sequence's underlying listener is automatically managed. It is added to the `Auth`
/// instance when you begin iterating over the sequence and is removed when the iteration
/// is cancelled or terminates.
///
/// - Important: The first value emitted by this sequence is always the *current* authentication
/// state, which may be `nil` if no user is signed in.
///
/// ### Example Usage
///
/// You can use a `for await` loop to handle authentication changes:
///
/// ```swift
/// func monitorAuthState() async {
/// for await user in Auth.auth().authStateChanges {
/// if let user = user {
/// print("User signed in: \(user.uid)")
/// // Update UI or perform actions for a signed-in user.
/// } else {
/// print("User signed out.")
/// // Update UI or perform actions for a signed-out state.
/// }
/// }
/// }
/// ```
@available(macOS 15.0, iOS 18.0, watchOS 11.0, tvOS 18.0, visionOS 2.0, *)
var authStateChanges: some AsyncSequence<User?, Never> {
AsyncStream { continuation in
let listenerHandle = addStateDidChangeListener { _, user in
continuation.yield(user)
}

continuation.onTermination = { @Sendable _ in
self.removeStateDidChangeListener(listenerHandle)
}
}
}

/// An asynchronous sequence of ID token changes.
///
/// This sequence provides a modern, `async/await`-compatible way to monitor changes to the
/// current user's ID token. It emits a new `User?` value whenever the ID token changes.
///
/// The sequence's underlying listener is automatically managed. It is added to the `Auth`
/// instance when you begin iterating over the sequence and is removed when the iteration
/// is cancelled or terminates.
///
/// - Important: The first value emitted by this sequence is always the *current* authentication
/// state, which may be `nil` if no user is signed in.
///
/// ### Example Usage
///
/// You can use a `for await` loop to handle ID token changes:
///
/// ```swift
/// func monitorIDTokenChanges() async {
/// for await user in Auth.auth().idTokenChanges {
/// if let user = user {
/// print("ID token changed for user: \(user.uid)")
/// // Update UI or perform actions for a signed-in user.
/// } else {
/// print("User signed out.")
/// // Update UI or perform actions for a signed-out state.
/// }
/// }
/// }
/// ```
@available(macOS 15.0, iOS 18.0, watchOS 11.0, tvOS 18.0, visionOS 2.0, *)
var idTokenChanges: some AsyncSequence<User?, Never> {
AsyncStream { continuation in
let listenerHandle = addIDTokenDidChangeListener { _, user in
continuation.yield(user)
}

continuation.onTermination = { @Sendable _ in
self.removeIDTokenDidChangeListener(listenerHandle)
}
}
}
}
197 changes: 197 additions & 0 deletions FirebaseAuth/Tests/Unit/AuthStateChangesAsyncTests.swift
Original file line number Diff line number Diff line change
@@ -0,0 +1,197 @@
// Copyright 2025 Google LLC
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.

@testable import FirebaseAuth
import FirebaseCore
import FirebaseCoreInternal
import XCTest

@available(macOS 15.0, iOS 18.0, watchOS 11.0, tvOS 18.0, visionOS 2.0, *)
class AuthStateChangesAsyncTests: RPCBaseTests {
var auth: Auth!
static let testNum = UnfairLock<Int>(0)

override func setUp() {
super.setUp()
let options = FirebaseOptions(googleAppID: "0:0000000000000:ios:0000000000000000",
gcmSenderID: "00000000000000000-00000000000-000000000")
options.apiKey = "FAKE_API_KEY"
options.projectID = "myProjectID"
let name = "test-\(Self.self)\(Self.testNum.value())"
Self.testNum.withLock { $0 += 1 }

FirebaseApp.configure(name: name, options: options)
let app = FirebaseApp.app(name: name)!

#if (os(macOS) && !FIREBASE_AUTH_TESTING_USE_MACOS_KEYCHAIN) || SWIFT_PACKAGE
let keychainStorageProvider = FakeAuthKeychainStorage()
#else
let keychainStorageProvider = AuthKeychainStorageReal.shared
#endif

auth = Auth(
app: app,
keychainStorageProvider: keychainStorageProvider,
backend: authBackend
)

waitForAuthGlobalWorkQueueDrain()
}

override func tearDown() {
auth = nil
FirebaseApp.resetApps()
super.tearDown()
}

private func waitForAuthGlobalWorkQueueDrain() {
kAuthGlobalWorkQueue.sync {}
}

func testAuthStateChangesStreamYieldsUserOnSignIn() async throws {
// Given
let initialNilExpectation = expectation(description: "Stream should emit initial nil user")
let signInExpectation = expectation(description: "Stream should emit signed-in user")
try? auth.signOut()

var iteration = 0
let task = Task {
for await user in auth.authStateChanges {
if iteration == 0 {
XCTAssertNil(user, "The initial user should be nil")
initialNilExpectation.fulfill()
} else if iteration == 1 {
XCTAssertNotNil(user, "The stream should yield the new user")
XCTAssertEqual(user?.uid, kLocalID)
signInExpectation.fulfill()
}
iteration += 1
}
}

// Wait for the initial nil value to be emitted before proceeding.
await fulfillment(of: [initialNilExpectation], timeout: 1.0)

// When
// A user is signed in.
setFakeGetAccountProviderAnonymous()
setFakeSecureTokenService()
rpcIssuer.respondBlock = {
try self.rpcIssuer.respond(withJSON: ["idToken": "TEST_ACCESS_TOKEN",
"refreshToken": self.kRefreshToken,
"isNewUser": true])
}
_ = try await auth.signInAnonymously()

// Then
// The stream should emit the new, signed-in user.
await fulfillment(of: [signInExpectation], timeout: 2.0)
task.cancel()
}

func testAuthStateChangesStreamIsCancelled() async throws {
// Given
let initialNilExpectation =
expectation(description: "Stream should emit initial nil user")
let streamCancelledExpectation =
expectation(description: "Stream should not emit a value after cancellation")
streamCancelledExpectation.isInverted = true
try? auth.signOut()

var iteration = 0
let task = Task {
for await _ in auth.authStateChanges {
if iteration == 0 {
initialNilExpectation.fulfill()
} else {
// This line should not be reached. If it is, the inverted expectation will be
// fulfilled, and the test will fail as intended.
streamCancelledExpectation.fulfill()
}
iteration += 1
}
}

// Wait for the stream to emit its initial `nil` value.
await fulfillment(of: [initialNilExpectation], timeout: 1.0)

// When: The listening task is cancelled.
task.cancel()

// And an attempt is made to trigger another update.
setFakeGetAccountProviderAnonymous()
setFakeSecureTokenService()
rpcIssuer.respondBlock = {
try self.rpcIssuer.respond(withJSON: ["idToken": "TEST_ACCESS_TOKEN",
"refreshToken": self.kRefreshToken,
"isNewUser": true])
}
_ = try? await auth.signInAnonymously()

// Then: Wait for a period to ensure the inverted expectation is not fulfilled.
await fulfillment(of: [streamCancelledExpectation], timeout: 1.0)

// And explicitly check that the loop only ever ran once.
XCTAssertEqual(iteration, 1, "The stream should have only emitted its initial value.")
}

func testAuthStateChangesStreamYieldsNilOnSignOut() async throws {
// Given
let initialNilExpectation = expectation(description: "Stream should emit initial nil user")
let signInExpectation = expectation(description: "Stream should emit signed-in user")
let signOutExpectation = expectation(description: "Stream should emit nil after sign-out")
try? auth.signOut()

var iteration = 0
let task = Task {
for await user in auth.authStateChanges {
switch iteration {
case 0:
XCTAssertNil(user, "The initial user should be nil")
initialNilExpectation.fulfill()
case 1:
XCTAssertNotNil(user, "The stream should yield the signed-in user")
signInExpectation.fulfill()
case 2:
XCTAssertNil(user, "The stream should yield nil after sign-out")
signOutExpectation.fulfill()
default:
XCTFail("The stream should not have emitted more than three values.")
}
iteration += 1
}
}

// Wait for the initial nil value.
await fulfillment(of: [initialNilExpectation], timeout: 1.0)

// Sign in a user.
setFakeGetAccountProviderAnonymous()
setFakeSecureTokenService()
rpcIssuer.respondBlock = {
try self.rpcIssuer.respond(withJSON: ["idToken": "TEST_ACCESS_TOKEN",
"refreshToken": self.kRefreshToken,
"isNewUser": true])
}
_ = try await auth.signInAnonymously()
await fulfillment(of: [signInExpectation], timeout: 2.0)

// When
try auth.signOut()

// Then
await fulfillment(of: [signOutExpectation], timeout: 2.0)
task.cancel()
}
}
Loading
Loading