Firebase Remote Config으로 클라우드에서 앱의 파라미터를 정의하고 값을 업데이트하면 앱 업데이트를 배포하지 않고도 앱의 모양과 동작을 수정할 수 있습니다. 이 가이드는 시작하는 단계를 안내하고 샘플 코드를 제공합니다. 모든 샘플 코드는 firebase/quickstart-ios GitHub 저장소에서 클론하거나 다운로드할 수 있습니다.
1단계: 앱에 Remote Config 추가
- 아직 추가하지 않았다면 Apple 프로젝트에 Firebase를 추가합니다. 
- Remote Config의 경우 사용자 속성 및 잠재고객에 대한 앱 인스턴스의 조건부 타겟팅에는 Google Analytics가 필수입니다. 프로젝트에서 Google Analytics를 사용 설정해야 합니다. 
- 다음 예시와 같이 싱글톤 Remote Config 객체를 만듭니다. - Swift- remoteConfig = RemoteConfig.remoteConfig() let settings = RemoteConfigSettings() settings.minimumFetchInterval = 0 remoteConfig.configSettings = settings - Objective-C- self.remoteConfig = [FIRRemoteConfig remoteConfig]; FIRRemoteConfigSettings *remoteConfigSettings = [[FIRRemoteConfigSettings alloc] init]; remoteConfigSettings.minimumFetchInterval = 0; self.remoteConfig.configSettings = remoteConfigSettings; 
이 객체를 사용하여 인앱 파라미터 기본값을 저장하고, 업데이트된 파라미터 값을 Remote Config 백엔드에서 가져오고, 가져온 값을 앱에 적용할 시점을 제어합니다.
개발 중에는 가져오기 간격 최솟값을 상대적으로 낮게 설정하는 것이 좋습니다. 자세한 내용은 제한을 참조하세요.
2단계: 인앱 매개변수 기본값 설정
Remote Config 객체에 인앱 파라미터 기본값을 설정하면 앱이 Remote Config 백엔드에 연결되기 전에 의도한 대로 작동하고 백엔드에서 아무것도 설정하지 않으면 기본값이 사용됩니다.
- NSDictionary객체 또는 plist 파일을 사용하여 매개변수 이름과 매개변수 기본값 집합을 정의합니다.- Remote Config 백엔드 파라미터 값을 이미 구성한 경우 모든 기본값을 포함하는 생성된 - plist파일을 다운로드하여 Xcode 프로젝트에 저장할 수 있습니다.- REST- curl --compressed -D headers -H "Authorization: Bearer token -X GET https://firebaseremoteconfig.googleapis.com/v1/projects/my-project-id/remoteConfig:downloadDefaults?format=PLIST -o RemoteConfigDefaults.plist - Google Cloud CLI 또는 Cloud Shell을 사용하여 다음 명령어를 실행하여 Bearer 토큰을 생성할 수 있습니다. - gcloud auth print-access-token- 이 토큰은 수명이 짧으므로 인증 오류가 발생하면 재생성해야 할 수 있습니다. - Firebase 콘솔- 매개변수 탭에서 메뉴를 열고 기본값 다운로드를 선택합니다. 
- 메시지가 표시되면 iOS의 경우 .plist를 사용 설정하고 파일 다운로드를 클릭합니다. 
 
- setDefaults:를 사용하여 이러한 값을 Remote Config 객체에 추가합니다. 다음 예시는 plist 파일에서 인앱 기본값을 설정합니다.- Swift- remoteConfig.setDefaults(fromPlist: "RemoteConfigDefaults") - Objective-C- [self.remoteConfig setDefaultsFromPlistFileName:@"RemoteConfigDefaults"]; 
3단계: 앱에서 사용할 매개변수 값 가져오기
이제 Remote Config 객체에서 파라미터 값을 가져올 수 있습니다. 나중에 Remote Config 백엔드에서 값을 설정한 후 값을 가져와서 활성화하면 이 값이 앱에 적용됩니다. 그렇지 않은 경우 setDefaults:를 사용하여 인앱 파라미터 값을 구성합니다.
이러한 값을 가져오려면 파라미터 키를 인수로 제공하여 configValueForKey: 메서드를 호출합니다.
let remoteConfig = RemoteConfig.remoteConfig()
// Retrieve a parameter value using configValueForKey
let welcomeMessageValue = remoteConfig.configValue(forKey: "welcome_message")
let welcomeMessage = welcomeMessageValue.stringValue
let featureFlagValue = remoteConfig.configValue(forKey: "new_feature_flag")
let isFeatureEnabled = featureFlagValue.boolValue
Swift에서 이러한 값에 액세스하는 더 읽기 쉽고 편리한 방법은 Swift의 아래 첨자 표기법을 사용하는 것입니다.
let remoteConfig = RemoteConfig.remoteConfig()
// Retrieve a string parameter value
let welcomeMessage = remoteConfig["welcome_message"].stringValue
// Retrieve a boolean parameter value
let isFeatureEnabled = remoteConfig["new_feature_flag"].boolValue
// Retrieve a number parameter value
let maxItemCount = remoteConfig["max_items"].numberValue.intValue
유형 안전 구성에 Codable 사용
더 복잡한 구성의 경우 Swift의 Codable 프로토콜을 사용하여 Remote Config에서 구조화된 데이터를 디코딩할 수 있습니다. 이렇게 하면 유형 안전 구성 관리가 제공되고 복잡한 객체 작업이 간소화됩니다.
// Define a Codable struct for your configuration
struct AppFeatureConfig: Codable {
  let isNewFeatureEnabled: Bool
  let maxUploadSize: Int
  let themeColors: [String: String]
}
// Fetch and decode the configuration
func configureAppFeatures() {
  let remoteConfig = RemoteConfig.remoteConfig()
  remoteConfig.fetchAndActivate { status, error in
    guard error == nil else { return }
    do {
      let featureConfig = try remoteConfig["app_feature_config"].decoded(asType: AppFeatureConfig.self)
      configureApp(with: featureConfig)
    } catch {
      // Handle decoding errors
      print("Failed to decode configuration: \(error)")
    }
  }
}
이 메서드를 사용하면 다음 작업을 할 수 있습니다.
- 복잡한 구성 구조 정의
- JSON 구성 자동 파싱
- Remote Config 값에 액세스할 때 유형 안전성 보장
- 구조화된 Remote Config을 처리하기 위한 읽기 쉬운 깔끔한 코드 제공
SwiftUI의 선언적 구성에 속성 래퍼 사용
속성 래퍼는 속성 선언에 커스텀 동작을 추가할 수 있는 강력한 Swift 기능입니다. SwiftUI에서 속성 래퍼는 상태, 결합, 기타 속성 동작을 관리하는 데 사용됩니다. 자세한 내용은 Swift 언어 가이드를 참조하세요.
struct ContentView: View {
  @RemoteConfigProperty(key: "cardColor", fallback: "#f05138")
  var cardColor
  var body: some View {
    VStack {
      Text("Dynamic Configuration")
        .background(Color(hex: cardColor))
    }
    .onAppear {
      RemoteConfig.remoteConfig().fetchAndActivate()
    }
  }
}
기본값 및 간소화된 구성 관리를 기본적으로 지원하는 선언적 방식으로 SwiftUI에서 Remote Config 값에 액세스하려면 @RemoteConfigProperty 속성 래퍼를 사용하세요.
4단계: 매개변수 값 설정
Firebase Console 또는 Remote Config 백엔드 API를 사용하여 원하는 조건부 로직 또는 사용자 타겟팅에 따라 인앱 값을 재정의하는 새 백엔드 기본값을 만들 수 있습니다. 이 섹션에서는 Firebase Console에서 이러한 값을 만드는 단계를 설명합니다.
- Firebase Console에서 프로젝트를 엽니다.
- 메뉴에서 Remote Config을 선택하여 Remote Config 대시보드를 표시합니다.
- 앱에 정의한 매개변수와 같은 이름으로 매개변수를 정의합니다. 각 매개변수에 기본값 및 조건부 값을 설정할 수 있으며 기본값은 이후에 해당하는 인앱 기본값을 재정의합니다. 자세한 내용은 Remote Config 파라미터 및 조건을 참조하세요.
- 커스텀 신호 조건을 사용하는 경우 속성과 값을 정의합니다. 다음 예는 커스텀 신호 조건을 정의하는 방법을 보여줍니다. - Swift- Task { let customSignals: [String: CustomSignalValue?] = [ "city": .string("Tokyo"), "preferred_event_category": .string("sports") ] do { try await remoteConfig.setCustomSignals(customSignals) print("Custom signals set successfully!") } catch { print("Error setting custom signals: \(error)") } } - Objective-C- dispatch_async(dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_DEFAULT, 0), ^{ NSDictionary *customSignals = @{ @"city": @"Tokyo", @"preferred_event_category": @"sports" }; [self.remoteConfig setCustomSignals:customSignals withCompletion:^(NSError * _Nullable error) { if (error) { NSLog(@"Error setting custom signals: %@", error); } else { NSLog(@"Custom signals set successfully!"); } }]; }); 
5단계: 값 가져오기 및 활성화
Remote Config에서 파라미터 값을 가져오려면 fetchWithCompletionHandler: 또는 fetchWithExpirationDuration:completionHandler: 메서드를 호출합니다. 백엔드에 설정한 모든 값이 수신되어 Remote Config 객체에 캐시됩니다.
호출 한 번으로 값을 가져오고 활성화하려면 fetchAndActivateWithCompletionHandler:를 사용합니다.
이 예시에서는 캐시된 값이 아니라 Remote Config 백엔드에서 값을 가져오고 activateWithCompletionHandler:를 호출하여 해당 값을 앱에 적용합니다.
Swift
remoteConfig.fetch { (status, error) -> Void in if status == .success { print("Config fetched!") self.remoteConfig.activate { changed, error in // ... } } else { print("Config not fetched") print("Error: \(error?.localizedDescription ?? "No error available.")") } self.displayWelcome() }
Objective-C
[self.remoteConfig fetchWithCompletionHandler:^(FIRRemoteConfigFetchStatus status, NSError *error) { if (status == FIRRemoteConfigFetchStatusSuccess) { NSLog(@"Config fetched!"); [self.remoteConfig activateWithCompletion:^(BOOL changed, NSError * _Nullable error) { if (error != nil) { NSLog(@"Activate error: %@", error.localizedDescription); } else { dispatch_async(dispatch_get_main_queue(), ^{ [self displayWelcome]; }); } }]; } else { NSLog(@"Config not fetched"); NSLog(@"Error %@", error.localizedDescription); } }];
이러한 업데이트된 매개변수 값은 앱의 동작과 모양에 영향을 주므로 사용자 경험에 방해가 되지 않을 만한 시점, 예를 들어 사용자가 다음번에 앱을 열 때 등과 같은 상황에서 가져온 값을 활성화하는 것이 좋습니다. 자세한 내용과 예시는 원격 구성 로딩 전략을 참조하세요.
6단계: 실시간 업데이트 리슨
파라미터 값을 가져온 후 실시간 Remote Config을 사용하여 Remote Config 백엔드의 업데이트를 리슨할 수 있습니다. 실시간 Remote Config은 사용 가능한 업데이트가 있을 때 연결된 기기에 신호를 보내고 새로운 Remote Config 버전을 게시한 후 변경사항을 자동으로 가져옵니다.
실시간 업데이트는 Apple 플랫폼용 Firebase SDK v10.7.0 이상에서 지원됩니다.
- 앱에서 - addOnConfigUpdateListener를 호출하여 업데이트 리슨을 시작하고 새로운 또는 업데이트된 매개변수 값을 자동으로 가져옵니다. 다음 예시는 업데이트를 리슨하고- activateWithCompletionHandler가 호출되면 새로 가져온 값을 사용하여 업데이트된 환영 메시지를 표시합니다.- Swift- remoteConfig.addOnConfigUpdateListener { configUpdate, error in guard let configUpdate, error == nil else { print("Error listening for config updates: \(error)") } print("Updated keys: \(configUpdate.updatedKeys)") self.remoteConfig.activate { changed, error in guard error == nil else { return self.displayError(error) } DispatchQueue.main.async { self.displayWelcome() } } } - Objective-C- __weak __typeof__(self) weakSelf = self; [self.remoteConfig addOnConfigUpdateListener:^(FIRRemoteConfigUpdate * _Nonnull configUpdate, NSError * _Nullable error) { if (error != nil) { NSLog(@"Error listening for config updates %@", error.localizedDescription); } else { NSLog(@"Updated keys: %@", configUpdate.updatedKeys); __typeof__(self) strongSelf = weakSelf; [strongSelf.remoteConfig activateWithCompletion:^(BOOL changed, NSError * _Nullable error) { if (error != nil) { NSLog(@"Activate error %@", error.localizedDescription); } dispatch_async(dispatch_get_main_queue(), ^{ [strongSelf displayWelcome]; }); }]; } }]; 
- 다음에 새로운 버전의 Remote Config을 게시하면 앱을 실행하고 변경사항을 리슨하는 기기가 완료 핸들러를 호출합니다. 
제한
앱에서 단기간에 가져오기를 너무 많이 수행하면 가져오기 호출이 제한되고 SDK는 FIRRemoteConfigFetchStatusThrottled를 반환합니다. SDK 버전 6.3.0 이전에는 60분 동안 가져오기 요청 수가 5회로 제한되었지만 최신 버전에서는 좀 더 많이 허용됩니다.
앱을 개발하는 동안 앱 개발 및 테스트를 하면서 빠르게 반복하기 위해 캐시를 빈번하게(한 시간에 몇 번씩) 새로고치기 위해 가져오기를 자주 해야 할 수도 있습니다. 서버에서 구성을 업데이트하면 실시간 원격 구성 업데이트가 자동으로 캐시를 우회합니다. 개발자가 많은 프로젝트에서 빠르게 반복할 수 있도록 앱에서 가져오기 간격 최솟값(MinimumFetchInterval)이 낮은 FIRRemoteConfigSettings 속성을 임시로 추가할 수 있습니다.
Remote Config의 권장되는 기본 프로덕션 가져오기 간격은 12시간(기본값)입니다. 즉, 실제로 발생하는 가져오기 호출 수에 관계없이 12시간 동안 백엔드에서 구성을 두 번 이상 가져올 수 없습니다. 가져오기 간격 최솟값은 구체적으로 다음과 같은 순서로 결정됩니다.
- fetch(long)의 매개변수
- FIRRemoteConfigSettings.MinimumFetchInterval의 매개변수
- 기본값 12시간
다음 단계
아직 Remote Config 사용 사례를 살펴보지 않았다면 살펴보고 다음을 포함하여 주요 개념과 고급 전략 문서를 참조하세요.