我有一个刷新的文本,每次都发生这种情况。
我在另一个具有以下结构的类中调用静态方法方法speak()
:
public class Voc {
static TextToSpeech mytts;
public static void speak(String myText){
mytts=new TextToSpeech(c, new TextToSpeech.OnInitListener() {
//.........parameters and config not related to issue........
}
mytts.speak();
}
public static off(){
mytts.stop();
mytts.shutdown();
}
}
问题在于,如果我在多次off()
次调用后调用speak()
,则tts会继续说话。
如果我在刷新方法中仅调用speak()
一次而不是多次,则不会发生这种情况。
这使我怀疑off()
方法对所有实例都不起作用,尽管我已将所有new TextToSpeech(...)
次调用分配到类Voc
中的相同静态字段。
我该如何解决这个问题?
答案 0 :(得分:0)
您的问题是由于您在每次调用speak()时实例化一个新的TextToSpeech对象,这是不需要的。通过下面提供的更新,您可以关闭并重新启动一个TTS对象,而不是多个,因此当您将其关闭时,单个TTS对象将停止并且您的问题不再存在。
我已经在手机上对此进行了测试,它应该可以正常工作。
请查看我的更新代码:
更新了Voc课程
{foo: null}
主要测试活动
import android.content.Context;
import android.os.Build;
import android.speech.tts.TextToSpeech;
import android.util.Log;
import java.util.Locale;
public class Voc {
static TextToSpeech mytts = null;
public static void init(Context c){
mytts=new TextToSpeech(c, new TextToSpeech.OnInitListener() {
@Override
public void onInit(int status) {
if(status == TextToSpeech.SUCCESS){
int result=mytts.setLanguage(Locale.US);
if(result==TextToSpeech.LANG_NOT_SUPPORTED ||
result==TextToSpeech.LANG_MISSING_DATA){
Log.d("error", "Language not supported");
}
} else
Log.d("error", "TTS failed :(");
}
});
}
public static void speak(final String myText){
if(mytts != null) {
if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.LOLLIPOP) {
mytts.speak(myText, TextToSpeech.QUEUE_FLUSH, null, null);
} else {
//cover all versions...
mytts.speak(myText, TextToSpeech.QUEUE_FLUSH, null);
}
}
}
public static void off(){
if(mytts !=null) {
mytts.stop();
//mytts.shutdown(); //calling this here is not what we want
}
}
public static void shutdown(){
if(mytts !=null) {
mytts.shutdown(); //if you need call shutdown with this method
}
}
}
测试的示例布局
import android.os.Bundle;
import android.support.v7.app.AppCompatActivity;
import android.view.View;
import android.widget.Button;
public class MainActivity extends AppCompatActivity {
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
setContentView(R.layout.activity_main);
Voc.init(getApplicationContext()); //this is the method that sets everything up
Button onButton = (Button) findViewById(R.id.button_on);
onButton.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
Voc.speak("blah blah blah blah blah blah blah blah");
}
});
Button offButton = (Button) findViewById(R.id.button_off);
offButton.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View v) {
Voc.off();
}
});
}
}