What's the Intent that I need to send in order to open the settings of a Notification Channel that I've previously created in my app? I need to link to it from my app.
Asked
Active
Viewed 9,545 times
3 Answers
42
To open the notification settings for a single channel, use ACTION_CHANNEL_NOTIFICATION_SETTINGS
:
Intent intent = new Intent(Settings.ACTION_CHANNEL_NOTIFICATION_SETTINGS)
.putExtra(Settings.EXTRA_APP_PACKAGE, context.getPackageName())
.putExtra(Settings.EXTRA_CHANNEL_ID, yourChannelId);
startActivity(intent);
To open the notification settings for the app in general (i.e. to see all channels), use ACTION_APP_NOTIFICATION_SETTINGS
:
Intent intent = new Intent(Settings.ACTION_APP_NOTIFICATION_SETTINGS)
.putExtra(Settings.EXTRA_APP_PACKAGE, context.getPackageName());
startActivity(intent);

Adil Hussain
- 30,049
- 21
- 112
- 147

Floern
- 33,559
- 24
- 104
- 119
-
how to open default notification category? – Sagar Oct 16 '18 at 14:55
-
any idea please help? – Sagar Oct 17 '18 at 07:30
-
Also check this one for support older versions than Android O and edge case of Lollipop: https://stackoverflow.com/a/61998544/3101777 – Misha Akopov Aug 23 '20 at 06:43
17
Here the snippets for the notification settings as well as the granular channel settings:
private void openNotificationSettings() {
if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.O) {
Intent intent = new Intent(Settings.ACTION_APP_NOTIFICATION_SETTINGS);
intent.putExtra(Settings.EXTRA_APP_PACKAGE, getPackageName());
startActivity(intent);
} else {
Intent intent = new Intent(Settings.ACTION_APPLICATION_DETAILS_SETTINGS);
intent.setData(Uri.parse("package:" + getPackageName()));
startActivity(intent);
}
}
@RequiresApi(26)
private void openChannelSettings(String channelId) {
Intent intent = new Intent(Settings.ACTION_CHANNEL_NOTIFICATION_SETTINGS);
intent.putExtra(Settings.EXTRA_APP_PACKAGE, getPackageName());
intent.putExtra(Settings.EXTRA_CHANNEL_ID, channelId);
startActivity(intent);
}

Florian Walther
- 6,237
- 5
- 46
- 104
9
Kotlin code, supporting older versions than Android O and edge case of Lollipop:
fun openAppNotificationSettings(context: Context) {
val intent = Intent().apply {
when {
Build.VERSION.SDK_INT >= Build.VERSION_CODES.O -> {
action = Settings.ACTION_APP_NOTIFICATION_SETTINGS
putExtra(Settings.EXTRA_APP_PACKAGE, context.packageName)
}
Build.VERSION.SDK_INT >= Build.VERSION_CODES.LOLLIPOP -> {
action = "android.settings.APP_NOTIFICATION_SETTINGS"
putExtra("app_package", context.packageName)
putExtra("app_uid", context.applicationInfo.uid)
}
else -> {
action = Settings.ACTION_APPLICATION_DETAILS_SETTINGS
addCategory(Intent.CATEGORY_DEFAULT)
data = Uri.parse("package:" + context.packageName)
}
}
}
context.startActivity(intent)
}

Misha Akopov
- 12,241
- 27
- 68
- 82