我有一个类似的问题。原来,当铃声播放时,它会无限重复直到停止,而当播放通知声音时,它只会播放一次。所以我的猜测是你的情况的区别在于是否选择了铃声或通知声音someFunctionToLookupAValidNotificationRingtoneUri()
。由于您没有提供代码someFunctionToLookupAValidNotificationRingtoneUri()
,我不知道那里发生了什么。
选择通知声音
如果您使用铃声选择器让用户选择通知声音,则此代码将启动意图选择通知声音而不是铃声:
private void PickANotificationSound() {
Intent intent = new Intent(RingtoneManager.ACTION_RINGTONE_PICKER);
// We want a notification sound picked. If we don't add this to the
// intent, a ringtone is picked; this means that when it is played,
// it will keep on playing until it is explicitly stopped. A
// notification sound, however, plays only once.
intent.putExtra(RingtoneManager.EXTRA_RINGTONE_TYPE,
RingtoneManager.TYPE_NOTIFICATION);
// Start the intent to pick a notification sound. The result will show
// up later when onActivityResult() is called.
startActivityForResult(intent, REQUESTCODE_NOTIFICATION_SOUND);
}
whereREQUESTCODE_NOTIFICATION_SOUND
只是一个具有任何名称和值的局部常量,用于标识请求:
private static final int REQUESTCODE_NOTIFICATION_SOUND = 1;
像这样的onActivityResult()
回调函数将获取通知声音 URI 并播放它:
@Override
protected void onActivityResult(int requestCode, int resultCode,
Intent data) {
if (requestCode == REQUESTCODE_NOTIFICATION_SOUND) {
try {
if (resultCode == RESULT_OK) {
Uri ringtoneUri = data.getParcelableExtra(
RingtoneManager.EXTRA_RINGTONE_PICKED_URI);
if (ringtoneUri != null) {
PlayRingtoneOrNotificationSoundFromUri(ringtoneUri);
}
}
} catch (Exception e) {
e.printStackTrace();
}
} else
super.onActivityResult(requestCode, resultCode, data);
}
private void PlayRingtoneOrNotificationSoundFromUri(Uri ringtoneUri) {
Ringtone ringtone = RingtoneManager.getRingtone(
getApplicationContext(), ringtoneUri);
if (ringtone != null) {
ringtone.play();
}
}
因为我们在意图中说过要选择通知声音,所以生成的声音是通知声音,因此在调用 后只播放一次ringtone.play()
。
如果我们有意选择一个铃声,像这样:
intent.putExtra(RingtoneManager.EXTRA_RINGTONE_TYPE,
RingtoneManager.TYPE_RINGTONE);
选择器将返回一个铃声,该铃声将在ringtone.play()
通话后无限期播放——直到被停止ringtone.stop()
或应用程序被终止。
“铃声”的两种含义
请注意,Android API 中的术语增加了混淆,因为“铃声”一词有两种不同的含义(参见 RingtoneManager 的文档):
任何旨在引起用户注意的声音,例如电话响铃时重复播放的声音、通知声音或类似声音。名称中使用了这个含义RingtoneManager
。
电话响铃时重复播放的声音,而不是通知声音或类似声音。这个意思用在名字TYPE_RINGTONE
中RingtoneManager.TYPE_RINGTONE
。