Create Free/Paid versions of Application from same code

Android

Android Problem Overview


So I'm coming down to release-time for my application. We plan on releasing two versions, a free ad-based play-to-unlock version, and a paid fully unlocked version. I have the code set up that I can simply set a flag on startup to enable/disable ads and lock/unlock all the features. So literally only one line of code will execute differently between these versions.

In order to release two separate applications, they require different package names, so my question is this: Is there an easy way to refactor my application's package name? Eclipse's refactoring tool doesn't resolve the generated R file, or any XML references in layout and manifest files. I've attempted to make a new project using the original as source, but I can't reference the assets and resources, and I'm looking to avoid duplicating any of my code and assets. It's not a huge pain to refactor it manually, but I feel there must be a better way to do it. Anybody have an elegant solution to this?

Edit/Answered:

For my situation I find it perfectly acceptable to just use Project -> Android Tools -> Rename Application Package. I wasn't aware this existed, and I feel like an idiot for posting this now. Thanks for everyone's answers and comments, feel free to vote this closed.

Android Solutions


Solution 1 - Android

It's very simple by using build.gradle in Android Studio. Read about productFlavors. It is a very usefull feature. Just simply add following lines in build.gradle:

productFlavors {
    lite {
        packageName = 'com.project.test.app'
        versionCode 1
        versionName '1.0.0'
    }
    pro {
        packageName = 'com.project.testpro.app'
        versionCode 1
        versionName '1.0.0'
    }
}

In this example I add two product flavors: first for lite version and second for full version. Each version has his own versionCode and versionName (for Google Play publication).

In code just check BuildConfig.FLAVOR:

if (BuildConfig.FLAVOR == "lite") {
   // add some ads or restrict functionallity
            
}

For running and testing on device use "Build Variants" tab in Android Studio to switch between versions: enter image description here

Solution 2 - Android

Possibly a duplicate of https://stackoverflow.com/questions/4740319/bulk-publishing-of-android-apps/4740728#4740728.

Android Library projects will do this for you nicely. You'll end up with 1 library project and then a project for each edition (free/full) with those really just containing different resources like app icons and different manifests, which is where the package name will be varied.

Hope that helps. It has worked well for me.

Solution 3 - Android

The best way is to use "Android Studio" -> gradle.build -> [productFlavors + generate manifest file from template]. This combination allows to build free/paid versions and bunch of editions for different app markets from one source.


This is a part of templated manifest file:


<manifest android:versionCode="1" android:versionName="1" package="com.example.product" xmlns:android="http://schemas.android.com/apk/res/android">
<application android:allowBackup="true" android:icon="@drawable/ic_launcher"  
	android:label="@string/{f:FREE}app_name_free{/f}{f:PAID}app_name_paid{/f}"
	android:name=".ApplicationMain" android:theme="@style/AppTheme">
    <activity android:label="@string/{f:FREE}app_name_free{/f}{f:PAID}app_name_paid{/f}" android:name=".ActivityMain">
        <intent-filter>
            <action android:name="android.intent.action.MAIN"/>
            <category android:name="android.intent.category.LAUNCHER"/>
        </intent-filter>
    </activity>
</application>

This is template "ProductInfo.template" for java file: ProductInfo.java


    package com.packagename.generated;
    import com.packagename.R;
    public class ProductInfo {
        public static final boolean mIsPaidVersion = {f:PAID}true{/f}{f:FREE}false{/f};
        public static final int mAppNameId = R.string.app_name_{f:PAID}paid{/f}{f:FREE}free{/f};
        public static final boolean mIsDebug = {$DEBUG};
    }

This manifest is processed by gradle.build script with productFlavors and processManifest task hook:


import java.util.regex.Matcher;
import java.util.regex.Pattern;
import org.gradle.api.DefaultTask
import org.gradle.api.tasks.TaskAction	
...

android {
	...
	productFlavors {
		free {
			packageName 'com.example.product.free'
		}
		paid {
			packageName 'com.example.product.paid'
		}
	}
	...
}

afterEvaluate { project ->
	android.applicationVariants.each { variant ->

		def flavor = variant.productFlavors[0].name

		tasks['prepare' + variant.name + 'Dependencies'].doLast {
			println "Generate java files..."
			
			//Copy templated and processed by build system manifest file to filtered_manifests forder
			def productInfoPath = "${projectDir}/some_sourcs_path/generated/"
			copy {
				from(productInfoPath)
				into(productInfoPath)
				include('ProductInfo.template')
				rename('ProductInfo.template', 'ProductInfo.java')
			}
			
			tasks.create(name: variant.name + 'ProcessProductInfoJavaFile', type: processTemplateFile) {
				templateFilePath = productInfoPath + "ProductInfo.java"
				flavorName = flavor
				buildTypeName = variant.buildType.name
			}	
			tasks[variant.name + 'ProcessProductInfoJavaFile'].execute()
		}
		
		variant.processManifest.doLast {
			println "Customization manifest file..."
		
			// Copy templated and processed by build system manifest file to filtered_manifests forder
			copy {
				from("${buildDir}/manifests") {
					include "${variant.dirName}/AndroidManifest.xml"
				}
				into("${buildDir}/filtered_manifests")
			}
			
			tasks.create(name: variant.name + 'ProcessManifestFile', type: processTemplateFile) {
				templateFilePath = "${buildDir}/filtered_manifests/${variant.dirName}/AndroidManifest.xml"
				flavorName = flavor
				buildTypeName = variant.buildType.name
			}
			tasks[variant.name + 'ProcessManifestFile'].execute()

		}
		variant.processResources.manifestFile = file("${buildDir}/filtered_manifests/${variant.dirName}/AndroidManifest.xml")
	}
}

This is separated task to process file


class processTemplateFile extends DefaultTask {
	def String templateFilePath = ""
	def String flavorName = ""
	def String buildTypeName = ""

	@TaskAction
	void run() {
		println templateFilePath
	
		// Load file to memory
		def fileObj = project.file(templateFilePath)
		def content = fileObj.getText()
		
		// Flavor. Find "{f:<flavor_name>}...{/f}" pattern and leave only "<flavor_name>==flavor"
		def patternAttribute = Pattern.compile("\\{f:((?!${flavorName.toUpperCase()})).*?\\{/f\\}",Pattern.DOTALL);
		content = patternAttribute.matcher(content).replaceAll("");
		
		def pattern = Pattern.compile("\\{f:.*?\\}");
		content = pattern.matcher(content).replaceAll("");
		pattern = Pattern.compile("\\{/f\\}");
		content = pattern.matcher(content).replaceAll("");
		
		// Build. Find "{$DEBUG}" pattern and replace with "true"/"false"
		pattern = Pattern.compile("\\{\\\$DEBUG\\}", Pattern.DOTALL);
		if (buildTypeName == "debug"){ 
			content = pattern.matcher(content).replaceAll("true");
		}
		else{
			content = pattern.matcher(content).replaceAll("false");
		}
		
		// Save processed manifest file
		fileObj.write(content)
	}
}

Updated: processTemplateFile created for code reusing purposes.

Solution 4 - Android

Gradle allows to use generated BuildConfig.java to pass some data to code.

productFlavors {
    paid {
        packageName "com.simple.paid"
        buildConfigField 'boolean', 'PAID', 'true'
        buildConfigField "int", "THING_ONE", "1"
    }
    free {
        packageName "com.simple.free"
        buildConfigField 'boolean', 'PAID', 'false'
        buildConfigField "int", "THING_ONE", "0"
    }

Solution 5 - Android

For everyone who want to use the solution by Denis:
In the new gradle version packageName is now applicationId and don't forget to put productFlavors { ... } in android { ... }

productFlavors {
    lite {
        applicationId = 'com.project.test.app'
        versionCode 1
        versionName '1.0.0'
    }
    pro {
        applicationId = 'com.project.testpro.app'
        versionCode 1
        versionName '1.0.0'
    }
}

Solution 6 - Android

One approach I'm experimenting with is using fully-qualified names for activities, and just changing the package attribute. It avoids any real refactoring (1 file copy, 1 text sub).

This almost works, but the generated R class isn't picked up, as the package for this is pulled out of AndroidManifest.xml, so ends up in the new package.

I think it should be fairly straight forward to build AndroidManifest.xml via an Ant rule (in -pre-build) that inserts the distribution package name, and then (in -pre-compile) the generated resources into the default (Java) package.

Hope this helps,

Phil Lello

Solution 7 - Android

If you want another application name, depending of the flavor, you can also add this:

productFlavors {
    lite {
        applicationId = 'com.project.test.app'
        resValue "string", "app_name", "test lite"
        versionCode 1
        versionName '1.0.0'
    }
    pro {
        applicationId = 'com.project.testpro.app'
        resValue "string", "app_name", "test pro"
        versionCode 1
        versionName '1.0.0'
    }
}

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
QuestionLeffelManiaView Question on Stackoverflow
Solution 1 - AndroidDenisView Answer on Stackoverflow
Solution 2 - AndroidmmeyerView Answer on Stackoverflow
Solution 3 - AndroidgalexView Answer on Stackoverflow
Solution 4 - AndroidgalexView Answer on Stackoverflow
Solution 5 - AndroidVaderView Answer on Stackoverflow
Solution 6 - AndroidPhil LelloView Answer on Stackoverflow
Solution 7 - AndroidluguenView Answer on Stackoverflow