Android marshmallow request permission?

后端 未结 24 2046
無奈伤痛
無奈伤痛 2020-11-21 06:40

I am currently working on an application that requires several \"dangerous\" permissions. So I tried adding \"ask for permission\" as required in Android Marshmallow(API Lev

相关标签:
24条回答
  • 2020-11-21 07:18

    Starting in Android Marshmallow, we need to request the user for specific permissions. We can also check through code if the permission is already given. Here is a list of commonly needed permissions:

    • android.permission_group.CALENDAR

      • android.permission.READ_CALENDAR
      • android.permission.WRITE_CALENDAR
    • android.permission_group.CAMERA

      • android.permission.CAMERA
    • android.permission_group.CONTACTS

      • android.permission.READ_CONTACTS
      • android.permission.WRITE_CONTACTS
      • android.permission.GET_ACCOUNTS
    • android.permission_group.LOCATION

      • android.permission.ACCESS_FINE_LOCATION
      • android.permission.ACCESS_COARSE_LOCATION
    • android.permission_group.MICROPHONE

      • android.permission.RECORD_AUDIO
    • android.permission_group.PHONE

      • android.permission.READ_PHONE_STATE
      • android.permission.CALL_PHONE
      • android.permission.READ_CALL_LOG
      • android.permission.WRITE_CALL_LOG
      • android.permission.ADD_VOICEMAIL
      • android.permission.USE_SIP
      • android.permission.PROCESS_OUTGOING_CALLS
    • android.permission_group.SENSORS

      • android.permission.BODY_SENSORS
    • android.permission_group.SMS

      • android.permission.SEND_SMS
      • android.permission.RECEIVE_SMS
      • android.permission.READ_SMS
      • android.permission.RECEIVE_WAP_PUSH
      • android.permission.RECEIVE_MMS
      • android.permission.READ_CELL_BROADCASTS
    • android.permission_group.STORAGE

      • android.permission.READ_EXTERNAL_STORAGE
      • android.permission.WRITE_EXTERNAL_STORAGE

    Here is sample code to check for permissions:

    if (ContextCompat.checkSelfPermission(context, Manifest.permission.WRITE_CALENDAR) != PackageManager.PERMISSION_GRANTED) {
        if (ActivityCompat.shouldShowRequestPermissionRationale((Activity) context, Manifest.permission.WRITE_CALENDAR)) {
            AlertDialog.Builder alertBuilder = new AlertDialog.Builder(context);
            alertBuilder.setCancelable(true);
            alertBuilder.setMessage("Write calendar permission is necessary to write event!!!");
            alertBuilder.setPositiveButton(android.R.string.yes, new DialogInterface.OnClickListener() {
                @TargetApi(Build.VERSION_CODES.JELLY_BEAN)
                public void onClick(DialogInterface dialog, int which) {
                    ActivityCompat.requestPermissions((Activity)context, new String[]{Manifest.permission.WRITE_CALENDAR}, MY_PERMISSIONS_REQUEST_WRITE_CALENDAR);
                }
            });
        } else {
            ActivityCompat.requestPermissions((Activity)context, new String[]{Manifest.permission.WRITE_CALENDAR}, MY_PERMISSIONS_REQUEST_WRITE_CALENDAR);
        }
    }
    
    0 讨论(0)
  • 2020-11-21 07:18

    I went through all answers, but doesn't satisfied my exact needed answer, so here is an example that I wrote and perfectly works, even user clicks the Don't ask again checkbox.

    1. Create a method that will be called when you want to ask for runtime permission like readContacts() or you can also have openCamera() as shown below:

      private void readContacts() {
          if (!askContactsPermission()) {
              return;
          } else {
              queryContacts();
          } }
      

    Now we need to make askContactsPermission(), you can also name it as askCameraPermission() or whatever permission you are going to ask.

        private boolean askContactsPermission() {
        if (Build.VERSION.SDK_INT < Build.VERSION_CODES.M) {
            return true;
        }
        if (checkSelfPermission(READ_CONTACTS) == PackageManager.PERMISSION_GRANTED) {
            return true;
        }
        if (shouldShowRequestPermissionRationale(READ_CONTACTS)) {
            Snackbar.make(parentLayout, R.string.permission_rationale, Snackbar.LENGTH_INDEFINITE)
                    .setAction(android.R.string.ok, new View.OnClickListener() {
                        @Override
                        @TargetApi(Build.VERSION_CODES.M)
                        public void onClick(View v) {
                            requestPermissions(new String[]{READ_CONTACTS}, REQUEST_READ_CONTACTS);
                        }
                    }).show();
        } else if (contactPermissionNotGiven) {
            openPermissionSettingDialog();
        } else {
            requestPermissions(new String[]{READ_CONTACTS}, REQUEST_READ_CONTACTS);
            contactPermissionNotGiven = true;
    
        }
        return false;
    }
    

    Before writing this function make sure you have defined the below instance variable as shown:

        private View parentLayout;
        private boolean contactPermissionNotGiven;;
    
    
    /**
     * Id to identity READ_CONTACTS permission request.
     */
    private static final int REQUEST_READ_CONTACTS = 0;
    

    Now final step to override the onRequestPermissionsResult method as shown below:

    /**
     * Callback received when a permissions request has been completed.
     */
    @RequiresApi(api = Build.VERSION_CODES.M)
    @Override
    public void onRequestPermissionsResult(int requestCode, @NonNull String[] permissions,
                                           @NonNull int[] grantResults) {
        if (requestCode == REQUEST_READ_CONTACTS) {
            if (grantResults.length == 1 && grantResults[0] == PackageManager.PERMISSION_GRANTED) {
                queryContacts();
            }
        }
    }
    

    Here we are done with the RunTime permissions, the addon is the openPermissionSettingDialog() which simply open the Setting screen if user have permanently disable the permission by clicking Don't ask again checkbox. below is the method:

        private void openPermissionSettingDialog() {
        String message = getString(R.string.message_permission_disabled);
        AlertDialog alertDialog =
                new AlertDialog.Builder(MainActivity.this, AlertDialog.THEME_DEVICE_DEFAULT_LIGHT)
                        .setMessage(message)
                        .setPositiveButton(getString(android.R.string.ok),
                                new DialogInterface.OnClickListener() {
                                    @Override
                                    public void onClick(DialogInterface dialog, int which) {
                                        Intent intent = new Intent();
                                        intent.setAction(Settings.ACTION_APPLICATION_DETAILS_SETTINGS);
                                        Uri uri = Uri.fromParts("package", getPackageName(), null);
                                        intent.setData(uri);
                                        startActivity(intent);
                                        dialog.cancel();
                                    }
                                }).show();
        alertDialog.setCanceledOnTouchOutside(true);
    }
    

    What we missed ? 1. Defining the used strings in strings.xml

    <string name="permission_rationale">"Contacts permissions are needed to display Contacts."</string>
        <string name="message_permission_disabled">You have disabled the permissions permanently,
            To enable the permissions please go to Settings -> Permissions and enable the required Permissions,
            pressing OK you will be navigated to Settings screen</string>

    1. Initializing the parentLayout variable inside onCreate method

      parentLayout = findViewById(R.id.content);

    2. Defining the required permission in AndroidManifest.xml

    <uses-permission android:name="android.permission.READ_CONTACTS" />

    1. The queryContacts method, based on your need or the runtime permission you can call your method before which the permission was needed. in my case I simply use the loader to fetch the contact as shown below:

      private void queryContacts() {
      getLoaderManager().initLoader(0, null, this);}
      

    This works great happy coding :)

    0 讨论(0)
  • 2020-11-21 07:19

    Run time permission creates a lot of boilerplate code in activity which is heavily coupled. To reduce code and make the thing easy, you can use Dexter library.

    0 讨论(0)
  • 2020-11-21 07:20

    This code below works perfectly.I am explaining with the help of an example.

    In my case i placed the permission checks separately in a util class and passed the specific permissions i need to check from the appropriate classes.This enabled to reuse the permission check util file in the whole application.

    The below code part shows the function call.In this case am requesting android.Manifest.permission.READ_EXTERNAL_STORAGE permission.

    //the below call is from a fragment
         @OnClick(R.id.button)//butterknife implementation
            public void attachPressed() {
                if (PermissionUtils.hasThisPermission(getContext(), android.Manifest.permission.READ_EXTERNAL_STORAGE)) {
                    onAttachPressed();
                } else {
                    PermissionUtils.isPermissionRequestNeeded(getActivity(), this, android.Manifest.permission.READ_EXTERNAL_STORAGE, PermissionUtils.REQUEST_GROUP_STORAGE);
                }
            }   
    

    In the above case permission is checked if it is allowed the onAttachPressed(); function is called else we check request permission.

    The below is the code present in the util class in my case PermissionUtils

    public final class PermissionUtils {
    
        public static final int REQUEST_GROUP_STORAGE = 1508;
    
        private PermissionUtils() {
        }
    
        public static boolean hasThisPermission(Context context, String permission) {
            if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.M) {
                return ActivityCompat.checkSelfPermission(context, permission) == PackageManager.PERMISSION_GRANTED;
            } else {
                return true;
            }
        }
    
        public static boolean isPermissionRequestNeeded(Activity activity, Fragment fragment, String permission, int requestCode) {
            if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.M && !hasThisPermission(activity, permission)) {
                final String[] permissions = new String[]{permission};
                if (fragment == null) {
                    activity.requestPermissions(permissions, requestCode);
                } else {
                    fragment.requestPermissions(permissions, requestCode);
                }
                return true;
            }
            return false;
        }
    }
    

    And after the request if you might want to call the function from onRequestPermissionsResult or else you will need to press the button again for the function call.

    So just call it from onRequestPermissionsResult

    //the below call  is from a fragment
         @Override
            public void onRequestPermissionsResult(int requestCode, String[] permissions, int[] grantResults) {
                if (requestCode == PermissionUtils.REQUEST_GROUP_STORAGE && grantResults.length > 0 && grantResults[0] == PackageManager.PERMISSION_GRANTED) {
                    onAttachPressed();
                } else {
                    Log.e("value", "Permission Denied, You cannot use local drive .");
                }
            }
    
    0 讨论(0)
  • 2020-11-21 07:24

    My class for request runtime permissions in Activity or Fragment

    It also help you show rationale or open Setting to enable permission after user denied a permission (with/without Never ask again) option easier

    class RequestPermissionHandler(private val activity: Activity? = null,
                                   private val fragment: Fragment? = null,
                                   private val permissions: Set<String> = hashSetOf(),
                                   private val listener: Listener? = null
    ) {
        private var hadShowRationale: Boolean = false
    
        fun requestPermission() {
            hadShowRationale = showRationaleIfNeed()
            if (!hadShowRationale) {
                doRequestPermission(permissions)
            }
        }
    
        fun retryRequestDeniedPermission() {
            doRequestPermission(permissions)
        }
    
        private fun showRationaleIfNeed(): Boolean {
            val unGrantedPermissions = getPermission(permissions, Status.UN_GRANTED)
            val permanentDeniedPermissions = getPermission(unGrantedPermissions, Status.PERMANENT_DENIED)
            if (permanentDeniedPermissions.isNotEmpty()) {
                val consume = listener?.onShowSettingRationale(unGrantedPermissions)
                if (consume != null && consume) {
                    return true
                }
            }
    
            val temporaryDeniedPermissions = getPermission(unGrantedPermissions, Status.TEMPORARY_DENIED)
            if (temporaryDeniedPermissions.isNotEmpty()) {
                val consume = listener?.onShowPermissionRationale(temporaryDeniedPermissions)
                if (consume != null && consume) {
                    return true
                }
            }
            return false
        }
    
        fun requestPermissionInSetting() {
            val intent = Intent(Settings.ACTION_APPLICATION_DETAILS_SETTINGS)
            val packageName = activity?.packageName ?: run {
                fragment?.requireActivity()?.packageName
            }
            val uri = Uri.fromParts("package", packageName, null)
            intent.data = uri
            activity?.apply {
                startActivityForResult(intent, REQUEST_CODE)
            } ?: run {
                fragment?.startActivityForResult(intent, REQUEST_CODE)
            }
        }
    
        fun onRequestPermissionsResult(requestCode: Int, permissions: Array<String>,
                                       grantResults: IntArray) {
            if (requestCode == REQUEST_CODE) {
                for (i in grantResults.indices) {
                    if (grantResults[i] == PackageManager.PERMISSION_GRANTED) {
                        markNeverAskAgainPermission(permissions[i], false)
                    } else if (!shouldShowRequestPermissionRationale(permissions[i])) {
                        markNeverAskAgainPermission(permissions[i], true)
                    }
                }
                var hasShowRationale = false
                if (!hadShowRationale) {
                    hasShowRationale = showRationaleIfNeed()
                }
                if (hadShowRationale || !hasShowRationale) {
                    notifyComplete()
                }
            }
        }
    
        fun onActivityResult(requestCode: Int) {
            if (requestCode == REQUEST_CODE) {
                getPermission(permissions, Status.GRANTED).forEach {
                    markNeverAskAgainPermission(it, false)
                }
                notifyComplete()
            }
        }
    
        fun cancel() {
            notifyComplete()
        }
    
        private fun doRequestPermission(permissions: Set<String>) {
            activity?.let {
                ActivityCompat.requestPermissions(it, permissions.toTypedArray(), REQUEST_CODE)
            } ?: run {
                fragment?.requestPermissions(permissions.toTypedArray(), REQUEST_CODE)
            }
        }
    
        private fun getPermission(permissions: Set<String>, status: Status): Set<String> {
            val targetPermissions = HashSet<String>()
            for (p in permissions) {
                when (status) {
                    Status.GRANTED -> {
                        if (isPermissionGranted(p)) {
                            targetPermissions.add(p)
                        }
                    }
                    Status.TEMPORARY_DENIED -> {
                        if (shouldShowRequestPermissionRationale(p)) {
                            targetPermissions.add(p)
                        }
                    }
                    Status.PERMANENT_DENIED -> {
                        if (isNeverAskAgainPermission(p)) {
                            targetPermissions.add(p)
                        }
                    }
                    Status.UN_GRANTED -> {
                        if (!isPermissionGranted(p)) {
                            targetPermissions.add(p)
                        }
                    }
                }
            }
            return targetPermissions
        }
    
        private fun isPermissionGranted(permission: String): Boolean {
            return activity?.let {
                ActivityCompat.checkSelfPermission(it, permission) == PackageManager.PERMISSION_GRANTED
            } ?: run {
                ActivityCompat.checkSelfPermission(fragment!!.requireActivity(), permission) == PackageManager.PERMISSION_GRANTED
            }
        }
    
        private fun shouldShowRequestPermissionRationale(permission: String): Boolean {
            return activity?.let {
                ActivityCompat.shouldShowRequestPermissionRationale(it, permission)
            } ?: run {
                ActivityCompat.shouldShowRequestPermissionRationale(fragment!!.requireActivity(), permission)
            }
        }
    
        private fun notifyComplete() {
            listener?.onComplete(getPermission(permissions, Status.GRANTED), getPermission(permissions, Status.UN_GRANTED))
        }
    
        private fun getPrefs(context: Context): SharedPreferences {
            return context.getSharedPreferences("SHARED_PREFS_RUNTIME_PERMISSION", Context.MODE_PRIVATE)
        }
    
        private fun isNeverAskAgainPermission(permission: String): Boolean {
            return getPrefs(requireContext()).getBoolean(permission, false)
        }
    
        private fun markNeverAskAgainPermission(permission: String, value: Boolean) {
            getPrefs(requireContext()).edit().putBoolean(permission, value).apply()
        }
    
        private fun requireContext(): Context {
            return fragment?.requireContext() ?: run {
                activity!!
            }
        }
    
        enum class Status {
            GRANTED, UN_GRANTED, TEMPORARY_DENIED, PERMANENT_DENIED
        }
    
        interface Listener {
            fun onComplete(grantedPermissions: Set<String>, deniedPermissions: Set<String>)
            fun onShowPermissionRationale(permissions: Set<String>): Boolean
            fun onShowSettingRationale(permissions: Set<String>): Boolean
        }
    
        companion object {
            const val REQUEST_CODE = 200
        }
    }
    

    Using in Activity like

    class MainActivity : AppCompatActivity() {
        private lateinit var smsAndStoragePermissionHandler: RequestPermissionHandler
    
        override fun onCreate(savedInstanceState: Bundle?) {
            super.onCreate(savedInstanceState)
            setContentView(R.layout.activity_main)
    
            smsAndStoragePermissionHandler = RequestPermissionHandler(this@MainActivity,
                    permissions = setOf(Manifest.permission.RECEIVE_SMS, Manifest.permission.READ_EXTERNAL_STORAGE),
                    listener = object : RequestPermissionHandler.Listener {
                        override fun onComplete(grantedPermissions: Set<String>, deniedPermissions: Set<String>) {
                            Toast.makeText(this@MainActivity, "complete", Toast.LENGTH_SHORT).show()
                            text_granted.text = "Granted: " + grantedPermissions.toString()
                            text_denied.text = "Denied: " + deniedPermissions.toString()
                        }
    
                        override fun onShowPermissionRationale(permissions: Set<String>): Boolean {
                            AlertDialog.Builder(this@MainActivity).setMessage("To able to Send Photo, we need SMS and" + " Storage permission")
                                    .setPositiveButton("OK") { _, _ ->
                                        smsAndStoragePermissionHandler.retryRequestDeniedPermission()
                                    }
                                    .setNegativeButton("Cancel") { dialog, _ ->
                                        smsAndStoragePermissionHandler.cancel()
                                        dialog.dismiss()
                                    }
                                    .show()
                            return true // don't want to show any rationale, just return false here
                        }
    
                        override fun onShowSettingRationale(permissions: Set<String>): Boolean {
                            AlertDialog.Builder(this@MainActivity).setMessage("Go Settings -> Permission. " + "Make SMS on and Storage on")
                                    .setPositiveButton("Settings") { _, _ ->
                                        smsAndStoragePermissionHandler.requestPermissionInSetting()
                                    }
                                    .setNegativeButton("Cancel") { dialog, _ ->
                                        smsAndStoragePermissionHandler.cancel()
                                        dialog.cancel()
                                    }
                                    .show()
                            return true
                        }
                    })
    
            button_request.setOnClickListener { handleRequestPermission() }
        }
    
        private fun handleRequestPermission() {
            smsAndStoragePermissionHandler.requestPermission()
        }
    
        override fun onRequestPermissionsResult(requestCode: Int, permissions: Array<String>,
                                                grantResults: IntArray) {
            super.onRequestPermissionsResult(requestCode, permissions, grantResults)
            smsAndStoragePermissionHandler.onRequestPermissionsResult(requestCode, permissions,
                    grantResults)
        }
    
        override fun onActivityResult(requestCode: Int, resultCode: Int, data: Intent?) {
            super.onActivityResult(requestCode, resultCode, data)
            smsAndStoragePermissionHandler.onActivityResult(requestCode)
        }
    }
    

    Code on Github

    Demo

    0 讨论(0)
  • 2020-11-21 07:25

    This structure I am using to check if my app has permission and than request if it does not have permission. So in my main code from where i want to check write following :

    int MyVersion = Build.VERSION.SDK_INT;
    if (MyVersion > Build.VERSION_CODES.LOLLIPOP_MR1) {
                    if (!checkIfAlreadyhavePermission()) {
                        requestForSpecificPermission();
                    }
    }
    

    Module checkIfAlreadyhavePermission() is implemented as :

    private boolean checkIfAlreadyhavePermission() {
        int result = ContextCompat.checkSelfPermission(this, Manifest.permission.GET_ACCOUNTS);
        if (result == PackageManager.PERMISSION_GRANTED) {
            return true;
        } else {
            return false;
        }
    }
    

    Module requestForSpecificPermission() is implemented as :

    private void requestForSpecificPermission() {
            ActivityCompat.requestPermissions(this, new String[]{Manifest.permission.GET_ACCOUNTS, Manifest.permission.RECEIVE_SMS, Manifest.permission.READ_SMS, Manifest.permission.READ_EXTERNAL_STORAGE, Manifest.permission.WRITE_EXTERNAL_STORAGE}, 101);
    }
    

    and Override in Activity :

    @Override
    public void onRequestPermissionsResult(int requestCode, String[] permissions, int[] grantResults) {
        switch (requestCode) {
            case 101:
                if (grantResults[0] == PackageManager.PERMISSION_GRANTED) {
                    //granted
                } else {
                    //not granted
                }
                break;
            default:
                super.onRequestPermissionsResult(requestCode, permissions, grantResults);
        }
    }
    

    Refer this link for more details : http://revisitingandroid.blogspot.in/2017/01/how-to-check-and-request-for-run-time.html

    0 讨论(0)
提交回复
热议问题