Use Intent to open third-party applications and verify availability

Use Intent to open third-party applications and verify availability

This article mainly records:

  • Three ways to use Intent to open third-party applications or specify Activities
  • How to determine whether the Intent can be parsed when using the above three methods
  • Possible omissions in determining whether the Intent can be parsed

Basics

1. App entry Activity and its icon

[[202713]]

A normal application will have an entry Activity by default, which is usually written in AndroidManifest.xml as follows:

  1. <application>  
  2. <activity android: name = ".MainActivity" >  
  3. <intent-filter>  
  4. < action android: name = "android.intent.action.MAIN" />  
  5. <category android: name = "android.intent.category.LAUNCHER" />  
  6. </intent-filter>  
  7. </activity>  
  8. ...  
  9. </application>

Only when such an Activity is configured, the application will know which Activity to start when it is clicked. If the value of category is changed to android.intent.category.DEFAULT, then the icon of this application will not be visible on the desktop and it cannot be opened directly.

How to use Intent to open a third-party application or specify an Activity

Only know the package name - need to have a default entry Activity

Start the Activity of a specified third-party application - the package name and Activity name are required, and the Activity's Export="true"

Implicitly launch third-party applications

1. Use PackageManager.getLaunchIntentForPackage()

  1. String package_name= "xx.xx.xx" ;  
  2. PackageManager packageManager = context.getPackageManager();  
  3. Intent it = packageManager.getLaunchIntentForPackage(package_name);  
  4. startActivity(it);

This method is used when you only know the package name and want to start the application. The biggest restriction on the application is that there is a default entry Activity.

When there is no default entry Activity, a NullPointerException will be reported:

  1. java.lang.NullPointerException: Attempt to invoke virtual method 'java.lang.String android.content.Intent.toString()'   on a null object reference

Let’s take a look at the description of the getLaunchIntentForPackage() method:

  1. /**  
  2. * Returns a "good" intent to launch a front-door activity in a package.  
  3. * This is used, for example, to implement an "open" button when browsing  
  4. * through packages. The current implementation looks first   for a main  
  5. * activity in the category {@link Intent#CATEGORY_INFO}, and   next   for a  
  6. * main activity in the category {@link Intent#CATEGORY_LAUNCHER}. Returns    
  7. * <code> null </code> if neither are found.
  8. *  
  9. * @param packageName The name   of the package to inspect.  
  10. *  
  11. * @ return A fully-qualified {@link Intent} that can be used to launch the  
  12. * main activity in the package. Returns <code> null </code> if the package  
  13. * does not contain such an activity, or if <em>packageName</em> is   not     
  14. * recognized.  
  15. */
  16.  
  17. public abstract Intent getLaunchIntentForPackage(String packageName);

So you can use this method to determine whether the Intent is empty.

  1. String package_name = "xx.xx.xx" ;  
  2. PackageManager packageManager = getPackageManager();  
  3. Intent it = packageManager.getLaunchIntentForPackage(package_name);  
  4. if (it != null ){  
  5. startActivity(it);  
  6. } else {  
  7. //There is no default entry Activity  
  8. }

2. Use Intent.setComponent()

  1. String package_name = "xx.xx.xx" ;  
  2. String activity_path = "xx.xx.xx.ab.xxActivity" ;  
  3. Intent intent = new Intent();  
  4. intent.setFlags(Intent.FLAG_ACTIVITY_NEW_TASK);//optional  
  5. ComponentName comp = new ComponentName(package_name,activity_path);  
  6. intent.setComponent(comp);  
  7. startActivity(intent);

This method can start an application-specified Activity, not limited to the default entry Activity. However, this method requires many conditions, as follows:

Know the package name of the App and the full path and name of the Activity

The target Activity to be started has the attribute Export="true" in AndroidManifest.xml

In this way, how to determine whether the target Activity exists?

The following is a very common usage circulating on the Internet:

  1. String package_name = "xx.xx.xx" ;  
  2. String activity_path = "xx.xx.xx.ab.xxActivity" ;  
  3. Intent intent = new Intent();  
  4. intent.setFlags(Intent.FLAG_ACTIVITY_NEW_TASK);//optional  
  5. ComponentName cn = new ComponentName(package_name,activity_path);  
  6. intent.setComponent(cn);   
  7.  
  8. if (intent.resolveActivity(getPackageManager()) != null ) {  
  9. startActivity(intent);  
  10. } else {  
  11. //The specified Activity cannot be found  
  12. }

Unfortunately, the Intent.resolveActivity() method cannot determine whether the Activity to be started in this way exists. If this Activity does not exist, a java.lang.IllegalArgumentException: Unknown component exception will be reported, causing the program to crash.

Let's look at the code for resolveActivity() and its similar method resolveActivityInfo():

  1. public ComponentName resolveActivity(PackageManager pm) {
  2. if (mComponent != null ) {
  3. return mComponent;
  4. }
  5. ResolveInfo info = pm.resolveActivity(this,
  6. PackageManager.MATCH_DEFAULT_ONLY);
  7. if (info != null ) {
  8. return new ComponentName(
  9. info.activityInfo.applicationInfo.packageName,
  10. info.activityInfo. name );
  11. }
  12. return   null ;
  13. }   
  14.  
  15. public ActivityInfo resolveActivityInfo(PackageManager pm, int flags) {  
  16. ActivityInfo ai = null ;  
  17. if (mComponent != null ) {  
  18. try {  
  19. ai = pm.getActivityInfo(mComponent, flags);  
  20. } catch (PackageManager.NameNotFoundException e) {  
  21. // ignore     
  22. }
  23.  
  24. } else {  
  25. ResolveInfo info = pm.resolveActivity(this,  
  26. PackageManager.MATCH_DEFAULT_ONLY | flags);  
  27. if (info != null ) {  
  28. ai = info.activityInfo;  
  29. }  
  30. }   
  31.  
  32. return ai;
  33.  
  34. }

Obviously, in this method, we set the ComponentName first, so mComponent will be returned directly to us without any judgment logic. In contrast, resolveActivityInfo() can make effective judgments and return null. Therefore, we choose to use Intent.resolveActivityInfo() to make judgments in this way:

  1. String package_name = "xx.xx.xx" ;
  2.  
  3. String activity_path = "xx.xx.xx.ab.xxActivity" ;
  4.  
  5. Intent intent = new Intent();
  6.  
  7. intent.setFlags(Intent.FLAG_ACTIVITY_NEW_TASK);//optional
  8.  
  9. ComponentName cn = new ComponentName(package_name,activity_path);
  10.  
  11. intent.setComponent(cn);   
  12.  
  13. if (intent.resolveActivityInfo(getPackageManager(), PackageManager.MATCH_DEFAULT_ONLY) != null ) {
  14.  
  15. startActivity(intent);
  16.  
  17. } else {
  18.  
  19. //The specified Activity cannot be found
  20.  
  21. }

3. Implicitly launch third-party applications

This method is mostly used to start functional applications in the system, such as making calls, sending emails, previewing pictures, opening a web page using the default browser, etc.

  1. > Intent intent = new Intent();
  2.  
  3. > intent.setAction( action );
  4.  
  5. > intent.addCategory(category);
  6.  
  7. > intent.setDataAndType( "abc://www.dfg.com" , "image/gif" );
  8.  
  9. > startActivity(intent);
  10.  
  11. >

Condition 1: IntentFilter has at least one action and at least one Category, but may not have Data and Type

Condition 2: If there is data, the data in the parameter must comply with the data rules

Condition 3: Action and Category must match an Action and a Category in the Activity (Category default: android.intent.category.DEFAULT)

There are many implicit startup functions, so I won’t list them all. You can directly search for relevant codes when needed. Let’s take opening a web page as an example:

  1. Uri uri = Uri.parse( "http://www.abc.xyz" );
  2.  
  3. Intent intent = new Intent(Intent.ACTION_VIEW, uri);
  4.  
  5. startActivity(intent);

At this point, there is nothing wrong with using the Intent.resolveActivity() method directly:

  1. Uri uri = Uri.parse( "http://www.abc.xyz" );
  2.  
  3. Intent intent = new Intent(Intent.ACTION_VIEW, uri);  
  4.  
  5. if (intent.resolveActivity(getPackageManager()) != null ) {  
  6. startActivity(intent);  
  7. } else {  
  8. // The required application is not installed  
  9. }

Summarize

After reading the PackageManager code, I found that you can also use the packageManager.queryIntentActivities() method to determine whether there is an application in the system that can parse the specified Intent.

  1. public boolean isAvailable(Context context, Intent intent) {
  2.  
  3. PackageManager packageManager = context.getPackageManager();
  4.  
  5. List list = packageManager.queryIntentActivities(intent,
  6.  
  7. PackageManager.MATCH_DEFAULT_ONLY);
  8.  
  9. return list.size () > 0 ;
  10.  
  11. }

So, to sum up:

Method 1: PackageManager.getLaunchIntentForPackage(), directly determine whether the returned Intent is empty;

Method 2: Intent.setComponent(), use Intent.resolveActivityInfo() or packageManager.queryIntentActivities();

Method 3: Implicit start, using Intent.resolveActivity(), Intent.resolveActivityInfo(), packageManager.queryIntentActivities().

<<:  AR/VR experts tell you: What will the future of human-computer interaction look like?

>>:  Droidcon Beijing 2017 Android Technology Conference will be held in November

Recommend

What is the method for consecrating the Wenchang Pagoda?

Wenchang Tower is a kind of mascot, and its abili...

The World Cup is coming, here are all the tips for brand marketing!

The World Cup is a dream stage for corporate bran...

In 2020, Bilibili may be the most worthwhile marketing channel

Marketing channels that bring dividends are worth...

Content Operations: To write a good copy, start by learning how to chat

Sincere emotions, clear views, fluent language an...

How much does it cost to join the Chaozhou fast food mini program?

How much does it cost to join a fast food app in ...

Swift Tip: Use build configurations to support conditional compilation

In Objective-C, we often use preprocessor directi...

How to write a hit short video title

Recently, many friends in the short video industr...

Operational tips: In the early stage of promotion, should we use WeChat or App?

The author of this article is Qianniu Xujin, form...

What are the methods for app promotion? Share 5 tips!

As the most important distribution channel for Ap...

Large-scale offline reasoning based on Ray

Offline reasoning for large models Features Offli...

How to completely deal with broken links on a website?

If there are broken links on the website, they mu...

Tips for promoting products on Xiaohongshu!

Tips for promoting products on Xiaohongshu : How ...