Filtrar llamadas

Los dispositivos con Android 10 (nivel de API 29) o versiones posteriores permiten que tu app identifique las llamadas de números que no están en la libreta de direcciones del usuario como posible spam llamadas. Los usuarios pueden elegir que se rechacen las llamadas de spam de manera silenciosa. Para proporcionar mayor transparencia para los usuarios cuando pierdan llamadas, información sobre estos bloqueos llamadas se registran en el registro de llamadas. El uso de la API de Android 10 elimina requisito para obtener el READ_CALL_LOG permiso del usuario para proporcionar el número de llamada y el identificador de llamadas funcionalidad.

Se usa un CallScreeningService para filtrar llamadas. Llama al onScreenCall() para las nuevas llamadas entrantes o salientes cuando el número no se encuentra en la lista de contactos del usuario. Puedes consultar Call.Details para obtener información sobre la llamada. En concreto, la getCallerNumberVerificationStatus() incluye información del proveedor de red sobre el otro número. Si el estado de verificación ha fallado, es un buen indicador de que la llamada se a partir de un número no válido o una posible llamada de spam.

Kotlin

class ScreeningService : CallScreeningService() {
    // This function is called when an ingoing or outgoing call
    // is from a number not in the user's contacts list
    override fun onScreenCall(callDetails: Call.Details) {
        // Can check the direction of the call
        val isIncoming = callDetails.callDirection == Call.Details.DIRECTION_INCOMING

        if (isIncoming) {
            // the handle (e.g. phone number) that the Call is currently connected to
            val handle: Uri = callDetails.handle

            // determine if you want to allow or reject the call
            when (callDetails.callerNumberVerificationStatus) {
                Connection.VERIFICATION_STATUS_FAILED -> {
                    // Network verification failed, likely an invalid/spam call.
                }
                Connection.VERIFICATION_STATUS_PASSED -> {
                    // Network verification passed, likely a valid call.
                }
                else -> {
                    // Network could not perform verification.
                    // This branch matches Connection.VERIFICATION_STATUS_NOT_VERIFIED.
                }
            }
        }
    }
}

Java

class ScreeningService extends CallScreeningService {
    @Override
    public void onScreenCall(@NonNull Call.Details callDetails) {
        boolean isIncoming = callDetails.getCallDirection() == Call.Details.DIRECTION_INCOMING;

        if (isIncoming) {
            Uri handle = callDetails.getHandle();

            switch (callDetails.getCallerNumberVerificationStatus()) {
                case Connection.VERIFICATION_STATUS_FAILED:
                    // Network verification failed, likely an invalid/spam call.
                    break;
                case Connection.VERIFICATION_STATUS_PASSED:
                    // Network verification passed, likely a valid call.
                    break;
                default:
                    // Network could not perform verification.
                    // This branch matches Connection.VERIFICATION_STATUS_NOT_VERIFIED
            }
        }
    }
}

Configura la función onScreenCall() para llamar respondToCall() para indicarle al sistema cómo responder a la llamada nueva. Esta función toma un CallResponse que puedes usar para indicarle al sistema que bloquee la llamada, recházala como si lo hizo el usuario o silenciarla. También puedes indicarle al sistema que omita el paso de agregar esto. llamada al registro de llamadas del dispositivo.

Kotlin

// Tell the system how to respond to the incoming call
// and if it should notify the user of the call.
val response = CallResponse.Builder()
    // Sets whether the incoming call should be blocked.
    .setDisallowCall(false)
    // Sets whether the incoming call should be rejected as if the user did so manually.
    .setRejectCall(false)
    // Sets whether ringing should be silenced for the incoming call.
    .setSilenceCall(false)
    // Sets whether the incoming call should not be displayed in the call log.
    .setSkipCallLog(false)
    // Sets whether a missed call notification should not be shown for the incoming call.
    .setSkipNotification(false)
    .build()

// Call this function to provide your screening response.
respondToCall(callDetails, response)

Java

// Tell the system how to respond to the incoming call
// and if it should notify the user of the call.
CallResponse.Builder response = new CallResponse.Builder();
// Sets whether the incoming call should be blocked.
response.setDisallowCall(false);
// Sets whether the incoming call should be rejected as if the user did so manually.
response.setRejectCall(false);
// Sets whether ringing should be silenced for the incoming call.
response.setSilenceCall(false);
// Sets whether the incoming call should not be displayed in the call log.
response.setSkipCallLog(false);
// Sets whether a missed call notification should not be shown for the incoming call.
response.setSkipNotification(false);

// Call this function to provide your screening response.
respondToCall(callDetails, response.build());

Debes registrar la implementación de CallScreeningService en el manifiesto con el filtro de intents y el permiso adecuados para que el sistema correctamente.

<service
    android:name=".ScreeningService"
    android:permission="android.permission.BIND_SCREENING_SERVICE">
    <intent-filter>
        <action android:name="android.telecom.CallScreeningService" />
    </intent-filter>
</service>