디지털 사용자 인증 정보 확인

Android 앱 내 디지털 사용자 인증 정보 확인은 사용자의 신원 (예: 정부 발급 신분증), 사용자에 관한 속성 (예: 운전면허증, 학위, 연령 또는 주소와 같은 속성) 또는 사용자 인증 정보를 발급하고 확인하여 항목의 진위를 확인해야 하는 기타 시나리오를 인증하고 승인하는 데 사용할 수 있습니다.

디지털 인증서는 디지털 지갑에서 사용자의 확인 가능한 디지털 인증서에 액세스하는 방법을 지정하는 공개 W3C 인큐베이터 표준으로, W3C 인증 관리 API를 사용하여 웹 사용 사례용으로 구현됩니다. Android에서는 인증 관리자의 DigitalCredential API가 디지털 사용자 인증 정보를 확인하는 데 사용됩니다.

구현

Android 프로젝트에서 디지털 사용자 인증 정보를 확인하려면 다음 단계를 따르세요.

  1. 앱의 빌드 스크립트에 종속 항목을 추가하고 CredentialManager 클래스를 초기화합니다.
  2. 디지털 사용자 인증 정보 요청을 구성하고 이를 사용하여 DigitalCredentialOption를 초기화한 후 GetCredentialRequest를 빌드합니다.
  3. 생성된 요청으로 getCredential 흐름을 실행하여 성공적인 GetCredentialResponse을 수신하거나 발생할 수 있는 예외를 처리합니다. 검색에 성공하면 응답을 검증합니다.

종속 항목 추가 및 초기화

Gradle 빌드 스크립트에 다음 종속 항목을 추가합니다.

dependencies {
    implementation("androidx.credentials:credentials:1.5.0-beta01")
    implementation("androidx.credentials:credentials-play-services-auth:1.5.0-beta01")
}

다음으로 CredentialManager 클래스의 인스턴스를 초기화합니다.

val credentialManager = CredentialManager.create(context)

디지털 사용자 인증 정보 요청 구성

디지털 사용자 인증 정보 요청을 구성하고 이를 사용하여 DigitalCredentialOption를 초기화합니다.

// The request in the JSON format to conform with
// the JSON-ified Digital Credentials API request definition.
val requestJson = generateRequestFromServer()
val digitalCredentialOption =
    GetDigitalCredentialOption(requestJson = requestJson)

// Use the option from the previous step to build the `GetCredentialRequest`.
val getCredRequest = GetCredentialRequest(
    listOf(digitalCredentialOption)
)

사용자 인증 정보 가져오기

생성된 요청으로 getCredential 흐름을 시작합니다. 요청이 성공하면 GetCredentialResponse이, 실패하면 GetCredentialException이 반환됩니다.

getCredential 흐름은 Android 시스템 대화상자를 트리거하여 사용자에게 사용 가능한 사용자 인증 정보 옵션을 표시하고 선택사항을 수집합니다. 그런 다음 선택한 사용자 인증 정보 옵션이 포함된 지갑 앱에 동의를 수집하고 디지털 사용자 인증 정보 응답을 생성하는 데 필요한 작업을 실행하는 UI가 표시됩니다.

coroutineScope.launch {
    try {
        val result = credentialManager.getCredential(
            context = activityContext,
            request = getCredRequest
        )
        verifyResult(result)
    } catch (e : GetCredentialException) {
        handleFailure(e)
    }
}

// Handle the successfully returned credential.
fun verifyResult(result: GetCredentialResponse) {
    val credential = result.credential
    when (credential) {
        is DigitalCredential -> {
            val responseJson = credential.credentialJson
            validateResponseOnServer(responseJson)
        }
        else -> {
            // Catch any unrecognized credential type here.
            Log.e(TAG, "Unexpected type of credential ${credential.type}")
        }
    }
}

// Handle failure.
fun handleFailure(e: GetCredentialException) {
  when (e) {
        is GetCredentialCancellationException -> {
            // The user intentionally canceled the operation and chose not
            // to share the credential.
        }
        is GetCredentialInterruptedException -> {
            // Retry-able error. Consider retrying the call.
        }
        is NoCredentialException -> {
            // No credential was available.
        }
        is CreateCredentialUnknownException -> {
            // An unknown, usually unexpected, error has occurred. Check the
            // message error for any additional debugging information.
        }
        is CreateCredentialCustomException -> {
            // You have encountered a custom error thrown by the wallet.
            // If you made the API call with a request object that's a
            // subclass of CreateCustomCredentialRequest using a 3rd-party SDK,
            // then you should check for any custom exception type constants
            // within that SDK to match with e.type. Otherwise, drop or log the
            // exception.
        }
        else -> Log.w(TAG, "Unexpected exception type ${e::class.java}")
    }
}