«Сеть не подключена» при использовании распознавания голоса на эмуляторе и реальном устройстве, несмотря на манифест - PullRequest
0 голосов
/ 15 марта 2019

Я пытаюсь настроить распознавание голоса на Android Studio.

Я использую учебник с этого сайта .

Мне известны некоторые типичные проблемы с распознаванием голоса, поэтому я дважды проверил, что:

  1. Мой файл манифеста включает дополнительные разрешения.
  2. Сеть работает на эмуляторе.
  3. Проверка доступности эмулятора распознавания голоса - пройдено.

Я тестировал его на эмуляторе (Nexus 5X API 28 x86).

Распознавание голоса говорит, что «Сеть не подключена» (что не соответствует действительности):

enter image description here

Файл моего манифеста:

<?xml version="1.0" encoding="utf-8"?>
<manifest xmlns:android="http://schemas.android.com/apk/res/android"
package="com.example.mei.chat">
<uses-permission android:name="android.permission.INTERNET" />
<uses-permission android:name="android.permission.RECORD_AUDIO" />
<uses-permission android:name="android.permission.BLUETOOTH" />

<application
    android:allowBackup="true"
    android:icon="@mipmap/ic_launcher"
    android:label="@string/app_name"
    android:roundIcon="@mipmap/ic_launcher_round"
    android:supportsRtl="true"
    android:theme="@style/AppTheme">
    <activity
        android:name="com.example.mei.chat.SimpleVoiceRecognition"
        android:label="@string/title_activity_simple_voice_recognition"
        android:theme="@style/AppTheme.NoActionBar"></activity>
    <activity android:name="com.example.mei.chat.MainActivity">
        <intent-filter>
            <action android:name="android.intent.action.MAIN" />

            <category android:name="android.intent.category.LAUNCHER" />
        </intent-filter>
    </activity>
</application>

</manifest>

Мой файл MainActivity:

package com.example.mei.chat;

import android.app.Activity;
import android.content.Intent;
import android.speech.RecognizerIntent;
import android.support.v7.app.AppCompatActivity;
import android.os.Bundle;
import android.widget.TextView;
import java.util.List;

public class MainActivity extends Activity {

private final int REQUEST_SPEECH_RECOGNIZER = 3000;
//private TextView mTextView;
private final String mQuestion = "Which company is the largest online retailer on the planet?";
private String mAnswer = "";

@Override
protected void onCreate(Bundle savedInstanceState) {
    super.onCreate(savedInstanceState);

    setContentView(R.layout.activity_main);
   // mTextView = (TextView)findViewById(R.id.tvstt);

    startSpeechRecognizer();
}

private void startSpeechRecognizer() {
    Intent intent = new Intent(RecognizerIntent.ACTION_RECOGNIZE_SPEECH);
    intent.putExtra(RecognizerIntent.EXTRA_LANGUAGE_MODEL, RecognizerIntent.LANGUAGE_MODEL_FREE_FORM);
    intent.putExtra(RecognizerIntent.EXTRA_PROMPT, mQuestion);
    startActivityForResult(intent, REQUEST_SPEECH_RECOGNIZER);
}

@Override
protected void onActivityResult(int requestCode, int resultCode, Intent data) {
    super.onActivityResult(requestCode, resultCode, data);

    if (requestCode == REQUEST_SPEECH_RECOGNIZER) {
        if (resultCode == RESULT_OK) {
            List<String> results = data.getStringArrayListExtra(RecognizerIntent.EXTRA_RESULTS);
            mAnswer = results.get(0);
            ...
        }
    }
}
}

Журнал выполнения выглядит чистым (кажется, что единственными «ошибками» являются сведения об ускорении графического процессора, и я думаю, что они безвредны - «E / eglCodecCommon»):

03/15 18:44:12: Launching app
$ adb shell am start -n "com.example.sergeherkul.hellotoast/com.example.mei.chat.MainActivity" -a android.intent.action.MAIN -c android.intent.category.LAUNCHER
Client not ready yet..Waiting for process to come online
Connected to process 18254 on device Nexus_5X_API_28_x86 [emulator-5554]
Capturing and displaying logcat messages from application. This behavior can be disabled in the "Logcat output" section of the "Debugger" settings page.
I/rkul.hellotoas: Not late-enabling -Xcheck:jni (already on)
W/rkul.hellotoas: Unexpected CPU variant for X86 using defaults: x86
I/rkul.hellotoas: The ClassLoaderContext is a special shared library.
W/rkul.hellotoas: JIT profile information will not be recorded: profile file does not exits.
I/chatty: uid=10086(com.example.sergeherkul.hellotoast) identical 10 lines
W/rkul.hellotoas: JIT profile information will not be recorded: profile file does not exits.
I/InstantRun: starting instant run server: is main process
D/OpenGLRenderer: Skia GL Pipeline
D/: HostConnection::get() New Host Connection established 0xe0894b80, tid 18280
I/ConfigStore: android::hardware::configstore::V1_0::ISurfaceFlingerConfigs::hasWideColorDisplay retrieved: 0
I/ConfigStore: android::hardware::configstore::V1_0::ISurfaceFlingerConfigs::hasHDRDisplay retrieved: 0
I/OpenGLRenderer: Initialized EGL, version 1.4
D/OpenGLRenderer: Swap behavior 1
W/OpenGLRenderer: Failed to choose config with EGL_SWAP_BEHAVIOR_PRESERVED, retrying without...
D/OpenGLRenderer: Swap behavior 0
D/EGL_emulation: eglCreateContext: 0xe40de700: maj 3 min 1 rcv 4
D/EGL_emulation: eglMakeCurrent: 0xe40de700: ver 3 1 (tinfo 0xe8047b00)
E/eglCodecCommon: glUtilsParamSize: unknow param 0x000082da
E/eglCodecCommon: glUtilsParamSize: unknow param 0x000082da
D/EGL_emulation: eglMakeCurrent: 0xe40de700: ver 3 1 (tinfo 0xe8047b00)

Чтобы проверить, доступен ли распознаватель голоса на эмуляторе, я использовал следующий код:

PackageManager pm = getPackageManager();
List activities = pm.queryIntentActivities(new Intent(
    RecognizerIntent.ACTION_RECOGNIZE_SPEECH), 0);
if (activities.size() == 0) {
    Toast.makeText(this, "Voice recognizer is not available in your device", Toast.LENGTH_SHORT).show();
}else{
    Toast.makeText(this, "OK. Voice recognizer is available.", Toast.LENGTH_SHORT).show();
}
...