refactor: do not infer project root from script location (#1265)

* fix(Api): do not infer project root from script location

* fix(builders): do not infer project root from script location

* fix(target): do not infer project root from script location

* test(e2e): cleanup and extend E2E tests

- Renames the file with the only existing E2E test
- Makes existing test use the API instance returned by
  `Api.createPlatform`
- Adds another test that ensures we can still require the API from
  `platformProjectPath/cordova/Api.js`

* fix(check_reqs): do not infer project root from script location
This commit is contained in:
Raphael von der Grün 2021-07-13 08:51:20 +02:00 committed by GitHub
parent 70a1eff705
commit 1f0ea173b0
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
14 changed files with 142 additions and 124 deletions

View File

@ -230,7 +230,7 @@ exports.create = function (project_path, config, options, events) {
? config.name().replace(/[^\w.]/g, '_') : 'CordovaExample'; ? config.name().replace(/[^\w.]/g, '_') : 'CordovaExample';
var safe_activity_name = config.android_activityName() || options.activityName || 'MainActivity'; var safe_activity_name = config.android_activityName() || options.activityName || 'MainActivity';
var target_api = check_reqs.get_target(); var target_api = check_reqs.get_target(project_path);
// Make the package conform to Java package types // Make the package conform to Java package types
return exports.validatePackageName(package_name) return exports.validatePackageName(package_name)

View File

@ -66,7 +66,7 @@ function setupEvents (externalEventEmitter) {
class Api { class Api {
constructor (platform, platformRootDir, events) { constructor (platform, platformRootDir, events) {
this.platform = PLATFORM; this.platform = PLATFORM;
this.root = path.resolve(__dirname, '..'); this.root = platformRootDir;
setupEvents(events); setupEvents(events);
@ -313,7 +313,7 @@ class Api {
* objects for current platform. * objects for current platform.
*/ */
requirements () { requirements () {
return require('./lib/check_reqs').check_all(); return require('./lib/check_reqs').check_all(this.root);
} }
/** /**

View File

@ -78,7 +78,7 @@ function findOutputFiles (bundleType, buildType, { arch } = {}) {
class ProjectBuilder { class ProjectBuilder {
constructor (rootDirectory) { constructor (rootDirectory) {
this.root = rootDirectory || path.resolve(__dirname, '../../..'); this.root = rootDirectory;
this.apkDir = path.join(this.root, 'app', 'build', 'outputs', 'apk'); this.apkDir = path.join(this.root, 'app', 'build', 'outputs', 'apk');
this.aabDir = path.join(this.root, 'app', 'build', 'outputs', 'bundle'); this.aabDir = path.join(this.root, 'app', 'build', 'outputs', 'bundle');
} }
@ -310,7 +310,7 @@ class ProjectBuilder {
if (error.toString().includes('failed to find target with hash string')) { if (error.toString().includes('failed to find target with hash string')) {
// Add hint from check_android_target to error message // Add hint from check_android_target to error message
try { try {
await check_reqs.check_android_target(); await check_reqs.check_android_target(this.root);
} catch (checkAndroidTargetError) { } catch (checkAndroidTargetError) {
error.message += '\n' + checkAndroidTargetError.message; error.message += '\n' + checkAndroidTargetError.message;
} }

View File

@ -22,7 +22,6 @@ var path = require('path');
var fs = require('fs-extra'); var fs = require('fs-extra');
const { forgivingWhichSync, isWindows, isDarwin } = require('./utils'); const { forgivingWhichSync, isWindows, isDarwin } = require('./utils');
const java = require('./env/java'); const java = require('./env/java');
var REPO_ROOT = path.join(__dirname, '..', '..', '..', '..');
const { CordovaError, ConfigParser, events } = require('cordova-common'); const { CordovaError, ConfigParser, events } = require('cordova-common');
var android_sdk = require('./android_sdk'); var android_sdk = require('./android_sdk');
const { SDK_VERSION } = require('./gradle-config-defaults'); const { SDK_VERSION } = require('./gradle-config-defaults');
@ -32,10 +31,11 @@ const { SDK_VERSION } = require('./gradle-config-defaults');
Object.assign(module.exports, { isWindows, isDarwin }); Object.assign(module.exports, { isWindows, isDarwin });
/** /**
* @param {string} projectRoot
* @returns {string} The android target in format "android-${target}" * @returns {string} The android target in format "android-${target}"
*/ */
module.exports.get_target = function () { module.exports.get_target = function (projectRoot) {
const userTargetSdkVersion = getUserTargetSdkVersion(); const userTargetSdkVersion = getUserTargetSdkVersion(projectRoot);
if (userTargetSdkVersion && userTargetSdkVersion < SDK_VERSION) { if (userTargetSdkVersion && userTargetSdkVersion < SDK_VERSION) {
events.emit('warn', `android-targetSdkVersion should be greater than or equal to ${SDK_VERSION}.`); events.emit('warn', `android-targetSdkVersion should be greater than or equal to ${SDK_VERSION}.`);
@ -44,10 +44,16 @@ module.exports.get_target = function () {
return `android-${Math.max(userTargetSdkVersion, SDK_VERSION)}`; return `android-${Math.max(userTargetSdkVersion, SDK_VERSION)}`;
}; };
/** @returns {number} target sdk or 0 if undefined */ /**
function getUserTargetSdkVersion () { * @param {string} projectRoot
* @returns {number} target sdk or 0 if undefined
*/
function getUserTargetSdkVersion (projectRoot) {
// If the repo config.xml file exists, find the desired targetSdkVersion. // If the repo config.xml file exists, find the desired targetSdkVersion.
const configFile = path.join(REPO_ROOT, 'config.xml'); // We need to use the cordova project's config.xml here, since the platform
// project's config.xml does not yet have the user's preferences when this
// function is called during `Api.createPlatform`.
const configFile = path.join(projectRoot, '../../config.xml');
if (!fs.existsSync(configFile)) return 0; if (!fs.existsSync(configFile)) return 0;
const configParser = new ConfigParser(configFile); const configParser = new ConfigParser(configFile);
@ -235,13 +241,13 @@ module.exports.check_android = function () {
}); });
}; };
module.exports.check_android_target = function () { module.exports.check_android_target = function (projectRoot) {
// valid_target can look like: // valid_target can look like:
// android-19 // android-19
// android-L // android-L
// Google Inc.:Google APIs:20 // Google Inc.:Google APIs:20
// Google Inc.:Glass Development Kit Preview:20 // Google Inc.:Glass Development Kit Preview:20
var desired_api_level = module.exports.get_target(); var desired_api_level = module.exports.get_target(projectRoot);
return android_sdk.list_targets().then(function (targets) { return android_sdk.list_targets().then(function (targets) {
if (targets.indexOf(desired_api_level) >= 0) { if (targets.indexOf(desired_api_level) >= 0) {
return targets; return targets;
@ -286,9 +292,10 @@ var Requirement = function (id, name, version, installed) {
* Methods that runs all checks one by one and returns a result of checks * Methods that runs all checks one by one and returns a result of checks
* as an array of Requirement objects. This method intended to be used by cordova-lib check_reqs method * as an array of Requirement objects. This method intended to be used by cordova-lib check_reqs method
* *
* @param {string} projectRoot
* @return Promise<Requirement[]> Array of requirements. Due to implementation, promise is always fulfilled. * @return Promise<Requirement[]> Array of requirements. Due to implementation, promise is always fulfilled.
*/ */
module.exports.check_all = function () { module.exports.check_all = function (projectRoot) {
var requirements = [ var requirements = [
new Requirement('java', 'Java JDK'), new Requirement('java', 'Java JDK'),
new Requirement('androidSdk', 'Android SDK'), new Requirement('androidSdk', 'Android SDK'),
@ -299,7 +306,7 @@ module.exports.check_all = function () {
var checkFns = [ var checkFns = [
this.check_java, this.check_java,
this.check_android, this.check_android,
this.check_android_target, this.check_android_target.bind(this, projectRoot),
this.check_gradle this.check_gradle
]; ];

View File

@ -21,6 +21,7 @@ var emulator = require('./emulator');
const target = require('./target'); const target = require('./target');
const build = require('./build'); const build = require('./build');
const PackageType = require('./PackageType'); const PackageType = require('./PackageType');
const AndroidManifest = require('./AndroidManifest');
const { CordovaError, events } = require('cordova-common'); const { CordovaError, events } = require('cordova-common');
/** /**
@ -75,5 +76,8 @@ module.exports.run = async function (runOptions = {}) {
if (resolvedTarget.type === 'emulator') { if (resolvedTarget.type === 'emulator') {
await emulator.wait_for_boot(resolvedTarget.id); await emulator.wait_for_boot(resolvedTarget.id);
} }
return target.install(resolvedTarget, buildResults);
const manifest = new AndroidManifest(this.locations.manifest);
return target.install(resolvedTarget, { manifest, buildResults });
}; };

View File

@ -17,13 +17,11 @@
under the License. under the License.
*/ */
const path = require('path');
const { inspect } = require('util'); const { inspect } = require('util');
const execa = require('execa'); const execa = require('execa');
const Adb = require('./Adb'); const Adb = require('./Adb');
const build = require('./build'); const build = require('./build');
const emulator = require('./emulator'); const emulator = require('./emulator');
const AndroidManifest = require('./AndroidManifest');
const { compareBy } = require('./utils'); const { compareBy } = require('./utils');
const { retryPromise } = require('./retry'); const { retryPromise } = require('./retry');
const { events, CordovaError } = require('cordova-common'); const { events, CordovaError } = require('cordova-common');
@ -129,9 +127,8 @@ exports.resolve = async (spec, buildResults) => {
}; };
}; };
exports.install = async function ({ id: target, arch, type }, buildResults) { exports.install = async function ({ id: target, arch, type }, { manifest, buildResults }) {
const apk_path = build.findBestApkForArchitecture(buildResults, arch); const apk_path = build.findBestApkForArchitecture(buildResults, arch);
const manifest = new AndroidManifest(path.join(__dirname, '../../app/src/main/AndroidManifest.xml'));
const pkgName = manifest.getPackageId(); const pkgName = manifest.getPackageId();
const launchName = pkgName + '/.' + manifest.getActivity().getName(); const launchName = pkgName + '/.' + manifest.getActivity().getName();

74
spec/e2e/e2e.spec.js Normal file
View File

@ -0,0 +1,74 @@
/*
Licensed to the Apache Software Foundation (ASF) under one
or more contributor license agreements. See the NOTICE file
distributed with this work for additional information
regarding copyright ownership. The ASF licenses this file
to you under the Apache License, Version 2.0 (the
"License"); you may not use this file except in compliance
with the License. You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing,
software distributed under the License is distributed on an
"AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
KIND, either express or implied. See the License for the
specific language governing permissions and limitations
under the License.
*/
const os = require('os');
const fs = require('fs-extra');
const path = require('path');
const { EventEmitter } = require('events');
const { ConfigParser, PluginInfoProvider } = require('cordova-common');
const Api = require('../../bin/templates/cordova/Api');
function makeTempDir () {
const tmpDirTemplate = path.join(os.tmpdir(), 'cordova-android-test-');
return fs.realpathSync(fs.mkdtempSync(tmpDirTemplate));
}
async function makeProject (projectPath) {
const configXmlPath = path.join(__dirname, '../../bin/templates/project/res/xml/config.xml');
const config = new ConfigParser(configXmlPath);
config.setPackageName('io.cordova.testapp');
config.setName('TestApp');
const noopEvents = new EventEmitter();
return Api.createPlatform(projectPath, config, {}, noopEvents);
}
describe('E2E', function () {
let tmpDir, projectPath, api;
beforeEach(async () => {
tmpDir = makeTempDir();
projectPath = path.join(tmpDir, 'project');
api = await makeProject(projectPath);
});
afterEach(() => {
fs.removeSync(tmpDir);
});
it('loads the API from a project directory', async () => {
// Allow test project to find the `cordova-android` module
fs.ensureSymlinkSync(
path.join(__dirname, '../..'),
path.join(tmpDir, 'node_modules/cordova-android'),
'junction'
);
expect(() => {
require(path.join(projectPath, 'cordova/Api.js'));
}).not.toThrow();
});
it('adds a plugin with framework', async () => {
const fakePluginPath = path.join(__dirname, 'fixtures/cordova-plugin-fake');
const pluginInfo = new PluginInfoProvider().get(fakePluginPath);
await expectAsync(api.addPlugin(pluginInfo)).toBeResolved();
});
});

View File

@ -1,72 +0,0 @@
/*
Licensed to the Apache Software Foundation (ASF) under one
or more contributor license agreements. See the NOTICE file
distributed with this work for additional information
regarding copyright ownership. The ASF licenses this file
to you under the Apache License, Version 2.0 (the
"License"); you may not use this file except in compliance
with the License. You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing,
software distributed under the License is distributed on an
"AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
KIND, either express or implied. See the License for the
specific language governing permissions and limitations
under the License.
*/
const os = require('os');
const fs = require('fs-extra');
const path = require('path');
const { EventEmitter } = require('events');
const { ConfigParser, PluginInfoProvider } = require('cordova-common');
const Api = require('../../bin/templates/cordova/Api');
const fakePluginPath = path.join(__dirname, 'fixtures/cordova-plugin-fake');
const configXmlPath = path.join(__dirname, '../../bin/templates/project/res/xml/config.xml');
describe('plugin add', function () {
let tmpDir;
beforeEach(() => {
const tmpDirTemplate = path.join(os.tmpdir(), 'cordova-android-test-');
tmpDir = fs.realpathSync(fs.mkdtempSync(tmpDirTemplate));
});
afterEach(() => {
fs.removeSync(tmpDir);
});
it('Test#001 : create project and add a plugin with framework', function () {
const projectname = 'testpluginframework';
const projectid = 'com.test.plugin.framework';
const config = new ConfigParser(configXmlPath);
config.setPackageName(projectid);
config.setName(projectname);
const projectPath = path.join(tmpDir, projectname);
const pluginInfo = new PluginInfoProvider().get(fakePluginPath);
const noopEvents = new EventEmitter();
return Promise.resolve()
.then(() => Api.createPlatform(projectPath, config, {}, noopEvents))
.then(() => {
// Allow test project to find the `cordova-android` module
fs.ensureSymlinkSync(
path.join(__dirname, '../..'),
path.join(projectPath, 'node_modules/cordova-android'),
'junction'
);
// We need to use the API from the project or some paths break
// TODO remove this and use the API instance returned from
// createPlatform once we fixed the platform
const Api = require(path.join(projectPath, 'cordova/Api.js'));
const api = new Api('android', projectPath, noopEvents);
return api.addPlugin(pluginInfo);
});
}, 90000);
});

View File

@ -43,10 +43,8 @@ describe('ProjectBuilder', () => {
expect(builder.root).toBe(rootDir); expect(builder.root).toBe(rootDir);
}); });
it('should set the project directory to three folders up', () => { it('should throw if project directory is missing', () => {
ProjectBuilder.__set__('__dirname', 'projecttest/platforms/android/app'); expect(() => new ProjectBuilder()).toThrowError(TypeError);
builder = new ProjectBuilder();
expect(builder.root).toMatch(/projecttest$/);
}); });
}); });
@ -224,7 +222,7 @@ describe('ProjectBuilder', () => {
return builder.build({}).then( return builder.build({}).then(
() => fail('Unexpectedly resolved'), () => fail('Unexpectedly resolved'),
error => { error => {
expect(checkReqsSpy.check_android_target).toHaveBeenCalled(); expect(checkReqsSpy.check_android_target).toHaveBeenCalledWith(rootDir);
expect(error).toBe(testError); expect(error).toBe(testError);
} }
); );

View File

@ -31,8 +31,10 @@ describe('builders', () => {
describe('getBuilder', () => { describe('getBuilder', () => {
it('should return an instance of ProjectBuilder when gradle is requested', () => { it('should return an instance of ProjectBuilder when gradle is requested', () => {
const newBuilder = builders.getBuilder(); const root = 'FakeProjectRoot';
const newBuilder = builders.getBuilder(root);
expect(newBuilder).toEqual(jasmine.any(ProjectBuilder)); expect(newBuilder).toEqual(jasmine.any(ProjectBuilder));
expect(newBuilder.root).toBe(root);
}); });
it('should throw an error if a builder cannot be instantiated', () => { it('should throw an error if a builder cannot be instantiated', () => {

View File

@ -262,6 +262,7 @@ describe('check_reqs', function () {
}); });
describe('get_target', function () { describe('get_target', function () {
const projectRoot = 'fakeProjectRoot';
var ConfigParser; var ConfigParser;
var getPreferenceSpy; var getPreferenceSpy;
beforeEach(function () { beforeEach(function () {
@ -273,7 +274,7 @@ describe('check_reqs', function () {
}); });
it('should retrieve DEFAULT_TARGET_API', function () { it('should retrieve DEFAULT_TARGET_API', function () {
var target = check_reqs.get_target(); var target = check_reqs.get_target(projectRoot);
expect(target).toBeDefined(); expect(target).toBeDefined();
expect(target).toContain('android-' + DEFAULT_TARGET_API); expect(target).toContain('android-' + DEFAULT_TARGET_API);
}); });
@ -282,7 +283,7 @@ describe('check_reqs', function () {
spyOn(fs, 'existsSync').and.returnValue(true); spyOn(fs, 'existsSync').and.returnValue(true);
getPreferenceSpy.and.returnValue(String(DEFAULT_TARGET_API + 1)); getPreferenceSpy.and.returnValue(String(DEFAULT_TARGET_API + 1));
var target = check_reqs.get_target(); var target = check_reqs.get_target(projectRoot);
expect(getPreferenceSpy).toHaveBeenCalledWith('android-targetSdkVersion', 'android'); expect(getPreferenceSpy).toHaveBeenCalledWith('android-targetSdkVersion', 'android');
expect(target).toBe('android-' + (DEFAULT_TARGET_API + 1)); expect(target).toBe('android-' + (DEFAULT_TARGET_API + 1));
@ -292,7 +293,7 @@ describe('check_reqs', function () {
spyOn(fs, 'existsSync').and.returnValue(true); spyOn(fs, 'existsSync').and.returnValue(true);
getPreferenceSpy.and.returnValue('android-99'); getPreferenceSpy.and.returnValue('android-99');
var target = check_reqs.get_target(); var target = check_reqs.get_target(projectRoot);
expect(getPreferenceSpy).toHaveBeenCalledWith('android-targetSdkVersion', 'android'); expect(getPreferenceSpy).toHaveBeenCalledWith('android-targetSdkVersion', 'android');
expect(target).toBe('android-' + DEFAULT_TARGET_API); expect(target).toBe('android-' + DEFAULT_TARGET_API);
@ -305,7 +306,7 @@ describe('check_reqs', function () {
getPreferenceSpy.and.returnValue(String(DEFAULT_TARGET_API - 1)); getPreferenceSpy.and.returnValue(String(DEFAULT_TARGET_API - 1));
var target = check_reqs.get_target(); var target = check_reqs.get_target(projectRoot);
expect(getPreferenceSpy).toHaveBeenCalledWith('android-targetSdkVersion', 'android'); expect(getPreferenceSpy).toHaveBeenCalledWith('android-targetSdkVersion', 'android');
expect(target).toBe('android-' + DEFAULT_TARGET_API); expect(target).toBe('android-' + DEFAULT_TARGET_API);

View File

@ -787,7 +787,7 @@ describe('prepare', () => {
gradlePropertiesParserSpy = spyOn(GradlePropertiesParser.prototype, 'configure'); gradlePropertiesParserSpy = spyOn(GradlePropertiesParser.prototype, 'configure');
api = new Api(); api = new Api('android', cordovaProject.root);
}); });
it('runs without arguments', async () => { it('runs without arguments', async () => {

View File

@ -56,7 +56,8 @@ describe('run', () => {
run.__set__({ run.__set__({
target: targetSpyObj, target: targetSpyObj,
emulator: emulatorSpyObj emulator: emulatorSpyObj,
AndroidManifest: class {}
}); });
const builder = builders.getBuilder('FakeRootPath'); const builder = builders.getBuilder('FakeRootPath');
@ -66,14 +67,25 @@ describe('run', () => {
}); });
// run needs `this` to behave like an Api instance // run needs `this` to behave like an Api instance
run.run = run.run.bind({ _builder: builder }); run.run = run.run.bind({
_builder: builder,
locations: { manifest: 'FakeManifestPath' }
});
}); });
it('should install on target after build', () => { it('should install on target after build', () => {
const AndroidManifest = run.__get__('AndroidManifest');
return run.run().then(() => { return run.run().then(() => {
expect(targetSpyObj.install).toHaveBeenCalledWith( expect(targetSpyObj.install).toHaveBeenCalledWith(
resolvedTarget, resolvedTarget,
{ apkPaths: ['fake.apk'], buildType: 'debug' } {
manifest: jasmine.any(AndroidManifest),
buildResults: {
buildType: 'debug',
apkPaths: ['fake.apk']
}
}
); );
}); });
}); });

View File

@ -226,25 +226,20 @@ describe('target', () => {
}); });
describe('install', () => { describe('install', () => {
let AndroidManifestSpy;
let AndroidManifestFns;
let AndroidManifestGetActivitySpy;
let AdbSpy; let AdbSpy;
let buildSpy; let buildSpy;
let installTarget; let installTarget, manifest, appSpec;
beforeEach(() => { beforeEach(() => {
installTarget = { id: 'emulator-5556', type: 'emulator', arch: 'atari' }; installTarget = { id: 'emulator-5556', type: 'emulator', arch: 'atari' };
manifest = jasmine.createSpyObj('manifestStub', ['getPackageId', 'getActivity']);
manifest.getActivity.and.returnValue(jasmine.createSpyObj('Activity', ['getName']));
appSpec = { manifest, buildResults: {} };
buildSpy = jasmine.createSpyObj('build', ['findBestApkForArchitecture']); buildSpy = jasmine.createSpyObj('build', ['findBestApkForArchitecture']);
target.__set__('build', buildSpy); target.__set__('build', buildSpy);
AndroidManifestFns = jasmine.createSpyObj('AndroidManifestFns', ['getPackageId', 'getActivity']);
AndroidManifestGetActivitySpy = jasmine.createSpyObj('getActivity', ['getName']);
AndroidManifestFns.getActivity.and.returnValue(AndroidManifestGetActivitySpy);
AndroidManifestSpy = jasmine.createSpy('AndroidManifest').and.returnValue(AndroidManifestFns);
target.__set__('AndroidManifest', AndroidManifestSpy);
AdbSpy = jasmine.createSpyObj('Adb', ['shell', 'start', 'install', 'uninstall']); AdbSpy = jasmine.createSpyObj('Adb', ['shell', 'start', 'install', 'uninstall']);
AdbSpy.shell.and.returnValue(Promise.resolve()); AdbSpy.shell.and.returnValue(Promise.resolve());
AdbSpy.start.and.returnValue(Promise.resolve()); AdbSpy.start.and.returnValue(Promise.resolve());
@ -257,7 +252,7 @@ describe('target', () => {
}); });
it('should install to the passed target', () => { it('should install to the passed target', () => {
return target.install(installTarget, {}).then(() => { return target.install(installTarget, appSpec).then(() => {
expect(AdbSpy.install.calls.argsFor(0)[0]).toBe(installTarget.id); expect(AdbSpy.install.calls.argsFor(0)[0]).toBe(installTarget.id);
}); });
}); });
@ -272,7 +267,7 @@ describe('target', () => {
const apkPath = 'my/apk/path/app.apk'; const apkPath = 'my/apk/path/app.apk';
buildSpy.findBestApkForArchitecture.and.returnValue(apkPath); buildSpy.findBestApkForArchitecture.and.returnValue(apkPath);
return target.install(installTarget, buildResults).then(() => { return target.install(installTarget, { manifest, buildResults }).then(() => {
expect(buildSpy.findBestApkForArchitecture).toHaveBeenCalledWith(buildResults, installTarget.arch); expect(buildSpy.findBestApkForArchitecture).toHaveBeenCalledWith(buildResults, installTarget.arch);
expect(AdbSpy.install.calls.argsFor(0)[1]).toBe(apkPath); expect(AdbSpy.install.calls.argsFor(0)[1]).toBe(apkPath);
@ -285,7 +280,7 @@ describe('target', () => {
Promise.resolve() Promise.resolve()
); );
return target.install(installTarget, {}).then(() => { return target.install(installTarget, appSpec).then(() => {
expect(AdbSpy.install).toHaveBeenCalledTimes(2); expect(AdbSpy.install).toHaveBeenCalledTimes(2);
expect(AdbSpy.uninstall).toHaveBeenCalled(); expect(AdbSpy.uninstall).toHaveBeenCalled();
}); });
@ -295,7 +290,7 @@ describe('target', () => {
const errorMsg = 'Failure: Failed to install'; const errorMsg = 'Failure: Failed to install';
AdbSpy.install.and.rejectWith(new CordovaError(errorMsg)); AdbSpy.install.and.rejectWith(new CordovaError(errorMsg));
return target.install(installTarget, {}).then( return target.install(installTarget, appSpec).then(
() => fail('Unexpectedly resolved'), () => fail('Unexpectedly resolved'),
err => { err => {
expect(err).toEqual(jasmine.any(CordovaError)); expect(err).toEqual(jasmine.any(CordovaError));
@ -305,7 +300,7 @@ describe('target', () => {
}); });
it('should unlock the screen on device', () => { it('should unlock the screen on device', () => {
return target.install(installTarget, {}).then(() => { return target.install(installTarget, appSpec).then(() => {
expect(AdbSpy.shell).toHaveBeenCalledWith(installTarget.id, 'input keyevent 82'); expect(AdbSpy.shell).toHaveBeenCalledWith(installTarget.id, 'input keyevent 82');
}); });
}); });
@ -313,10 +308,10 @@ describe('target', () => {
it('should start the newly installed app on the device', () => { it('should start the newly installed app on the device', () => {
const packageId = 'unittestapp'; const packageId = 'unittestapp';
const activityName = 'TestActivity'; const activityName = 'TestActivity';
AndroidManifestFns.getPackageId.and.returnValue(packageId); manifest.getPackageId.and.returnValue(packageId);
AndroidManifestGetActivitySpy.getName.and.returnValue(activityName); manifest.getActivity().getName.and.returnValue(activityName);
return target.install(installTarget, {}).then(() => { return target.install(installTarget, appSpec).then(() => {
expect(AdbSpy.start).toHaveBeenCalledWith(installTarget.id, `${packageId}/.${activityName}`); expect(AdbSpy.start).toHaveBeenCalledWith(installTarget.id, `${packageId}/.${activityName}`);
}); });
}); });