1

任何人都可以帮我解决我在这里出错的地方。在按钮上单击媒体播放器随机播放其中一个 mfile,我正在尝试根据播放的文件设置文本视图。目前 setText if 语句只匹配一半时间播放的音频。真的不知道我要去哪里错了。

private final int SOUND_CLIPS = 3;
private int mfile[] = new int[SOUND_CLIPS];
private Random rnd = new Random();

MediaPlayer mpButtonOne;

@Override
protected void onCreate(Bundle savedInstanceState) {
    super.onCreate(savedInstanceState);
    setContentView(R.layout.activity_main);

    mfile[0] = R.raw.one;  
    mfile[1] = R.raw.two;  
    mfile[2] = R.raw.three; 

    //Button setup
    Button bOne = (Button) findViewById(R.id.button1);
    bOne.setOnClickListener(new View.OnClickListener() {

        @Override
        public void onClick(View v) {

            final TextView textOne = (TextView)findViewById(R.id.textView1);
                        mpButtonOne = MediaPlayer.create(MainActivity.this, mfile[rnd.nextInt(SOUND_CLIPS)]);
             if (mpButtonOne==null){
                    //display a Toast message here

                    return;
             }


             mpButtonOne.start();
             if (mfile[rnd.nextInt(SOUND_CLIPS)] == mfile[0]){
                 textOne.setText("one");
             }
             if (mfile[rnd.nextInt(SOUND_CLIPS)] == mfile[1]){
                 textOne.setText("two");
             }               
             if (mfile[rnd.nextInt(SOUND_CLIPS)] == mfile[2]){
                 textOne.setText("three");
             }
                mpButtonOne.setOnCompletionListener(new soundListener1());
                {
                }

所以只是为了澄清我遇到的问题是 setText 只是偶尔匹配音频,而不是每次点击。其余时间它为错误的音频显示错误的文本。

4

1 回答 1

1

您正在选择另一个随机文件

mfile[rnd.nextInt(SOUND_CLIPS)]

将其设置为一个变量,然后在您的语句中onClick()检查该变量if

 public void onClick(View v) {

    int song = mfile[rnd.nextInt(SOUND_CLIPS)];
    final TextView textOne = (TextView)findViewById(R.id.textView1);
    mpButtonOne = MediaPlayer.create(MainActivity.this, song);


    if (song == mfile[0]){
        textOne.setText("one");
    }

编辑

要使其成为成员变量以便您可以在类中的任何位置使用它,只需在方法之外声明它即可。通常在此之前执行此操作,onCreate()以便所有成员变量都在同一个位置,这会使您的代码更具可读性/可管理性。

public class SomeClass extends Activity
{
    int song;

    public void onCreate()
    {
        // your code
    }

然后你可以在你的初始化它onClick()

 public void onClick(View v) {

     song = mfile[rnd.nextInt(SOUND_CLIPS)];
     final TextView textOne = (TextView)findViewById(R.id.textView1);
     mpButtonOne = MediaPlayer.create(MainActivity.this, song);
于 2013-09-11T19:12:07.020 回答