Reputation: 207
activity?.sendBroadcast(Intent(Intent.ACTION_MEDIA_SCANNER_SCAN_FILE,Uri.fromFile(copyFile)))
I got the warning
ACTION_MEDIA_SCANNER_SCAN_FILE is deprecated.
in above code
Is there a simple replacement code?
Upvotes: 18
Views: 15336
Reputation: 29844
If you're using the Media Store API passing it to the resolver will already trigger a media scan. Here an example for an image:
val contentValues = ContentValues().apply {
put(MediaStore.MediaColumns.DISPLAY_NAME, "test.jpg")
put(MediaStore.MediaColumns.MIME_TYPE, "image/jpg")
put(MediaStore.MediaColumns.RELATIVE_PATH, Environment.DIRECTORY_PICTURES) // requires API level 29
}
// this also adds it to the gallery
contentResolver.insert(MediaStore.Images.Media.EXTERNAL_CONTENT_URI, contentValues)
Upvotes: 1
Reputation: 1271
ACTION_MEDIA_SCANNER_SCAN_FILE Deprecated!
You can use the following
Java
File file = new File(filePath);
MediaScannerConnection.scanFile(context,
new String[]{file.toString()},
null, null);
Kotlin
val file = File(filePath)
MediaScannerConnection.scanFile(context, arrayOf(file.toString()),
null, null)
This will request the media scanner to scan the files at the specified path. Also, it is worth noticing that 3rd and 4th param in scanFile() method is null in the above example. However the third param can be used to optionally specify the MIME TYPE of the file and the fourth param can be used to supply a listener to listen to the scan completion event.
Refer developer site for details
Following is the deprecated way
sendBroadcast(new Intent(Intent.ACTION_MEDIA_SCANNER_SCAN_FILE, Uri.fromFile(file)));
Upvotes: 36
Reputation: 120
From https://developer.android.com/reference/android/content/Intent.html#ACTION_MEDIA_SCANNER_SCAN_FILE
This constant was deprecated in API level 29. Callers should migrate to inserting items directly into MediaStore, where they will be automatically scanned after each mutation
Upvotes: -1