Merge m-c to b2g-inbound. a=merge

This commit is contained in:
Ryan VanderMeulen 2014-09-26 17:02:33 -04:00
commit 98e739540d
316 changed files with 5037 additions and 3275 deletions

View File

@ -1,4 +1,4 @@
# AUTOMATICALLY GENERATED FROM moz.build.in AND mach. DO NOT EDIT. # AUTOMATICALLY GENERATED FROM mozbuild.template AND mach. DO NOT EDIT.
# This Source Code Form is subject to the terms of the Mozilla Public # This Source Code Form is subject to the terms of the Mozilla Public
# License, v. 2.0. If a copy of the MPL was not distributed with this # License, v. 2.0. If a copy of the MPL was not distributed with this
# file, You can obtain one at http://mozilla.org/MPL/2.0/. # file, You can obtain one at http://mozilla.org/MPL/2.0/.
@ -13,12 +13,15 @@ BROWSER_CHROME_MANIFESTS += ['test/browser.ini']
JETPACK_PACKAGE_MANIFESTS += ['source/test/jetpack-package.ini'] JETPACK_PACKAGE_MANIFESTS += ['source/test/jetpack-package.ini']
JETPACK_ADDON_MANIFESTS += ['source/test/addons/jetpack-addon.ini'] JETPACK_ADDON_MANIFESTS += ['source/test/addons/jetpack-addon.ini']
DIRS += ["source/modules/system"]
EXTRA_JS_MODULES.sdk += [ EXTRA_JS_MODULES.sdk += [
'source/app-extension/bootstrap.js', 'source/app-extension/bootstrap.js',
] ]
EXTRA_JS_MODULES.sdk.system += [
'source/modules/system/Startup.js',
'source/modules/system/XulApp.js',
]
if CONFIG['MOZ_WIDGET_TOOLKIT'] != "gonk": if CONFIG['MOZ_WIDGET_TOOLKIT'] != "gonk":
EXTRA_JS_MODULES.commonjs.method.test += [ EXTRA_JS_MODULES.commonjs.method.test += [
'source/lib/method/test/browser.js', 'source/lib/method/test/browser.js',
@ -148,6 +151,10 @@ EXTRA_JS_MODULES.commonjs.dev += [
'source/lib/dev/volcan.js', 'source/lib/dev/volcan.js',
] ]
EXTRA_JS_MODULES.commonjs.dev.panel += [
'source/lib/dev/panel/view.js',
]
EXTRA_JS_MODULES.commonjs.diffpatcher += [ EXTRA_JS_MODULES.commonjs.diffpatcher += [
'source/lib/diffpatcher/diff.js', 'source/lib/diffpatcher/diff.js',
'source/lib/diffpatcher/index.js', 'source/lib/diffpatcher/index.js',
@ -211,6 +218,7 @@ EXTRA_JS_MODULES.commonjs.sdk.addon += [
'source/lib/sdk/addon/events.js', 'source/lib/sdk/addon/events.js',
'source/lib/sdk/addon/host.js', 'source/lib/sdk/addon/host.js',
'source/lib/sdk/addon/installer.js', 'source/lib/sdk/addon/installer.js',
'source/lib/sdk/addon/manager.js',
'source/lib/sdk/addon/runner.js', 'source/lib/sdk/addon/runner.js',
'source/lib/sdk/addon/window.js', 'source/lib/sdk/addon/window.js',
] ]

View File

@ -229,6 +229,10 @@ function startup(data, reasonCode) {
resultFile: options.resultFile, resultFile: options.resultFile,
// Arguments passed as --static-args // Arguments passed as --static-args
staticArgs: options.staticArgs, staticArgs: options.staticArgs,
// Option to prevent automatic kill of firefox during tests
noQuit: options.no_quit,
// Add-on preferences branch name // Add-on preferences branch name
preferencesBranch: options.preferencesBranch, preferencesBranch: options.preferencesBranch,

View File

@ -18,40 +18,73 @@
</body> </body>
<script> <script>
function debounce(fn, ms) { function debounce(fn, ms) {
var id var id;
return function(...args) { return function(...args) {
clearTimeout(id) clearTimeout(id);
id = setTimeout(fn, ms, ...args) id = setTimeout(fn, ms, ...args);
} };
} }
function Try(fn) { function Try(fn) {
return function(...args) { return function(...args) {
try { return fn(...args) } try { return fn(...args); }
catch (error) { return null } catch (error) { return null; }
};
}
var parse = Try(JSON.parse);
var CommandHistory = {
init: function() {
this._state = {};
this._state.els = document.querySelectorAll("body > section.task > .request");
this._state.idx = this._state.els.length;
},
get prev() {
if (!!this._state.els && this._state.idx > 0) {
this._state.idx--;
return this._state.els[this._state.idx].textContent;
}
return "";
},
get next() {
if (!!this._state.els && this._state.idx < this._state.els.length-1) {
this._state.idx++;
return this._state.els[this._state.idx].textContent;
}
return "";
} }
} }
var parse = Try(JSON.parse) function cmdHistory(fn, editor) {
editor.setValue(fn());
document.querySelector(".input").scrollIntoView();
}
var cmdHistoryNext = cmdHistory.bind(null, () => CommandHistory.next);
var cmdHistoryBack = cmdHistory.bind(null, () => CommandHistory.prev);
function send(editor) { function send(editor) {
var input = editor.getWrapperElement().parentNode var input = editor.getWrapperElement().parentNode;
var code = editor.getValue().trim() var code = editor.getValue().trim();
var packet = parse(code) var packet = parse(code);
if (packet) { if (packet) {
var task = document.querySelector("views .task").cloneNode(true) var task = document.querySelector("views .task").cloneNode(true);
var request = task.querySelector(".request") var request = task.querySelector(".request");
var response = task.querySelector(".response") var response = task.querySelector(".response");
input.parentNode.insertBefore(task, input) input.parentNode.insertBefore(task, input);
CodeMirror.runMode(JSON.stringify(packet, 2, 2), CodeMirror.runMode(JSON.stringify(packet, 2, 2),
"application/json", "application/json",
request) request);
response.classList.add("pending") response.classList.add("pending");
editor.setValue("") editor.setValue("");
document.activeElement.scrollIntoView()
document.querySelector(".input").scrollIntoView();
port.postMessage(packet); port.postMessage(packet);
} }
@ -63,19 +96,23 @@
matchBrackets: true, matchBrackets: true,
value: '{"to": "root", "type": "requestTypes"}', value: '{"to": "root", "type": "requestTypes"}',
extraKeys: {"Cmd-Enter": send, extraKeys: {"Cmd-Enter": send,
"Ctrl-Enter": send} "Ctrl-Enter": send,
"Cmd-Down": cmdHistoryNext,
"Ctrl-Down": cmdHistoryNext,
"Cmd-Up": cmdHistoryBack,
"Ctrl-Up": cmdHistoryBack}
}); });
editor.on("change", debounce(function(editor) { editor.on("change", debounce(function(editor) {
var input = editor.getWrapperElement().parentNode; var input = editor.getWrapperElement().parentNode;
if (parse(editor.getValue().trim())) if (parse(editor.getValue().trim())) {
input.classList.remove("invalid") input.classList.remove("invalid");
else } else {
input.classList.add("invalid") input.classList.add("invalid");
}, 800)) }
}, 800));
</script> </script>
<script> <script>
window.addEventListener("message", event => { window.addEventListener("message", event => {
console.log("REPL", event);
window.port = event.ports[0]; window.port = event.ports[0];
port.onmessage = onMessage; port.onmessage = onMessage;
}); });
@ -84,25 +121,27 @@
var packet = event.data; var packet = event.data;
var code = JSON.stringify(packet, 2, 2); var code = JSON.stringify(packet, 2, 2);
var input = editor.getWrapperElement().parentNode; var input = document.querySelector(".input");
var response = document.querySelector(".task .response.pending") var response = document.querySelector(".task .response.pending");
if (!response) { if (!response) {
message = document.querySelector("views .task").cloneNode(true) message = document.querySelector("views .task").cloneNode(true);
response = message.querySelector(".response") response = message.querySelector(".response");
response.classList.add("message") response.classList.add("message");
input.parentNode.insertBefore(message, input); input.parentNode.insertBefore(message, input);
} }
if (packet.error) if (packet.error) {
response.classList.add("error"); response.classList.add("error");
}
CodeMirror.runMode(code, "application/json", response); CodeMirror.runMode(code, "application/json", response);
response.classList.remove("pending"); response.classList.remove("pending");
document.activeElement.scrollIntoView() document.querySelector(".input").scrollIntoView();
CommandHistory.init();
}; };
</script> </script>
</html> </html>

View File

@ -0,0 +1,39 @@
/* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */
"use strict";
var data = require('sdk/self').data;
var tabs = require('sdk/tabs');
var { notify } = require('sdk/notifications');
var { ActionButton, ToggleButton } = require('sdk/ui');
var icon = 'chrome://mozapps/skin/extensions/extensionGeneric.png';
exports.icon = icon;
// your basic action button
var action = ActionButton({
id: 'test-action-button',
label: 'Action Button',
icon: icon,
onClick: function (state) {
notify({
title: "Action!",
text: "This notification was triggered from an action button!",
});
}
});
exports.actionButton = action;
var toggle = ToggleButton({
id: 'test-toggle-button',
label: 'Toggle Button',
icon: icon,
onClick: function (state) {
notify({
title: "Toggled!",
text: "The current state of the button is " + state.checked,
});
}
});
exports.toggleButton = toggle;

View File

@ -0,0 +1,9 @@
{
"name": "ui-button-apis",
"title": "Australis Button API Examples",
"id": "ui-button-apis@mozilla.org",
"description": "A Button API example",
"author": "jeff@canuckistani.ca (Jeff Griffiths | @canuckistani)",
"license": "MPL 2.0",
"version": "0.1"
}

View File

@ -0,0 +1,21 @@
/* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */
"use strict";
var { actionButton, toggleButton, icon } = require("main");
var self = require("sdk/self");
exports.testActionButton = function(assert) {
assert.equal(actionButton.id, "test-action-button", "action button id is correct");
assert.equal(actionButton.label, "Action Button", "action button label is correct");
assert.equal(actionButton.icon, icon, "action button icon is correct");
}
exports.testToggleButton = function(assert) {
assert.equal(toggleButton.id, "test-toggle-button", "toggle button id is correct");
assert.equal(toggleButton.label, "Toggle Button", "toggle button label is correct");
assert.equal(toggleButton.icon, icon, "toggle button icon is correct");
}
require("sdk/test").run(exports);

View File

@ -22,7 +22,6 @@ const inputFor = port => inputs.get(port);
const outputFor = port => outputs.get(port); const outputFor = port => outputs.get(port);
const transportFor = port => transports.get(port); const transportFor = port => transports.get(port);
const fromTarget = target => { const fromTarget = target => {
const debuggee = new Debuggee(); const debuggee = new Debuggee();
const { port1, port2 } = new MessageChannel(); const { port1, port2 } = new MessageChannel();

View File

@ -8,7 +8,6 @@ module.metadata = {
"stability": "experimental" "stability": "experimental"
}; };
const { Cu } = require("chrome"); const { Cu } = require("chrome");
const { Class } = require("../sdk/core/heritage"); const { Class } = require("../sdk/core/heritage");
const { curry } = require("../sdk/lang/functional"); const { curry } = require("../sdk/lang/functional");
@ -21,12 +20,13 @@ const { contract, validate } = require("../sdk/util/contract");
const { data: { url: resolve }} = require("../sdk/self"); const { data: { url: resolve }} = require("../sdk/self");
const { identify } = require("../sdk/ui/id"); const { identify } = require("../sdk/ui/id");
const { isLocalURL, URL } = require("../sdk/url"); const { isLocalURL, URL } = require("../sdk/url");
const { defer } = require("../sdk/core/promise");
const { encode } = require("../sdk/base64"); const { encode } = require("../sdk/base64");
const { marshal, demarshal } = require("./ports"); const { marshal, demarshal } = require("./ports");
const { fromTarget } = require("./debuggee"); const { fromTarget } = require("./debuggee");
const { removed } = require("../sdk/dom/events"); const { removed } = require("../sdk/dom/events");
const { id: addonID } = require("../sdk/self"); const { id: addonID } = require("../sdk/self");
const { viewFor } = require("../sdk/view/core");
const { createView } = require("./panel/view");
const OUTER_FRAME_URI = module.uri.replace(/\.js$/, ".html"); const OUTER_FRAME_URI = module.uri.replace(/\.js$/, ".html");
const FRAME_SCRIPT = module.uri.replace("/panel.js", "/frame-script.js"); const FRAME_SCRIPT = module.uri.replace("/panel.js", "/frame-script.js");
@ -56,6 +56,9 @@ const panelFor = frame => panels.get(frame);
const debuggees = new WeakMap(); const debuggees = new WeakMap();
const debuggeeFor = panel => debuggees.get(panel); const debuggeeFor = panel => debuggees.get(panel);
const frames = new WeakMap();
const frameFor = panel => frames.get(panel);
const setAttributes = (node, attributes) => { const setAttributes = (node, attributes) => {
for (var key in attributes) for (var key in attributes)
node.setAttribute(key, attributes[key]); node.setAttribute(key, attributes[key]);
@ -165,22 +168,29 @@ setup.define(Panel, (panel, {window, toolbox, url}) => {
// we obtain original iframe and replace it with the one that has // we obtain original iframe and replace it with the one that has
// desired configuration. // desired configuration.
const original = getFrameElement(window); const original = getFrameElement(window);
const frame = original.cloneNode(true); const container = original.parentNode;
original.remove();
const frame = createView(panel, container.ownerDocument);
// Following modifications are a temporary workaround until Bug 1049188
// is fixed.
// Enforce certain iframe customizations regardless of users request.
setAttributes(frame, { setAttributes(frame, {
"id": original.id,
"src": url, "src": url,
"sandbox": "allow-scripts", "flex": 1,
// It would be great if we could allow remote iframes for sandboxing "forceOwnRefreshDriver": "",
// panel documents in a content process, but for now platform implementation "tooltip": "aHTMLTooltip"
// is buggy on linux so this is disabled.
// "remote": true,
"type": "content",
"transparent": true,
"seamless": "seamless"
}); });
original.parentNode.replaceChild(frame, original);
frame.style.visibility = "hidden"; frame.style.visibility = "hidden";
frame.classList.add("toolbox-panel-iframe");
// Inject iframe into designated node until add-on author decides
// to inject it elsewhere instead.
if (!frame.parentNode)
container.appendChild(frame);
// associate view with a panel
frames.set(panel, frame);
// associate panel model with a frame view. // associate panel model with a frame view.
panels.set(frame, panel); panels.set(frame, panel);
@ -213,11 +223,29 @@ setup.define(Panel, (panel, {window, toolbox, url}) => {
panel.setup({ debuggee: debuggee }); panel.setup({ debuggee: debuggee });
}); });
createView.define(Panel, (panel, document) => {
const frame = document.createElement("iframe");
setAttributes(frame, {
"sandbox": "allow-scripts",
// It would be great if we could allow remote iframes for sandboxing
// panel documents in a content process, but for now platform implementation
// is buggy on linux so this is disabled.
// "remote": true,
"type": "content",
"transparent": true,
"seamless": "seamless",
});
return frame;
});
dispose.define(Panel, function(panel) { dispose.define(Panel, function(panel) {
debuggeeFor(panel).close(); debuggeeFor(panel).close();
debuggees.delete(panel); debuggees.delete(panel);
managers.delete(panel); managers.delete(panel);
frames.delete(panel);
panel.readyState = "destroyed"; panel.readyState = "destroyed";
panel.dispose(); panel.dispose();
}); });
viewFor.define(Panel, frameFor);

View File

@ -0,0 +1,14 @@
/* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */
"use strict";
module.metadata = {
"stability": "experimental"
};
const { method } = require("method/core");
const createView = method("dev/panel/view#createView");
exports.createView = createView;

View File

@ -0,0 +1,18 @@
/* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */
"use strict";
module.metadata = {
"stability": "experimental"
};
const { AddonManager } = require("resource://gre/modules/AddonManager.jsm");
const { defer } = require("../core/promise");
function getAddonByID(id) {
let { promise, resolve } = defer();
AddonManager.getAddonByID(id, resolve);
return promise;
}
exports.getAddonByID = getAddonByID;

View File

@ -46,15 +46,9 @@ Object.freeze({
} }
return results; return results;
} }
function hasListenerFor(name) {
if (!(name in listeners))
return false;
return listeners[name].length > 0;
}
return { return {
eventEmitter: eventEmitter, eventEmitter: eventEmitter,
emit: onEvent, emit: onEvent
hasListenerFor: hasListenerFor
}; };
}, },
@ -83,7 +77,7 @@ Object.freeze({
emitToChrome(str); emitToChrome(str);
} }
let { eventEmitter, emit, hasListenerFor } = let { eventEmitter, emit } =
ContentWorker.createEventEmitter(onEvent); ContentWorker.createEventEmitter(onEvent);
return { return {
@ -95,8 +89,7 @@ Object.freeze({
// and modules (only used for context-menu API) // and modules (only used for context-menu API)
let args = typeof array == "string" ? JSON.parse(array) : array; let args = typeof array == "string" ? JSON.parse(array) : array;
return emit.apply(null, args); return emit.apply(null, args);
}, }
hasListenerFor: hasListenerFor
}; };
}, },
@ -325,7 +318,7 @@ Object.freeze({
inject: function (exports, chromeAPI, emitToChrome, options) { inject: function (exports, chromeAPI, emitToChrome, options) {
let ContentWorker = this; let ContentWorker = this;
let { pipe, onChromeEvent, hasListenerFor } = let { pipe, onChromeEvent } =
ContentWorker.createPipe(emitToChrome); ContentWorker.createPipe(emitToChrome);
ContentWorker.injectConsole(exports, pipe); ContentWorker.injectConsole(exports, pipe);
@ -337,9 +330,6 @@ Object.freeze({
Object.freeze( exports.self ); Object.freeze( exports.self );
return { return onChromeEvent;
emitToContent: onChromeEvent,
hasListenerFor: hasListenerFor
};
} }
}); });

View File

@ -77,15 +77,6 @@ const WorkerSandbox = Class({
return emitToContent(this, args); return emitToContent(this, args);
}, },
/**
* Tells if content script has at least one listener registered for one event,
* through `self.on('xxx', ...)`.
* /!\ Shouldn't be used. Implemented to avoid breaking context-menu API.
*/
hasListenerFor: function hasListenerFor(name) {
return modelFor(this).hasListenerFor(name);
},
/** /**
* Configures sandbox and loads content scripts into it. * Configures sandbox and loads content scripts into it.
* @param {Worker} worker * @param {Worker} worker
@ -190,10 +181,9 @@ const WorkerSandbox = Class({
let chromeAPI = createChromeAPI(); let chromeAPI = createChromeAPI();
let result = Cu.waiveXrays(ContentWorker).inject(content, chromeAPI, onEvent, options); let result = Cu.waiveXrays(ContentWorker).inject(content, chromeAPI, onEvent, options);
// Merge `emitToContent` and `hasListenerFor` into our private // Merge `emitToContent` into our private model of the
// model of the WorkerSandbox so we can communicate with content // WorkerSandbox so we can communicate with content script
// script model.emitToContent = result;
merge(model, result);
let console = new PlainTextConsole(null, getInnerId(window)); let console = new PlainTextConsole(null, getInnerId(window));

View File

@ -48,8 +48,9 @@ const OVERFLOW_THRESH_PREF =
// The label of the overflow sub-xul:menu. // The label of the overflow sub-xul:menu.
// //
// TODO: Localize this. // TODO: Localize these.
const OVERFLOW_MENU_LABEL = "Add-ons"; const OVERFLOW_MENU_LABEL = "Add-ons";
const OVERFLOW_MENU_ACCESSKEY = "A";
// The class of the overflow sub-xul:menu. // The class of the overflow sub-xul:menu.
const OVERFLOW_MENU_CLASS = "addon-content-menu-overflow-menu"; const OVERFLOW_MENU_CLASS = "addon-content-menu-overflow-menu";
@ -277,7 +278,7 @@ function removeItemFromArray(array, item) {
// Converts anything that isn't false, null or undefined into a string // Converts anything that isn't false, null or undefined into a string
function stringOrNull(val) val ? String(val) : val; function stringOrNull(val) val ? String(val) : val;
// Shared option validation rules for Item and Menu // Shared option validation rules for Item, Menu, and Separator
let baseItemRules = { let baseItemRules = {
parentMenu: { parentMenu: {
is: ["object", "undefined"], is: ["object", "undefined"],
@ -313,6 +314,17 @@ let labelledItemRules = mix(baseItemRules, {
ok: function (v) !!v, ok: function (v) !!v,
msg: "The item must have a non-empty string label." msg: "The item must have a non-empty string label."
}, },
accesskey: {
map: stringOrNull,
is: ["string", "undefined", "null"],
ok: (v) => {
if (!v) {
return true;
}
return typeof v == "string" && v.length === 1;
},
msg: "The item must have a single character accesskey, or no accesskey."
},
image: { image: {
map: stringOrNull, map: stringOrNull,
is: ["string", "undefined", "null"], is: ["string", "undefined", "null"],
@ -352,18 +364,15 @@ let menuRules = mix(labelledItemRules, {
let ContextWorker = Class({ let ContextWorker = Class({
implements: [ Worker ], implements: [ Worker ],
//Returns true if any context listeners are defined in the worker's port.
anyContextListeners: function anyContextListeners() {
return this.getSandbox().hasListenerFor("context");
},
// Calls the context workers context listeners and returns the first result // Calls the context workers context listeners and returns the first result
// that is either a string or a value that evaluates to true. If all of the // that is either a string or a value that evaluates to true. If all of the
// listeners returned false then returns false. If there are no listeners // listeners returned false then returns false. If there are no listeners,
// then returns null. // returns true (show the menu item by default).
getMatchedContext: function getCurrentContexts(popupNode) { getMatchedContext: function getCurrentContexts(popupNode) {
let results = this.getSandbox().emitSync("context", popupNode); let results = this.getSandbox().emitSync("context", popupNode);
return results.reduce(function(val, result) val || result, null); if (!results.length)
return true;
return results.reduce((val, result) => val || result);
}, },
// Emits a click event in the worker's port. popupNode is the node that was // Emits a click event in the worker's port. popupNode is the node that was
@ -389,7 +398,7 @@ function hasMatchingContext(contexts, popupNode) {
// or no matched context then returns false. // or no matched context then returns false.
function getCurrentWorkerContext(item, popupNode) { function getCurrentWorkerContext(item, popupNode) {
let worker = getItemWorkerForWindow(item, popupNode.ownerDocument.defaultView); let worker = getItemWorkerForWindow(item, popupNode.ownerDocument.defaultView);
if (!worker || !worker.anyContextListeners()) if (!worker)
return true; return true;
return worker.getMatchedContext(popupNode); return worker.getMatchedContext(popupNode);
} }
@ -399,7 +408,7 @@ function getCurrentWorkerContext(item, popupNode) {
function isItemVisible(item, popupNode, defaultVisibility) { function isItemVisible(item, popupNode, defaultVisibility) {
if (!item.context.length) { if (!item.context.length) {
let worker = getItemWorkerForWindow(item, popupNode.ownerDocument.defaultView); let worker = getItemWorkerForWindow(item, popupNode.ownerDocument.defaultView);
if (!worker || !worker.anyContextListeners()) if (!worker)
return defaultVisibility; return defaultVisibility;
} }
@ -445,7 +454,7 @@ function getItemWorkerForWindow(item, window) {
// Called when an item is clicked to send out click events to the content // Called when an item is clicked to send out click events to the content
// scripts // scripts
function itemClicked(item, clickedItem, popupNode) { function itemActivated(item, clickedItem, popupNode) {
let worker = getItemWorkerForWindow(item, popupNode.ownerDocument.defaultView); let worker = getItemWorkerForWindow(item, popupNode.ownerDocument.defaultView);
if (worker) { if (worker) {
@ -456,7 +465,7 @@ function itemClicked(item, clickedItem, popupNode) {
} }
if (item.parentMenu) if (item.parentMenu)
itemClicked(item.parentMenu, clickedItem, popupNode); itemActivated(item.parentMenu, clickedItem, popupNode);
} }
// All things that appear in the context menu extend this // All things that appear in the context menu extend this
@ -533,6 +542,16 @@ let LabelledItem = Class({
MenuManager.updateItem(this); MenuManager.updateItem(this);
}, },
get accesskey() {
return internal(this).options.accesskey;
},
set accesskey(val) {
internal(this).options.accesskey = val;
MenuManager.updateItem(this);
},
get image() { get image() {
return internal(this).options.image; return internal(this).options.image;
}, },
@ -874,6 +893,8 @@ let MenuWrapper = Class({
xulNode.setAttribute("class", ITEM_CLASS); xulNode.setAttribute("class", ITEM_CLASS);
if (item instanceof LabelledItem) { if (item instanceof LabelledItem) {
xulNode.setAttribute("label", item.label); xulNode.setAttribute("label", item.label);
if (item.accesskey)
xulNode.setAttribute("accesskey", item.accesskey);
if (item.image) { if (item.image) {
xulNode.setAttribute("image", item.image); xulNode.setAttribute("image", item.image);
if (item instanceof Menu) if (item instanceof Menu)
@ -890,7 +911,7 @@ let MenuWrapper = Class({
if (event.target !== xulNode) if (event.target !== xulNode)
return; return;
itemClicked(item, item, self.contextMenu.triggerNode); itemActivated(item, item, self.contextMenu.triggerNode);
}, false); }, false);
} }
@ -915,6 +936,7 @@ let MenuWrapper = Class({
// TODO figure out why this requires setAttribute // TODO figure out why this requires setAttribute
xulNode.setAttribute("label", item.label); xulNode.setAttribute("label", item.label);
xulNode.setAttribute("accesskey", item.accesskey || "");
if (item.image) { if (item.image) {
xulNode.setAttribute("image", item.image); xulNode.setAttribute("image", item.image);
@ -1050,6 +1072,7 @@ let MenuWrapper = Class({
let overflowMenu = this.window.document.createElement("menu"); let overflowMenu = this.window.document.createElement("menu");
overflowMenu.setAttribute("class", OVERFLOW_MENU_CLASS); overflowMenu.setAttribute("class", OVERFLOW_MENU_CLASS);
overflowMenu.setAttribute("label", OVERFLOW_MENU_LABEL); overflowMenu.setAttribute("label", OVERFLOW_MENU_LABEL);
overflowMenu.setAttribute("accesskey", OVERFLOW_MENU_ACCESSKEY);
this.contextMenu.insertBefore(overflowMenu, this.separator.nextSibling); this.contextMenu.insertBefore(overflowMenu, this.separator.nextSibling);
overflowPopup = this.window.document.createElement("menupopup"); overflowPopup = this.window.document.createElement("menupopup");

View File

@ -86,15 +86,6 @@ const WorkerSandbox = EventEmitter.compose({
return this._emitToContent(args); return this._emitToContent(args);
}, },
/**
* Tells if content script has at least one listener registered for one event,
* through `self.on('xxx', ...)`.
* /!\ Shouldn't be used. Implemented to avoid breaking context-menu API.
*/
hasListenerFor: function hasListenerFor(name) {
return this._hasListenerFor(name);
},
/** /**
* Method called by the worker sandbox when it needs to send a message * Method called by the worker sandbox when it needs to send a message
*/ */
@ -223,8 +214,7 @@ const WorkerSandbox = EventEmitter.compose({
}; };
let onEvent = this._onContentEvent.bind(this); let onEvent = this._onContentEvent.bind(this);
let result = Cu.waiveXrays(ContentWorker).inject(content, chromeAPI, onEvent, options); let result = Cu.waiveXrays(ContentWorker).inject(content, chromeAPI, onEvent, options);
this._emitToContent = result.emitToContent; this._emitToContent = result;
this._hasListenerFor = result.hasListenerFor;
// Handle messages send by this script: // Handle messages send by this script:
let self = this; let self = this;

View File

@ -12,8 +12,9 @@ const timer = require("../timers");
const cfxArgs = require("../test/options"); const cfxArgs = require("../test/options");
const { getTabs, closeTab, getURI } = require("../tabs/utils"); const { getTabs, closeTab, getURI } = require("../tabs/utils");
const { windows, isBrowser, getMostRecentBrowserWindow } = require("../window/utils"); const { windows, isBrowser, getMostRecentBrowserWindow } = require("../window/utils");
const { defer, all, Debugging: PromiseDebugging } = require("../core/promise"); const { defer, all, Debugging: PromiseDebugging, resolve } = require("../core/promise");
const { getInnerId } = require("../window/utils"); const { getInnerId } = require("../window/utils");
const { cleanUI } = require("../test/utils")
const findAndRunTests = function findAndRunTests(options) { const findAndRunTests = function findAndRunTests(options) {
var TestFinder = require("./unit-test-finder").TestFinder; var TestFinder = require("./unit-test-finder").TestFinder;
@ -268,88 +269,91 @@ TestRunner.prototype = {
}, },
done: function done() { done: function done() {
if (!this.isDone) { if (this.isDone) {
this.isDone = true; return resolve();
if(this.test.teardown) {
this.test.teardown(this);
}
if (this.waitTimeout !== null) {
timer.clearTimeout(this.waitTimeout);
this.waitTimeout = null;
}
// Do not leave any callback set when calling to `waitUntil`
this.waitUntilCallback = null;
if (this.test.passed == 0 && this.test.failed == 0) {
this._logTestFailed("empty test");
if ("testMessage" in this.console) {
this.console.testMessage(false, false, this.test.name, "Empty test");
}
else {
this.console.error("fail:", "Empty test")
}
this.failed++;
this.test.failed++;
}
let wins = windows(null, { includePrivate: true });
let winPromises = wins.map(win => {
let { promise, resolve } = defer();
if (["interactive", "complete"].indexOf(win.document.readyState) >= 0) {
resolve()
}
else {
win.addEventListener("DOMContentLoaded", function onLoad() {
win.removeEventListener("DOMContentLoaded", onLoad, false);
resolve();
}, false);
}
return promise;
});
PromiseDebugging.flushUncaughtErrors();
all(winPromises).then(_ => {
let tabs = [];
for (let win of wins.filter(isBrowser)) {
for (let tab of getTabs(win)) {
tabs.push(tab);
}
}
let leftover = tabs.slice(1);
if (wins.length != 1 || getInnerId(wins[0]) !== runnerWindows.get(this))
this.fail("Should not be any unexpected windows open");
if (tabs.length != 1)
this.fail("Should not be any unexpected tabs open");
if (tabs.length != 1 || wins.length != 1) {
console.log("Windows open:");
for (let win of wins) {
if (isBrowser(win)) {
tabs = getTabs(win);
console.log(win.location + " - " + tabs.map(getURI).join(", "));
}
else {
console.log(win.location);
}
}
}
leftover.forEach(closeTab);
this.testRunSummary.push({
name: this.test.name,
passed: this.test.passed,
failed: this.test.failed,
errors: [error for (error in this.test.errors)].join(", ")
});
if (this.onDone !== null) {
let onDone = this.onDone;
this.onDone = null;
timer.setTimeout(_ => onDone(this), 0);
}
});
} }
this.isDone = true;
if (this.test.teardown) {
this.test.teardown(this);
}
if (this.waitTimeout !== null) {
timer.clearTimeout(this.waitTimeout);
this.waitTimeout = null;
}
// Do not leave any callback set when calling to `waitUntil`
this.waitUntilCallback = null;
if (this.test.passed == 0 && this.test.failed == 0) {
this._logTestFailed("empty test");
if ("testMessage" in this.console) {
this.console.testMessage(false, false, this.test.name, "Empty test");
}
else {
this.console.error("fail:", "Empty test")
}
this.failed++;
this.test.failed++;
}
let wins = windows(null, { includePrivate: true });
let winPromises = wins.map(win => {
let { promise, resolve } = defer();
if (["interactive", "complete"].indexOf(win.document.readyState) >= 0) {
resolve()
}
else {
win.addEventListener("DOMContentLoaded", function onLoad() {
win.removeEventListener("DOMContentLoaded", onLoad, false);
resolve();
}, false);
}
return promise;
});
PromiseDebugging.flushUncaughtErrors();
return all(winPromises).then(() => {
let browserWins = wins.filter(isBrowser);
let tabs = browserWins.reduce((tabs, window) => tabs.concat(getTabs(window)), []);
if (wins.length != 1 || getInnerId(wins[0]) !== runnerWindows.get(this))
this.fail("Should not be any unexpected windows open");
let hasMoreTabsOpen = browserWins.length && tabs.length != 1;
if (hasMoreTabsOpen)
this.fail("Should not be any unexpected tabs open");
if (hasMoreTabsOpen || wins.length != 1) {
console.log("Windows open:");
for (let win of wins) {
if (isBrowser(win)) {
tabs = getTabs(win);
console.log(win.location + " - " + tabs.map(getURI).join(", "));
}
else {
console.log(win.location);
}
}
}
return null;
}).
then(cleanUI).
then(() => {
this.testRunSummary.push({
name: this.test.name,
passed: this.test.passed,
failed: this.test.failed,
errors: [error for (error in this.test.errors)].join(", ")
});
if (this.onDone !== null) {
let onDone = this.onDone;
this.onDone = null;
timer.setTimeout(_ => onDone(this));
}
}).
catch(e => console.exception(e));
}, },
// Set of assertion functions to wait for an assertion to become true // Set of assertion functions to wait for an assertion to become true

View File

@ -16,7 +16,7 @@ const { getInnerId, getOuterId, windows, isDocumentLoaded, isBrowser,
getMostRecentBrowserWindow, getMostRecentWindow } = require('../window/utils'); getMostRecentBrowserWindow, getMostRecentWindow } = require('../window/utils');
const errors = require('../deprecated/errors'); const errors = require('../deprecated/errors');
const { deprecateFunction } = require('../util/deprecate'); const { deprecateFunction } = require('../util/deprecate');
const { ignoreWindow, isGlobalPBSupported } = require('sdk/private-browsing/utils'); const { ignoreWindow } = require('sdk/private-browsing/utils');
const { isPrivateBrowsingSupported } = require('../self'); const { isPrivateBrowsingSupported } = require('../self');
const windowWatcher = Cc['@mozilla.org/embedcomp/window-watcher;1']. const windowWatcher = Cc['@mozilla.org/embedcomp/window-watcher;1'].
@ -25,7 +25,7 @@ const appShellService = Cc['@mozilla.org/appshell/appShellService;1'].
getService(Ci.nsIAppShellService); getService(Ci.nsIAppShellService);
// Bug 834961: ignore private windows when they are not supported // Bug 834961: ignore private windows when they are not supported
function getWindows() windows(null, { includePrivate: isPrivateBrowsingSupported || isGlobalPBSupported }); function getWindows() windows(null, { includePrivate: isPrivateBrowsingSupported });
/** /**
* An iterator for XUL windows currently in the application. * An iterator for XUL windows currently in the application.

View File

@ -137,6 +137,7 @@ Buffer.concat = function(list, length) {
// that typically can be used in combination with `DataView` while preserving // that typically can be used in combination with `DataView` while preserving
// access by index. Since in SDK each module has it's own set of bult-ins it // access by index. Since in SDK each module has it's own set of bult-ins it
// ok to patch ours to make it nodejs Buffer compatible. // ok to patch ours to make it nodejs Buffer compatible.
const Uint8ArraySet = Uint8Array.prototype.set
Buffer.prototype = Uint8Array.prototype; Buffer.prototype = Uint8Array.prototype;
Object.defineProperties(Buffer.prototype, { Object.defineProperties(Buffer.prototype, {
parent: { parent: {
@ -204,7 +205,7 @@ Object.defineProperties(Buffer.prototype, {
end = start + remainingTarget; end = start + remainingTarget;
} }
Uint8Array.set(target, this.subarray(start, end), offset); Uint8ArraySet.call(target, this.subarray(start, end), offset);
return end - start; return end - start;
} }
}, },
@ -267,7 +268,7 @@ Object.defineProperties(Buffer.prototype, {
if (buffer.length !== length) if (buffer.length !== length)
buffer = buffer.subarray(0, length); buffer = buffer.subarray(0, length);
Uint8Array.set(this, buffer, offset); Uint8ArraySet.call(this, buffer, offset);
return result; return result;
} }
}, },

View File

@ -647,26 +647,26 @@ exports.close = close;
/** /**
* Synchronous open(2). * Synchronous open(2).
*/ */
function openSync(path, flags, mode) { function openSync(aPath, aFlag, aMode) {
let [ fd, flags_, mode_, file ] = let [ fd, flags, mode, file ] =
[ { path: path }, Flags(flags), Mode(mode), nsILocalFile(path) ]; [ { path: aPath }, Flags(aFlag), Mode(aMode), nsILocalFile(aPath) ];
nsIFile(fd, file); nsIFile(fd, file);
// If trying to open file for just read that does not exists // If trying to open file for just read that does not exists
// need to throw exception as node does. // need to throw exception as node does.
if (!file.exists() && !isWritable(flags_)) if (!file.exists() && !isWritable(flags))
throw FSError("open", "ENOENT", 34, path); throw FSError("open", "ENOENT", 34, aPath);
// If we want to open file in read mode we initialize input stream. // If we want to open file in read mode we initialize input stream.
if (isReadable(flags_)) { if (isReadable(flags)) {
let input = FileInputStream(file, flags_, mode_, DEFER_OPEN); let input = FileInputStream(file, flags, mode, DEFER_OPEN);
nsIFileInputStream(fd, input); nsIFileInputStream(fd, input);
} }
// If we want to open file in write mode we initialize output stream for it. // If we want to open file in write mode we initialize output stream for it.
if (isWritable(flags_)) { if (isWritable(flags)) {
let output = FileOutputStream(file, flags_, mode_, DEFER_OPEN); let output = FileOutputStream(file, flags, mode, DEFER_OPEN);
nsIFileOutputStream(fd, output); nsIFileOutputStream(fd, output);
} }
@ -822,7 +822,8 @@ function readFile(path, encoding, callback) {
readStream.destroy(); readStream.destroy();
callback(null, buffer); callback(null, buffer);
}); });
} catch (error) { }
catch (error) {
setTimeout(callback, 0, error); setTimeout(callback, 0, error);
} }
}; };

View File

@ -15,12 +15,11 @@ module.metadata = {
const { getMostRecentBrowserWindow, windows: getWindows } = require('../window/utils'); const { getMostRecentBrowserWindow, windows: getWindows } = require('../window/utils');
const { ignoreWindow } = require('../private-browsing/utils'); const { ignoreWindow } = require('../private-browsing/utils');
const { isPrivateBrowsingSupported } = require('../self'); const { isPrivateBrowsingSupported } = require('../self');
const { isGlobalPBSupported } = require('../private-browsing/utils');
function getWindow(anchor) { function getWindow(anchor) {
let window; let window;
let windows = getWindows("navigator:browser", { let windows = getWindows("navigator:browser", {
includePrivate: isPrivateBrowsingSupported || isGlobalPBSupported includePrivate: isPrivateBrowsingSupported
}); });
if (anchor) { if (anchor) {

View File

@ -7,43 +7,6 @@ module.metadata = {
"stability": "stable" "stability": "stable"
}; };
const { setMode, getMode, on: onStateChange, isPrivate } = require('./private-browsing/utils'); const { isPrivate } = require('./private-browsing/utils');
const { emit, on, once, off } = require('./event/core');
const { when: unload } = require('./system/unload');
const { deprecateFunction, deprecateEvent } = require('./util/deprecate');
onStateChange('start', function onStart() {
emit(exports, 'start');
});
onStateChange('stop', function onStop() {
emit(exports, 'stop');
});
Object.defineProperty(exports, "isActive", {
get: deprecateFunction(getMode, 'require("private-browsing").isActive is deprecated.')
});
exports.activate = function activate() setMode(true);
exports.deactivate = function deactivate() setMode(false);
exports.on = deprecateEvents(on.bind(null, exports));
exports.once = deprecateEvents(once.bind(null, exports));
exports.removeListener = deprecateEvents(function removeListener(type, listener) {
// Note: We can't just bind `off` as we do it for other methods cause skipping
// a listener argument will remove all listeners for the given event type
// causing misbehavior. This way we make sure all arguments are passed.
off(exports, type, listener);
});
exports.isPrivate = isPrivate; exports.isPrivate = isPrivate;
function deprecateEvents(func) deprecateEvent(
func,
'The require("sdk/private-browsing") module\'s "start" and "stop" events ' +
'are deprecated.',
['start', 'stop']
);
// Make sure listeners are cleaned up.
unload(function() off(exports));

View File

@ -8,51 +8,28 @@ module.metadata = {
}; };
const { Cc, Ci, Cu } = require('chrome'); const { Cc, Ci, Cu } = require('chrome');
const { defer } = require('../lang/functional'); const { is } = require('../system/xul-app');
const { emit, on, once, off } = require('../event/core');
const { when: unload } = require('../system/unload');
const events = require('../system/events');
const { deprecateFunction } = require('../util/deprecate');
const { isOneOf, is, satisfiesVersion, version } = require('../system/xul-app');
const { isWindowPrivate } = require('../window/utils'); const { isWindowPrivate } = require('../window/utils');
const { isPrivateBrowsingSupported } = require('../self'); const { isPrivateBrowsingSupported } = require('../self');
const { dispatcher } = require("../util/dispatcher"); const { dispatcher } = require("../util/dispatcher");
let deferredEmit = defer(emit);
let pbService;
let PrivateBrowsingUtils; let PrivateBrowsingUtils;
// Private browsing is only supported in Fx // Private browsing is only supported in Fx
if (isOneOf(['Firefox', 'Fennec'])) { try {
// get the nsIPrivateBrowsingService if it exists PrivateBrowsingUtils = Cu.import('resource://gre/modules/PrivateBrowsingUtils.jsm', {}).PrivateBrowsingUtils;
try {
pbService = Cc["@mozilla.org/privatebrowsing;1"].
getService(Ci.nsIPrivateBrowsingService);
// a dummy service exists for the moment (Fx20 atleast), but will be removed eventually
// ie: the service will exist, but it won't do anything and the global private browing
// feature is not really active. See Bug 818800 and Bug 826037
if (!('privateBrowsingEnabled' in pbService))
pbService = undefined;
}
catch(e) { /* Private Browsing Service has been removed (Bug 818800) */ }
try {
PrivateBrowsingUtils = Cu.import('resource://gre/modules/PrivateBrowsingUtils.jsm', {}).PrivateBrowsingUtils;
}
catch(e) { /* if this file DNE then an error will be thrown */ }
} }
catch (e) {}
// checks that global private browsing is implemented exports.isGlobalPBSupported = false;
let isGlobalPBSupported = exports.isGlobalPBSupported = !!pbService && is('Firefox');
// checks that per-window private browsing is implemented // checks that per-window private browsing is implemented
let isWindowPBSupported = exports.isWindowPBSupported = let isWindowPBSupported = exports.isWindowPBSupported =
!pbService && !!PrivateBrowsingUtils && is('Firefox'); !!PrivateBrowsingUtils && is('Firefox');
// checks that per-tab private browsing is implemented // checks that per-tab private browsing is implemented
let isTabPBSupported = exports.isTabPBSupported = let isTabPBSupported = exports.isTabPBSupported =
!pbService && !!PrivateBrowsingUtils && is('Fennec') && satisfiesVersion(version, '>=20.0*'); !!PrivateBrowsingUtils && is('Fennec');
function isPermanentPrivateBrowsing() { function isPermanentPrivateBrowsing() {
return !!(PrivateBrowsingUtils && PrivateBrowsingUtils.permanentPrivateBrowsing); return !!(PrivateBrowsingUtils && PrivateBrowsingUtils.permanentPrivateBrowsing);
@ -60,58 +37,18 @@ function isPermanentPrivateBrowsing() {
exports.isPermanentPrivateBrowsing = isPermanentPrivateBrowsing; exports.isPermanentPrivateBrowsing = isPermanentPrivateBrowsing;
function ignoreWindow(window) { function ignoreWindow(window) {
return !isPrivateBrowsingSupported && isWindowPrivate(window) && !isGlobalPBSupported; return !isPrivateBrowsingSupported && isWindowPrivate(window);
} }
exports.ignoreWindow = ignoreWindow; exports.ignoreWindow = ignoreWindow;
function onChange() {
// Emit event with in next turn of event loop.
deferredEmit(exports, pbService.privateBrowsingEnabled ? 'start' : 'stop');
}
// Currently, only Firefox implements the private browsing service.
if (isGlobalPBSupported) {
// set up an observer for private browsing switches.
events.on('private-browsing-transition-complete', onChange);
}
// We toggle private browsing mode asynchronously in order to work around
// bug 659629. Since private browsing transitions are asynchronous
// anyway, this doesn't significantly change the behavior of the API.
let setMode = defer(function setMode(value) {
value = !!value; // Cast to boolean.
// default
return pbService && (pbService.privateBrowsingEnabled = value);
});
exports.setMode = deprecateFunction(
setMode,
'require("sdk/private-browsing").activate and ' +
'require("sdk/private-browsing").deactivate ' +
'are deprecated.'
);
let getMode = function getMode(chromeWin) { let getMode = function getMode(chromeWin) {
if (chromeWin !== undefined && isWindowPrivate(chromeWin)) return (chromeWin !== undefined && isWindowPrivate(chromeWin));
return true;
// default
return isGlobalPrivateBrowsing();
}; };
exports.getMode = getMode; exports.getMode = getMode;
function isGlobalPrivateBrowsing() {
return pbService ? pbService.privateBrowsingEnabled : false;
}
const isPrivate = dispatcher("isPrivate"); const isPrivate = dispatcher("isPrivate");
isPrivate.when(isPermanentPrivateBrowsing, _ => true); isPrivate.when(isPermanentPrivateBrowsing, _ => true);
isPrivate.when(x => x instanceof Ci.nsIDOMWindow, isWindowPrivate); isPrivate.when(x => x instanceof Ci.nsIDOMWindow, isWindowPrivate);
isPrivate.when(x => Ci.nsIPrivateBrowsingChannel && x instanceof Ci.nsIPrivateBrowsingChannel, x => x.isChannelPrivate); isPrivate.when(x => Ci.nsIPrivateBrowsingChannel && x instanceof Ci.nsIPrivateBrowsingChannel, x => x.isChannelPrivate);
isPrivate.define(isGlobalPrivateBrowsing); isPrivate.define(() => false);
exports.isPrivate = isPrivate; exports.isPrivate = isPrivate;
exports.on = on.bind(null, exports);
// Make sure listeners are cleaned up.
unload(function() off(exports));

View File

@ -1,7 +1,6 @@
/* This Source Code Form is subject to the terms of the Mozilla Public /* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this * License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */ * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
'use strict'; 'use strict';
module.metadata = { module.metadata = {
@ -12,6 +11,7 @@ const { Cc, Ci, CC } = require('chrome');
const options = require('@loader/options'); const options = require('@loader/options');
const file = require('./io/file'); const file = require('./io/file');
const runtime = require("./system/runtime"); const runtime = require("./system/runtime");
const { when: unload } = require("./system/unload");
const appStartup = Cc['@mozilla.org/toolkit/app-startup;1']. const appStartup = Cc['@mozilla.org/toolkit/app-startup;1'].
getService(Ci.nsIAppStartup); getService(Ci.nsIAppStartup);
@ -61,8 +61,9 @@ exports.exit = function exit(code) {
return; return;
} }
// This is used by 'cfx' to find out exit code. let resultsFile = 'resultFile' in options && options.resultFile;
if ('resultFile' in options && options.resultFile) { function unloader() {
// This is used by 'cfx' to find out exit code.
let mode = PR_WRONLY | PR_CREATE_FILE | PR_TRUNCATE; let mode = PR_WRONLY | PR_CREATE_FILE | PR_TRUNCATE;
let stream = openFile(options.resultFile, mode); let stream = openFile(options.resultFile, mode);
let status = code ? 'FAIL' : 'OK'; let status = code ? 'FAIL' : 'OK';
@ -74,6 +75,16 @@ exports.exit = function exit(code) {
if (code == 0) { if (code == 0) {
forcedExit = true; forcedExit = true;
} }
// Bug 856999: Prevent automatic kill of Firefox when running tests
if (options.noQuit) {
if (resultsFile) {
unload(unloader);
}
return;
}
unloader();
appStartup.quit(code ? E_ATTEMPT : E_FORCE); appStartup.quit(code ? E_ATTEMPT : E_FORCE);
}; };
@ -109,7 +120,7 @@ exports.pathFor = function pathFor(id) {
*/ */
exports.platform = runtime.OS.toLowerCase(); exports.platform = runtime.OS.toLowerCase();
const [, architecture, compiler] = runtime.XPCOMABI ? const [, architecture, compiler] = runtime.XPCOMABI ?
runtime.XPCOMABI.match(/^([^-]*)-(.*)$/) : runtime.XPCOMABI.match(/^([^-]*)-(.*)$/) :
[, null, null]; [, null, null];

View File

@ -15,10 +15,9 @@ const { Ci } = require('chrome');
const { defer } = require("../lang/functional"); const { defer } = require("../lang/functional");
const { windows, isBrowser } = require('../window/utils'); const { windows, isBrowser } = require('../window/utils');
const { isPrivateBrowsingSupported } = require('../self'); const { isPrivateBrowsingSupported } = require('../self');
const { isGlobalPBSupported } = require('../private-browsing/utils');
// Bug 834961: ignore private windows when they are not supported // Bug 834961: ignore private windows when they are not supported
function getWindows() windows(null, { includePrivate: isPrivateBrowsingSupported || isGlobalPBSupported }); function getWindows() windows(null, { includePrivate: isPrivateBrowsingSupported });
const XUL_NS = "http://www.mozilla.org/keymaster/gatekeeper/there.is.only.xul"; const XUL_NS = "http://www.mozilla.org/keymaster/gatekeeper/there.is.only.xul";

View File

@ -1,7 +1,6 @@
/* This Source Code Form is subject to the terms of the Mozilla Public /* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this * License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */ * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
'use strict'; 'use strict';
module.metadata = { module.metadata = {
@ -10,6 +9,9 @@ module.metadata = {
const { defer } = require('../core/promise'); const { defer } = require('../core/promise');
const { setInterval, clearInterval } = require('../timers'); const { setInterval, clearInterval } = require('../timers');
const { getTabs, closeTab } = require("../tabs/utils");
const { windows: getWindows } = require("../window/utils");
const { close: closeWindow } = require("../window/helpers");
function getTestNames (exports) function getTestNames (exports)
Object.keys(exports).filter(name => /^test/.test(name)) Object.keys(exports).filter(name => /^test/.test(name))
@ -107,3 +109,19 @@ function waitUntil (predicate, delay) {
return promise; return promise;
} }
exports.waitUntil = waitUntil; exports.waitUntil = waitUntil;
let cleanUI = function cleanUI() {
let { promise, resolve } = defer();
let windows = getWindows(null, { includePrivate: true });
if (windows.length > 1) {
return closeWindow(windows[1]).then(cleanUI);
}
getTabs(windows[0]).slice(1).forEach(closeTab);
resolve();
return promise;
}
exports.cleanUI = cleanUI;

View File

@ -1,7 +1,6 @@
/* This Source Code Form is subject to the terms of the Mozilla Public /* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this * License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */ * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
"use strict"; "use strict";
module.metadata = { module.metadata = {
@ -15,17 +14,12 @@ function MatchPattern(pattern) {
if (cache[pattern]) return cache[pattern]; if (cache[pattern]) return cache[pattern];
if (typeof pattern.test == "function") { if (typeof pattern.test == "function") {
// For compatibility with -moz-document rules, we require the RegExp's // For compatibility with -moz-document rules, we require the RegExp's
// global, ignoreCase, and multiline flags to be set to false. // global, ignoreCase, and multiline flags to be set to false.
if (pattern.global) { if (pattern.global) {
throw new Error("A RegExp match pattern cannot be set to `global` " + throw new Error("A RegExp match pattern cannot be set to `global` " +
"(i.e. //g)."); "(i.e. //g).");
} }
if (pattern.ignoreCase) {
throw new Error("A RegExp match pattern cannot be set to `ignoreCase` " +
"(i.e. //i).");
}
if (pattern.multiline) { if (pattern.multiline) {
throw new Error("A RegExp match pattern cannot be set to `multiline` " + throw new Error("A RegExp match pattern cannot be set to `multiline` " +
"(i.e. //m)."); "(i.e. //m).");
@ -71,7 +65,6 @@ function MatchPattern(pattern) {
} }
MatchPattern.prototype = { MatchPattern.prototype = {
test: function MatchPattern_test(urlStr) { test: function MatchPattern_test(urlStr) {
try { try {
var url = URL(urlStr); var url = URL(urlStr);
@ -88,13 +81,13 @@ MatchPattern.prototype = {
// Assuming most URLs don't match most match patterns, we call `test` for // Assuming most URLs don't match most match patterns, we call `test` for
// speed when determining whether or not the URL matches, then call `exec` // speed when determining whether or not the URL matches, then call `exec`
// for the small subset that match to make sure the entire URL matches. // for the small subset that match to make sure the entire URL matches.
//
if (this.regexp && this.regexp.test(urlStr) && if (this.regexp && this.regexp.test(urlStr) &&
this.regexp.exec(urlStr)[0] == urlStr) this.regexp.exec(urlStr)[0] == urlStr)
return true; return true;
if (this.anyWebPage && /^(https?|ftp)$/.test(url.scheme)) if (this.anyWebPage && /^(https?|ftp)$/.test(url.scheme))
return true; return true;
if (this.exactURL && this.exactURL == urlStr) if (this.exactURL && this.exactURL == urlStr)
return true; return true;
@ -107,6 +100,7 @@ MatchPattern.prototype = {
(url.host === this.domain || (url.host === this.domain ||
url.host.slice(-this.domain.length - 1) === "." + this.domain)) url.host.slice(-this.domain.length - 1) === "." + this.domain))
return true; return true;
if (this.urlPrefix && 0 == urlStr.indexOf(this.urlPrefix)) if (this.urlPrefix && 0 == urlStr.indexOf(this.urlPrefix))
return true; return true;
@ -114,7 +108,6 @@ MatchPattern.prototype = {
}, },
toString: function () '[object MatchPattern]' toString: function () '[object MatchPattern]'
}; };
exports.MatchPattern = MatchPattern; exports.MatchPattern = MatchPattern;

View File

@ -4,8 +4,7 @@
'use strict'; 'use strict';
const { Trait } = require('../deprecated/traits'); const { Trait } = require('../deprecated/traits');
const { isWindowPrivate, getWindowTitle } = require('../window/utils'); const { getWindowTitle } = require('../window/utils');
const { deprecateUsage } = require('../util/deprecate');
module.metadata = { module.metadata = {
"stability": "unstable" "stability": "unstable"
@ -25,13 +24,6 @@ const WindowDom = Trait.compose({
let window = this._window; let window = this._window;
if (window) window.focus(); if (window) window.focus();
return this._public; return this._public;
},
get isPrivateBrowsing() {
deprecateUsage('`browserWindow.isPrivateBrowsing` is deprecated, please ' +
'consider using ' +
'`require("sdk/private-browsing").isPrivate(browserWindow)` ' +
'instead.');
return isWindowPrivate(this._window);
} }
}); });
exports.WindowDom = WindowDom; exports.WindowDom = WindowDom;

View File

@ -229,6 +229,10 @@ const Sandbox = iced(function Sandbox(options) {
metadata: 'metadata' in options ? options.metadata : {} metadata: 'metadata' in options ? options.metadata : {}
}; };
if (options.metadata && options.metadata.addonID) {
options.addonId = options.metadata.addonID;
}
let sandbox = Cu.Sandbox(options.principal, options); let sandbox = Cu.Sandbox(options.principal, options);
// Each sandbox at creation gets set of own properties that will be shadowing // Each sandbox at creation gets set of own properties that will be shadowing
@ -393,6 +397,49 @@ const resolve = iced(function resolve(id, base) {
}); });
exports.resolve = resolve; exports.resolve = resolve;
function fileExists(uri) {
let url = NetUtil.newURI(uri);
switch (url.scheme) {
case "jar":
let jarfile = url.QueryInterface(Ci.nsIJARURI).JARFile;
// Don't support nested JARs for now
if (!(jarfile instanceof Ci.nsIFileURL))
return false;
let zipcache = Cc["@mozilla.org/libjar/zip-reader-cache;1"].
getService(Ci.nsIZipReaderCache);
let zipreader = zipcache.getZip(jarfile.file);
return zipreader.hasEntry(jarfile.JAREntry);
case "file":
return url.QueryInterface(Ci.nsIFileURL).file.exists();
case "chrome":
let registry = Cc["@mozilla.org/chrome/chrome-registry;1"].
getService(Ci.nsIChromeRegistry)
return fileExists(ChromeRegistry.convertChromeURL(url).spec);
case "resource":
let handler = Cc["@mozilla.org/network/protocol;1?name=resource"].
getService(Ci.nsIResProtocolHandler);
let resolved;
try {
resolved = handler.resolveURI(url);
}
catch (e) {
// Resource protocol handler throws for unknown mappings
return false;
}
return fileExists(resolved);
default:
// Don't handle other URI schemes for now
return false;
}
}
// Node-style module lookup // Node-style module lookup
// Takes an id and path and attempts to load a file using node's resolving // Takes an id and path and attempts to load a file using node's resolving
// algorithm. // algorithm.
@ -407,7 +454,7 @@ const nodeResolve = iced(function nodeResolve(id, requirer, { rootURI }) {
let fullId = join(rootURI, id); let fullId = join(rootURI, id);
let resolvedPath; let resolvedPath;
if ((resolvedPath = loadAsFile(fullId))) if ((resolvedPath = findFile(fullId)))
return stripBase(rootURI, resolvedPath); return stripBase(rootURI, resolvedPath);
if ((resolvedPath = loadAsDirectory(fullId))) if ((resolvedPath = loadAsDirectory(fullId)))
@ -417,7 +464,7 @@ const nodeResolve = iced(function nodeResolve(id, requirer, { rootURI }) {
// in the `dependencies` list // in the `dependencies` list
let dirs = getNodeModulePaths(dirname(join(rootURI, requirer))).map(dir => join(dir, id)); let dirs = getNodeModulePaths(dirname(join(rootURI, requirer))).map(dir => join(dir, id));
for (let i = 0; i < dirs.length; i++) { for (let i = 0; i < dirs.length; i++) {
if ((resolvedPath = loadAsFile(dirs[i]))) if ((resolvedPath = findFile(dirs[i])))
return stripBase(rootURI, resolvedPath); return stripBase(rootURI, resolvedPath);
if ((resolvedPath = loadAsDirectory(dirs[i]))) if ((resolvedPath = loadAsDirectory(dirs[i])))
@ -431,23 +478,20 @@ const nodeResolve = iced(function nodeResolve(id, requirer, { rootURI }) {
}); });
exports.nodeResolve = nodeResolve; exports.nodeResolve = nodeResolve;
// Attempts to load `path` and then `path.js` // Attempts to find `path` and then `path.js`
// Returns `path` with valid file, or `undefined` otherwise // Returns `path` with valid file, or `undefined` otherwise
function loadAsFile (path) { function findFile (path) {
let found;
// As per node's loader spec, // As per node's loader spec,
// we first should try and load 'path' (with no extension) // we first should try and load 'path' (with no extension)
// before trying 'path.js'. We will not support this feature // before trying 'path.js'. We will not support this feature
// due to performance, but may add it if necessary for adoption. // due to performance, but may add it if necessary for adoption.
try {
// Append '.js' to path name unless it's another support filetype
path = normalizeExt(path);
readURI(path);
found = path;
} catch (e) {}
return found; // Append '.js' to path name unless it's another support filetype
path = normalizeExt(path);
if (fileExists(path))
return path;
return null;
} }
// Attempts to load `path/package.json`'s `main` entry, // Attempts to load `path/package.json`'s `main` entry,
@ -456,25 +500,21 @@ function loadAsDirectory (path) {
try { try {
// If `path/package.json` exists, parse the `main` entry // If `path/package.json` exists, parse the `main` entry
// and attempt to load that // and attempt to load that
let main = getManifestMain(JSON.parse(readURI(path + '/package.json'))); if (fileExists(path + '/package.json')) {
if (main != null) { let main = getManifestMain(JSON.parse(readURI(path + '/package.json')));
let tmpPath = join(path, main); if (main != null) {
let found = loadAsFile(tmpPath); let tmpPath = join(path, main);
if (found) let found = findFile(tmpPath);
return found if (found)
return found
}
} }
try { } catch (e) { }
let tmpPath = path + '/index.js';
readURI(tmpPath); let tmpPath = path + '/index.js';
return tmpPath; if (fileExists(tmpPath))
} catch (e) {} return tmpPath;
} catch (e) {
try {
let tmpPath = path + '/index.js';
readURI(tmpPath);
return tmpPath;
} catch (e) {}
}
return void 0; return void 0;
} }

View File

@ -152,7 +152,7 @@ parser_groups = (
"thunderbird"), "thunderbird"),
metavar=None, metavar=None,
type="choice", type="choice",
choices=["firefox", "fennec", choices=["firefox",
"fennec-on-device", "thunderbird", "fennec-on-device", "thunderbird",
"xulrunner"], "xulrunner"],
default="firefox", default="firefox",
@ -189,6 +189,12 @@ parser_groups = (
action="store_true", action="store_true",
default=False, default=False,
cmds=['run', 'test'])), cmds=['run', 'test'])),
(("", "--no-quit",), dict(dest="no_quit",
help=("Prevent from killing Firefox when"
"running tests"),
action="store_true",
default=False,
cmds=['run', 'test'])),
(("", "--no-strip-xpi",), dict(dest="no_strip_xpi", (("", "--no-strip-xpi",), dict(dest="no_strip_xpi",
help="retain unused modules in XPI", help="retain unused modules in XPI",
action="store_true", action="store_true",
@ -664,7 +670,7 @@ def run(arguments=sys.argv[1:], target_cfg=None, pkg_cfg=None,
use_main = False use_main = False
inherited_options = ['verbose', 'enable_e10s', 'parseable', 'check_memory', inherited_options = ['verbose', 'enable_e10s', 'parseable', 'check_memory',
'abort_on_missing'] 'no_quit', 'abort_on_missing']
enforce_timeouts = False enforce_timeouts = False
if command == "xpi": if command == "xpi":
@ -855,7 +861,8 @@ def run(arguments=sys.argv[1:], target_cfg=None, pkg_cfg=None,
jid=jid, jid=jid,
update_url=options.update_url, update_url=options.update_url,
bootstrap=True, bootstrap=True,
enable_mobile=options.enable_mobile) enable_mobile=options.enable_mobile,
harness_options=harness_options)
if command == "xpi" and options.update_link: if command == "xpi" and options.update_link:
if not options.update_link.startswith("https"): if not options.update_link.startswith("https"):
@ -936,6 +943,7 @@ def run(arguments=sys.argv[1:], target_cfg=None, pkg_cfg=None,
args=options.cmdargs, args=options.cmdargs,
extra_environment=extra_environment, extra_environment=extra_environment,
norun=options.no_run, norun=options.no_run,
noquit=options.no_quit,
used_files=used_files, used_files=used_files,
enable_mobile=options.enable_mobile, enable_mobile=options.enable_mobile,
mobile_app_name=options.mobile_app_name, mobile_app_name=options.mobile_app_name,

View File

@ -1,25 +1,18 @@
/* This Source Code Form is subject to the terms of the Mozilla Public /* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this * License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */ * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
"use strict"; "use strict";
const Cc = Components.classes;
const Ci = Components.interfaces;
const Cu = Components.utils; const Cu = Components.utils;
const Cr = Components.results;
Components.utils.import("resource://gre/modules/Services.jsm"); Cu.import("resource://gre/modules/Services.jsm");
const DEBUG = false;
let log = DEBUG ? dump : function (){};
let { log } = console;
function startup(data, reason) { function startup(data, reason) {
// This code allow to make all stdIO work // This code allow to make all stdIO work
try { try {
Components.utils.import("resource://gre/modules/ctypes.jsm"); Cu.import("resource://gre/modules/ctypes.jsm");
let libdvm = ctypes.open("libdvm.so"); let libdvm = ctypes.open("libdvm.so");
let dvmStdioConverterStartup; let dvmStdioConverterStartup;
// Starting with Android ICS, dalvik uses C++. // Starting with Android ICS, dalvik uses C++.
@ -32,7 +25,7 @@ function startup(data, reason) {
dvmStdioConverterStartup = libdvm.declare("dvmStdioConverterStartup", ctypes.default_abi, ctypes.void_t); dvmStdioConverterStartup = libdvm.declare("dvmStdioConverterStartup", ctypes.default_abi, ctypes.void_t);
} }
dvmStdioConverterStartup(); dvmStdioConverterStartup();
log("MU: console redirected to adb logcat.\n"); log("MU: console redirected to adb logcat.");
} catch(e) { } catch(e) {
Cu.reportError("MU: unable to execute jsctype hack: "+e); Cu.reportError("MU: unable to execute jsctype hack: "+e);
} }
@ -45,9 +38,9 @@ function startup(data, reason) {
} }
}; };
Services.obs.addObserver(QuitObserver, "quit-application", false); Services.obs.addObserver(QuitObserver, "quit-application", false);
log("MU: ready to watch firefox exit.\n"); log("MU: ready to watch firefox exit.");
} catch(e) { } catch(e) {
log("MU: unable to register quit-application observer: " + e + "\n"); log("MU: unable to register quit-application observer: " + e);
} }
} }

View File

@ -85,7 +85,7 @@ DEFAULT_FIREFOX_PREFS = {
# Point the url-classifier to a nonexistent local URL for fast failures. # Point the url-classifier to a nonexistent local URL for fast failures.
'browser.safebrowsing.provider.0.gethashURL' : 'http://localhost/safebrowsing-dummy/gethash', 'browser.safebrowsing.provider.0.gethashURL' : 'http://localhost/safebrowsing-dummy/gethash',
'browser.safebrowsing.provider.0.updateURL' : 'http://localhost/safebrowsing-dummy/update', 'browser.safebrowsing.provider.0.updateURL' : 'http://localhost/safebrowsing-dummy/update',
} }
# When launching a temporary new Thunderbird profile, use these preferences. # When launching a temporary new Thunderbird profile, use these preferences.
# Note that these were taken from: # Note that these were taken from:
@ -139,4 +139,9 @@ DEFAULT_THUNDERBIRD_PREFS = {
'mail.smtpservers' : "smtp1", 'mail.smtpservers' : "smtp1",
'mail.startup.enabledMailCheckOnce' : True, 'mail.startup.enabledMailCheckOnce' : True,
'mailnews.start_page_override.mstone' : "ignore", 'mailnews.start_page_override.mstone' : "ignore",
} }
DEFAULT_TEST_PREFS = {
'general.useragent.locale': "en-US",
'intl.locale.matchOS': "en-US"
}

View File

@ -5,6 +5,8 @@
import os import os
import xml.dom.minidom import xml.dom.minidom
import StringIO import StringIO
import codecs
import glob
RDF_NS = "http://www.w3.org/1999/02/22-rdf-syntax-ns#" RDF_NS = "http://www.w3.org/1999/02/22-rdf-syntax-ns#"
EM_NS = "http://www.mozilla.org/2004/em-rdf#" EM_NS = "http://www.mozilla.org/2004/em-rdf#"
@ -20,9 +22,10 @@ class RDF(object):
# have .encoding hardwired to "ascii" and put only bytes in # have .encoding hardwired to "ascii" and put only bytes in
# the backing store, so we can't use them here). # the backing store, so we can't use them here).
# #
# The encoding= argument to dom.writexml() merely sets the XML header's # The encoding= argument to dom.writexml() merely sets the
# encoding= attribute. It still writes unencoded unicode to the output file, # XML header's encoding= attribute. It still writes unencoded
# so we have to encode it for real afterwards. # unicode to the output file, so we have to encode it for
# real afterwards.
# #
# Also see: https://bugzilla.mozilla.org/show_bug.cgi?id=567660 # Also see: https://bugzilla.mozilla.org/show_bug.cgi?id=567660
@ -112,7 +115,12 @@ class RDFManifest(RDF):
return True; return True;
def gen_manifest(template_root_dir, target_cfg, jid, def add_node(self, node):
top = self.dom.documentElement.getElementsByTagName("Description")[0];
top.appendChild(node)
def gen_manifest(template_root_dir, target_cfg, jid, harness_options={},
update_url=None, bootstrap=True, enable_mobile=False): update_url=None, bootstrap=True, enable_mobile=False):
install_rdf = os.path.join(template_root_dir, "install.rdf") install_rdf = os.path.join(template_root_dir, "install.rdf")
manifest = RDFManifest(install_rdf) manifest = RDFManifest(install_rdf)
@ -121,13 +129,51 @@ def gen_manifest(template_root_dir, target_cfg, jid,
manifest.set("em:id", jid) manifest.set("em:id", jid)
manifest.set("em:version", manifest.set("em:version",
target_cfg.get('version', '1.0')) target_cfg.get('version', '1.0'))
if "locale" in harness_options:
# addon_title -> <em:name>
# addon_author -> <em:creator>
# addon_description -> <em:description>
# addon_homepageURL -> <em:homepageURL>
localizable_in = ["title", "author", "description", "homepage"]
localized_out = ["name", "creator", "description", "homepageURL"]
for lang in harness_options["locale"]:
desc = dom.createElement("Description")
for value_in in localizable_in:
key_in = "extensions." + target_cfg.get("id", "") + "." + value_in
tag_out = localized_out[localizable_in.index(value_in)]
if key_in in harness_options["locale"][lang]:
elem = dom.createElement("em:" + tag_out)
elem_value = harness_options["locale"][lang][key_in]
elem.appendChild(dom.createTextNode(elem_value))
desc.appendChild(elem)
# Don't add language if no localizeable field was localized
if desc.hasChildNodes():
locale = dom.createElement("em:locale")
locale.appendChild(dom.createTextNode(lang))
desc.appendChild(locale)
localized = dom.createElement("em:localized")
localized.appendChild(desc)
manifest.add_node(localized)
manifest.set("em:name", manifest.set("em:name",
target_cfg.get('title', target_cfg.get('fullName', target_cfg['name']))) target_cfg.get('title', target_cfg.get('fullName', target_cfg['name'])))
manifest.set("em:description", manifest.set("em:description",
target_cfg.get("description", "")) target_cfg.get("description", ""))
manifest.set("em:creator", manifest.set("em:creator",
target_cfg.get("author", "")) target_cfg.get("author", ""))
if target_cfg.get("homepage"):
manifest.set("em:homepageURL", target_cfg.get("homepage"))
else:
manifest.remove("em:homepageURL")
manifest.set("em:bootstrap", str(bootstrap).lower()) manifest.set("em:bootstrap", str(bootstrap).lower())
# XPIs remain packed by default, but package.json can override that. The # XPIs remain packed by default, but package.json can override that. The
# RDF format accepts "true" as True, anything else as False. We expect # RDF format accepts "true" as True, anything else as False. We expect
# booleans in the .json file, not strings. # booleans in the .json file, not strings.
@ -136,7 +182,7 @@ def gen_manifest(template_root_dir, target_cfg, jid,
for translator in target_cfg.get("translators", [ ]): for translator in target_cfg.get("translators", [ ]):
elem = dom.createElement("em:translator"); elem = dom.createElement("em:translator");
elem.appendChild(dom.createTextNode(translator)) elem.appendChild(dom.createTextNode(translator))
dom.documentElement.getElementsByTagName("Description")[0].appendChild(elem) manifest.add_node(elem)
for developer in target_cfg.get("developers", [ ]): for developer in target_cfg.get("developers", [ ]):
elem = dom.createElement("em:developer"); elem = dom.createElement("em:developer");
@ -146,7 +192,7 @@ def gen_manifest(template_root_dir, target_cfg, jid,
for contributor in target_cfg.get("contributors", [ ]): for contributor in target_cfg.get("contributors", [ ]):
elem = dom.createElement("em:contributor"); elem = dom.createElement("em:contributor");
elem.appendChild(dom.createTextNode(contributor)) elem.appendChild(dom.createTextNode(contributor))
dom.documentElement.getElementsByTagName("Description")[0].appendChild(elem) manifest.add_node(elem)
if update_url: if update_url:
manifest.set("em:updateURL", update_url) manifest.set("em:updateURL", update_url)
@ -169,7 +215,7 @@ def gen_manifest(template_root_dir, target_cfg, jid,
if enable_mobile: if enable_mobile:
target_app = dom.createElement("em:targetApplication") target_app = dom.createElement("em:targetApplication")
dom.documentElement.getElementsByTagName("Description")[0].appendChild(target_app) manifest.add_node(target_app)
ta_desc = dom.createElement("Description") ta_desc = dom.createElement("Description")
target_app.appendChild(ta_desc) target_app.appendChild(ta_desc)
@ -186,11 +232,6 @@ def gen_manifest(template_root_dir, target_cfg, jid,
elem.appendChild(dom.createTextNode("30.0a1")) elem.appendChild(dom.createTextNode("30.0a1"))
ta_desc.appendChild(elem) ta_desc.appendChild(elem)
if target_cfg.get("homepage"):
manifest.set("em:homepageURL", target_cfg.get("homepage"))
else:
manifest.remove("em:homepageURL")
return manifest return manifest
if __name__ == "__main__": if __name__ == "__main__":

View File

@ -18,6 +18,7 @@ from cuddlefish.prefs import DEFAULT_FIREFOX_PREFS
from cuddlefish.prefs import DEFAULT_THUNDERBIRD_PREFS from cuddlefish.prefs import DEFAULT_THUNDERBIRD_PREFS
from cuddlefish.prefs import DEFAULT_FENNEC_PREFS from cuddlefish.prefs import DEFAULT_FENNEC_PREFS
from cuddlefish.prefs import DEFAULT_NO_CONNECTIONS_PREFS from cuddlefish.prefs import DEFAULT_NO_CONNECTIONS_PREFS
from cuddlefish.prefs import DEFAULT_TEST_PREFS
# Used to remove noise from ADB output # Used to remove noise from ADB output
CLEANUP_ADB = re.compile(r'^(I|E)/(stdout|stderr|GeckoConsole)\s*\(\s*\d+\):\s*(.*)$') CLEANUP_ADB = re.compile(r'^(I|E)/(stdout|stderr|GeckoConsole)\s*\(\s*\d+\):\s*(.*)$')
@ -104,30 +105,6 @@ class FennecProfile(mozrunner.Profile):
preferences = {} preferences = {}
names = ['fennec'] names = ['fennec']
class FennecRunner(mozrunner.Runner):
profile_class = FennecProfile
names = ['fennec']
__DARWIN_PATH = '/Applications/Fennec.app/Contents/MacOS/fennec'
def __init__(self, binary=None, **kwargs):
if sys.platform == 'darwin' and binary and binary.endswith('.app'):
# Assume it's a Fennec app dir.
binary = os.path.join(binary, 'Contents/MacOS/fennec')
self.__real_binary = binary
mozrunner.Runner.__init__(self, **kwargs)
def find_binary(self):
if not self.__real_binary:
if sys.platform == 'darwin':
if os.path.exists(self.__DARWIN_PATH):
return self.__DARWIN_PATH
self.__real_binary = mozrunner.Runner.find_binary(self)
return self.__real_binary
FENNEC_REMOTE_PATH = '/mnt/sdcard/jetpack-profile' FENNEC_REMOTE_PATH = '/mnt/sdcard/jetpack-profile'
class RemoteFennecRunner(mozrunner.Runner): class RemoteFennecRunner(mozrunner.Runner):
@ -167,11 +144,11 @@ class RemoteFennecRunner(mozrunner.Runner):
# or use name given as cfx `--mobile-app` argument. # or use name given as cfx `--mobile-app` argument.
intents = self.getIntentNames() intents = self.getIntentNames()
if not intents: if not intents:
raise ValueError("Unable to found any Firefox " raise ValueError("Unable to find any Firefox "
"application on your device.") "application on your device.")
elif mobile_app_name: elif mobile_app_name:
if not mobile_app_name in intents: if not mobile_app_name in intents:
raise ValueError("Unable to found Firefox application " raise ValueError("Unable to find Firefox application "
"with intent name '%s'\n" "with intent name '%s'\n"
"Available ones are: %s" % "Available ones are: %s" %
(mobile_app_name, ", ".join(intents))) (mobile_app_name, ", ".join(intents)))
@ -412,7 +389,7 @@ def run_app(harness_root_dir, manifest_rdf, harness_options,
app_type, binary=None, profiledir=None, verbose=False, app_type, binary=None, profiledir=None, verbose=False,
parseable=False, enforce_timeouts=False, parseable=False, enforce_timeouts=False,
logfile=None, addons=None, args=None, extra_environment={}, logfile=None, addons=None, args=None, extra_environment={},
norun=None, norun=None, noquit=None,
used_files=None, enable_mobile=False, used_files=None, enable_mobile=False,
mobile_app_name=None, mobile_app_name=None,
env_root=None, env_root=None,
@ -433,6 +410,9 @@ def run_app(harness_root_dir, manifest_rdf, harness_options,
cmdargs = [] cmdargs = []
preferences = dict(DEFAULT_COMMON_PREFS) preferences = dict(DEFAULT_COMMON_PREFS)
if is_running_tests:
preferences.update(DEFAULT_TEST_PREFS)
if no_connections: if no_connections:
preferences.update(DEFAULT_NO_CONNECTIONS_PREFS) preferences.update(DEFAULT_NO_CONNECTIONS_PREFS)
@ -440,7 +420,7 @@ def run_app(harness_root_dir, manifest_rdf, harness_options,
preferences['browser.tabs.remote.autostart'] = True preferences['browser.tabs.remote.autostart'] = True
# For now, only allow running on Mobile with --force-mobile argument # For now, only allow running on Mobile with --force-mobile argument
if app_type in ["fennec", "fennec-on-device"] and not enable_mobile: if app_type in ["fennec-on-device"] and not enable_mobile:
print """ print """
WARNING: Firefox Mobile support is still experimental. WARNING: Firefox Mobile support is still experimental.
If you would like to run an addon on this platform, use --force-mobile flag: If you would like to run an addon on this platform, use --force-mobile flag:
@ -454,10 +434,6 @@ def run_app(harness_root_dir, manifest_rdf, harness_options,
runner_class = RemoteFennecRunner runner_class = RemoteFennecRunner
# We pass the intent name through command arguments # We pass the intent name through command arguments
cmdargs.append(mobile_app_name) cmdargs.append(mobile_app_name)
elif enable_mobile or app_type == "fennec":
profile_class = FennecProfile
preferences.update(DEFAULT_FENNEC_PREFS)
runner_class = FennecRunner
elif app_type == "xulrunner": elif app_type == "xulrunner":
profile_class = XulrunnerAppProfile profile_class = XulrunnerAppProfile
runner_class = XulrunnerAppRunner runner_class = XulrunnerAppRunner
@ -763,7 +739,8 @@ def run_app(harness_root_dir, manifest_rdf, harness_options,
raise Timeout("Test run exceeded timeout (%ds)." % raise Timeout("Test run exceeded timeout (%ds)." %
RUN_TIMEOUT, test_name, parseable) RUN_TIMEOUT, test_name, parseable)
except: except:
runner.stop() if not noquit:
runner.stop()
raise raise
else: else:
runner.wait(10) runner.wait(10)

View File

@ -0,0 +1,11 @@
{
"name": "nolocalization",
"id": "jid1-TBF7sWF7yT6xSQ",
"license": "MPL 2.0",
"version": "0.1",
"title": "tilteUnlocalized",
"author": "authorUnlocalized",
"description": "descriptionUnlocalized",
"homepage": "homepageUnlocalized"
}

View File

@ -0,0 +1,4 @@
extensions.jid1-TBF7sWF7yT6xSQ@jetpack.title = title-en-GB
extensions.jid1-TBF7sWF7yT6xSQ@jetpack.author = author-en-GB
extensions.jid1-TBF7sWF7yT6xSQ@jetpack.description = description-en-GB
extensions.jid1-TBF7sWF7yT6xSQ@jetpack.homepage = homepage-en-GB

View File

@ -0,0 +1,4 @@
extensions.jid1-TBF7sWF7yT6xSQ@jetpack.title = title-en-US
extensions.jid1-TBF7sWF7yT6xSQ@jetpack.author = author-en-US
extensions.jid1-TBF7sWF7yT6xSQ@jetpack.description = description-en-US
extensions.jid1-TBF7sWF7yT6xSQ@jetpack.homepage = homepage-en-US

View File

@ -0,0 +1,11 @@
{
"name": "nolocalization",
"id": "jid1-TBF7sWF7yT6xSQ@jetpack",
"license": "MPL 2.0",
"version": "0.1",
"title": "tilteUnlocalized",
"author": "authorUnlocalized",
"description": "descriptionUnlocalized",
"homepage": "homepageUnlocalized"
}

View File

View File

@ -6,7 +6,7 @@ import unittest
import xml.dom.minidom import xml.dom.minidom
import os.path import os.path
from cuddlefish import rdf, packaging from cuddlefish import rdf, packaging, property_parser
parent = os.path.dirname parent = os.path.dirname
test_dir = parent(os.path.abspath(__file__)) test_dir = parent(os.path.abspath(__file__))
@ -49,6 +49,52 @@ class RDFTests(unittest.TestCase):
self.failUnlessEqual(m.get('em:name'), 'a long ' + n) self.failUnlessEqual(m.get('em:name'), 'a long ' + n)
self.failUnlessIn('<em:name>a long ' + n + '</em:name>', str(m), n) self.failUnlessIn('<em:name>a long ' + n + '</em:name>', str(m), n)
def testLocalization(self):
# addon_title -> <em:name>
# addon_author -> <em:creator>
# addon_description -> <em:description>
# addon_homepageURL -> <em:homepageURL>
localizable_in = ["title", "author", "description", "homepage"]
localized_out = ["name", "creator", "description", "homepageURL"]
basedir = os.path.join(test_dir, "bug-661083-files/packages")
for n in ["noLocalization", "twoLanguages"]:
harness_options = { "locale" : {} }
pkgdir = os.path.join(basedir, n)
localedir = os.path.join(pkgdir, "locale")
files = os.listdir(localedir)
for file in files:
filepath = os.path.join(localedir, file)
if os.path.isfile(filepath) and file.endswith(".properties"):
language = file[:-len(".properties")]
try:
parsed_file = property_parser.parse_file(filepath)
except property_parser.MalformedLocaleFileError, msg:
self.fail(msg)
harness_options["locale"][language] = parsed_file
cfg = packaging.get_config_in_dir(pkgdir)
m = rdf.gen_manifest(template_dir, cfg, 'JID', harness_options)
if n == "noLocalization":
self.failIf("<em:locale>" in str(m))
continue
for lang in harness_options["locale"]:
rdfstr = str(m)
node = "<em:locale>" + lang + "</em:locale>"
self.failUnlessIn(node, rdfstr, n)
for value_in in localizable_in:
key_in = "extensions." + m.get('em:id') + "." + value_in
tag_out = localized_out[localizable_in.index(value_in)]
if key_in in harness_options["locale"][lang]:
# E.g. "<em:creator>author-en-US</em:creator>"
node = "<em:" + tag_out + ">" + value_in + "-" + lang \
+ "</em:" + tag_out + ">"
self.failUnlessIn(node , rdfstr, n)
if __name__ == '__main__': if __name__ == '__main__':
unittest.main() unittest.main()

View File

@ -3,15 +3,12 @@
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */ * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
'use strict'; 'use strict';
const { Cu } = require('chrome'); const { id } = require('sdk/self');
const self = require('sdk/self'); const { getAddonByID } = require('sdk/addon/manager');
const { AddonManager } = Cu.import('resource://gre/modules/AddonManager.jsm', {});
exports.testContributors = function(assert, done) { exports.testContributors = function*(assert) {
AddonManager.getAddonByID(self.id, (addon) => { let addon = yield getAddonByID(id);
assert.equal(addon.creator.name, 'test <test@mozilla.com>', '< and > characters work'); assert.equal(addon.creator.name, 'test <test@mozilla.com>', '< and > characters work');
done();
});
} }
require('sdk/test/runner').runTestsFromModule(module); require('sdk/test/runner').runTestsFromModule(module);

View File

@ -9,6 +9,7 @@ const { WindowTracker } = require('sdk/deprecated/window-utils');
const { close, open } = require('sdk/window/helpers'); const { close, open } = require('sdk/window/helpers');
const { data } = require('sdk/self'); const { data } = require('sdk/self');
const { Panel } = require('sdk/panel'); const { Panel } = require('sdk/panel');
const { setTimeout } = require("sdk/timers")
const XUL_URL = 'chrome://test/content/new-window.xul' const XUL_URL = 'chrome://test/content/new-window.xul'
@ -78,11 +79,12 @@ exports.testChromeInPanel = function(assert, done) {
panel.port.once('echo', _ => { panel.port.once('echo', _ => {
assert.pass('got echo'); assert.pass('got echo');
panel.once('hide', _ => { panel.once('hide', _ => {
assert.pass('panel hidden');
panel.destroy(); panel.destroy();
assert.pass('panel is destroyed'); assert.pass('panel is destroyed');
done(); done();
}); });
panel.hide(); setTimeout(() => panel.hide());
}); });
panel.port.emit('echo'); panel.port.emit('echo');
}); });

View File

@ -3,21 +3,17 @@
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */ * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
'use strict'; 'use strict';
const { Cu } = require('chrome'); const { id } = require('sdk/self');
const self = require('sdk/self'); const { getAddonByID } = require('sdk/addon/manager');
const { AddonManager } = Cu.import('resource://gre/modules/AddonManager.jsm', {});
exports.testContributors = function(assert, done) { exports.testContributors = function*(assert) {
AddonManager.getAddonByID(self.id, function(addon) { let addon = yield getAddonByID(id);
let count = 0; let count = 0;
addon.contributors.forEach(function({ name }) { addon.contributors.forEach(({ name }) => {
count++; assert.equal(name, ++count == 1 ? 'A' : 'B', 'The contributors keys are correct');
assert.equal(name, count == 1 ? 'A' : 'B', 'The contributors keys are correct');
});
assert.equal(count, 2, 'The key count is correct');
assert.equal(addon.contributors.length, 2, 'The key length is correct');
done();
}); });
assert.equal(count, 2, 'The key count is correct');
assert.equal(addon.contributors.length, 2, 'The key length is correct');
} }
require('sdk/test/runner').runTestsFromModule(module); require('sdk/test/runner').runTestsFromModule(module);

View File

@ -6,38 +6,29 @@
const simple = require('sdk/simple-prefs'); const simple = require('sdk/simple-prefs');
const service = require('sdk/preferences/service'); const service = require('sdk/preferences/service');
const { id, preferencesBranch } = require('sdk/self'); const { id, preferencesBranch } = require('sdk/self');
const { AddonManager } = require('chrome').Cu.import('resource://gre/modules/AddonManager.jsm'); const { getAddonByID } = require('sdk/addon/manager');
exports.testCurlyID = function(assert) { exports.testCurlyID = function(assert) {
assert.equal(id, '{34a1eae1-c20a-464f-9b0e-000000000000}', 'curly ID is curly'); assert.equal(id, '{34a1eae1-c20a-464f-9b0e-000000000000}', 'curly ID is curly');
assert.equal(simple.prefs.test13, 26, 'test13 is 26'); assert.equal(simple.prefs.test13, 26, 'test13 is 26');
simple.prefs.test14 = '15'; simple.prefs.test14 = '15';
assert.equal(service.get('extensions.{34a1eae1-c20a-464f-9b0e-000000000000}.test14'), '15', 'test14 is 15'); assert.equal(service.get('extensions.{34a1eae1-c20a-464f-9b0e-000000000000}.test14'), '15', 'test14 is 15');
assert.equal(service.get('extensions.{34a1eae1-c20a-464f-9b0e-000000000000}.test14'), simple.prefs.test14, 'simple test14 also 15'); assert.equal(service.get('extensions.{34a1eae1-c20a-464f-9b0e-000000000000}.test14'), simple.prefs.test14, 'simple test14 also 15');
} }
exports.testInvalidPreferencesBranch = function(assert) { exports.testInvalidPreferencesBranch = function(assert) {
assert.notEqual(preferencesBranch, 'invalid^branch*name', 'invalid preferences-branch value ignored'); assert.notEqual(preferencesBranch, 'invalid^branch*name', 'invalid preferences-branch value ignored');
assert.equal(preferencesBranch, '{34a1eae1-c20a-464f-9b0e-000000000000}', 'preferences-branch is {34a1eae1-c20a-464f-9b0e-000000000000}'); assert.equal(preferencesBranch, '{34a1eae1-c20a-464f-9b0e-000000000000}', 'preferences-branch is {34a1eae1-c20a-464f-9b0e-000000000000}');
} }
// from `/test/test-self.js`, adapted to `sdk/test/assert` API // from `/test/test-self.js`, adapted to `sdk/test/assert` API
exports.testSelfID = function(assert, done) { exports.testSelfID = function*(assert) {
assert.equal(typeof(id), 'string', 'self.id is a string'); assert.equal(typeof(id), 'string', 'self.id is a string');
assert.ok(id.length > 0, 'self.id not empty'); assert.ok(id.length > 0, 'self.id not empty');
AddonManager.getAddonByID(id, function(addon) { let addon = yield getAddonByID(id);
assert.ok(addon, 'found addon with self.id'); assert.ok(addon, 'found addon with self.id');
done();
});
} }
require('sdk/test/runner').runTestsFromModule(module); require('sdk/test/runner').runTestsFromModule(module);

View File

@ -3,21 +3,17 @@
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */ * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
'use strict'; 'use strict';
const { Cu } = require('chrome');
const { id } = require('sdk/self'); const { id } = require('sdk/self');
const { AddonManager } = Cu.import('resource://gre/modules/AddonManager.jsm', {}); const { getAddonByID } = require('sdk/addon/manager');
exports.testDevelopers = function(assert, done) { exports.testDevelopers = function*(assert) {
AddonManager.getAddonByID(id, (addon) => { let addon = yield getAddonByID(id);
let count = 0; let count = 0;
addon.developers.forEach(({ name }) => { addon.developers.forEach(({ name }) => {
count++; assert.equal(name, ++count == 1 ? 'A' : 'B', 'The developers keys are correct');
assert.equal(name, count == 1 ? 'A' : 'B', 'The developers keys are correct');
});
assert.equal(count, 2, 'The key count is correct');
assert.equal(addon.developers.length, 2, 'The key length is correct');
done();
}); });
assert.equal(count, 2, 'The key count is correct');
assert.equal(addon.developers.length, 2, 'The key length is correct');
} }
require('sdk/test/runner').runTestsFromModule(module); require('sdk/test/runner').runTestsFromModule(module);

View File

@ -39,15 +39,6 @@ function LoaderWithHookedConsole(module) {
} }
} }
function deactivate(callback) {
if (pbUtils.isGlobalPBSupported) {
if (callback)
pb.once('stop', callback);
pb.deactivate();
}
}
exports.deactivate = deactivate;
exports.pb = pb; exports.pb = pb;
exports.pbUtils = pbUtils; exports.pbUtils = pbUtils;
exports.LoaderWithHookedConsole = LoaderWithHookedConsole; exports.LoaderWithHookedConsole = LoaderWithHookedConsole;

View File

@ -4,7 +4,6 @@ const { getTabs } = require('sdk/tabs/utils');
const { isGlobalPBSupported, isWindowPBSupported, isTabPBSupported } = require('sdk/private-browsing/utils'); const { isGlobalPBSupported, isWindowPBSupported, isTabPBSupported } = require('sdk/private-browsing/utils');
const { browserWindows } = require('sdk/windows'); const { browserWindows } = require('sdk/windows');
const tabs = require('sdk/tabs'); const tabs = require('sdk/tabs');
const { pb } = require('./private-browsing/helper');
const { isPrivate } = require('sdk/private-browsing'); const { isPrivate } = require('sdk/private-browsing');
const { openTab, closeTab, getTabContentWindow, getOwnerWindow } = require('sdk/tabs/utils'); const { openTab, closeTab, getTabContentWindow, getOwnerWindow } = require('sdk/tabs/utils');
const { open, close } = require('sdk/window/helpers'); const { open, close } = require('sdk/window/helpers');

View File

@ -14,6 +14,7 @@ skip-if = true
[l10n-properties.xpi] [l10n-properties.xpi]
[layout-change.xpi] [layout-change.xpi]
[main.xpi] [main.xpi]
[manifest-localized.xpi]
[packaging.xpi] [packaging.xpi]
[packed.xpi] [packed.xpi]
[page-mod-debugger-post.xpi] [page-mod-debugger-post.xpi]

View File

@ -0,0 +1,4 @@
extensions.manifest-localized@jetpack.title = title-en
extensions.manifest-localized@jetpack.author = author-en
extensions.manifest-localized@jetpack.description = description-en
extensions.manifest-localized@jetpack.homepage = homepage-en

View File

@ -0,0 +1,17 @@
/* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */
"use strict";
const { id } = require('sdk/self');
const { getAddonByID } = require('sdk/addon/manager');
exports["test add-on manifest was localized"] = function*(assert) {
let addon = yield getAddonByID(id);
assert.equal(addon.name, "title-en", "title was translated");
assert.equal(addon.description, "description-en", "description was translated");
assert.equal(addon.creator, "author-en", "author was translated");
assert.equal(addon.homepageURL, "homepage-en", "homepage was translated");
};
require("sdk/test/runner").runTestsFromModule(module);

View File

@ -0,0 +1,10 @@
{
"name": "manifest-localized",
"id": "manifest-localized@jetpack",
"license": "MPL 2.0",
"version": "0.1",
"title": "Manifest Not Localized",
"author": "Manifest Not Localized",
"description": "Manifest Not Localized",
"homepage": "Manifest Not Localized"
}

View File

@ -15,8 +15,7 @@ const { filter } = require('sdk/event/utils');
const { on, off } = require('sdk/event/core'); const { on, off } = require('sdk/event/core');
const { setTimeout } = require('sdk/timers'); const { setTimeout } = require('sdk/timers');
const { newURI } = require('sdk/url/utils'); const { newURI } = require('sdk/url/utils');
const { defer, all } = require('sdk/core/promise'); const { defer, all, resolve } = require('sdk/core/promise');
const { defer: async } = require('sdk/lang/functional');
const { before, after } = require('sdk/test/utils'); const { before, after } = require('sdk/test/utils');
const { const {
@ -41,6 +40,7 @@ exports.testDefaultFolders = function (assert) {
bmsrv.toolbarFolder, bmsrv.toolbarFolder,
bmsrv.unfiledBookmarksFolder bmsrv.unfiledBookmarksFolder
]; ];
[MENU, TOOLBAR, UNSORTED].forEach(function (g, i) { [MENU, TOOLBAR, UNSORTED].forEach(function (g, i) {
assert.ok(g.id === ids[i], ' default group matches id'); assert.ok(g.id === ids[i], ' default group matches id');
}); });
@ -321,8 +321,7 @@ exports.testAddingToExistingParent = function (assert, done) {
secondBatch = data; secondBatch = data;
assert.equal(firstBatch[0].group.id, secondBatch[0].group.id, assert.equal(firstBatch[0].group.id, secondBatch[0].group.id,
'successfully saved to the same parent'); 'successfully saved to the same parent');
done(); }).then(done).catch(assert.fail);
}, assert.fail);
}; };
exports.testUpdateParent = function (assert, done) { exports.testUpdateParent = function (assert, done) {
@ -332,8 +331,7 @@ exports.testUpdateParent = function (assert, done) {
return saveP(item[0]); return saveP(item[0]);
}).then(item => { }).then(item => {
assert.equal(item[0].title, 'mozgroup-resave', 'group saved successfully'); assert.equal(item[0].title, 'mozgroup-resave', 'group saved successfully');
done(); }).then(done).catch(assert.fail);
});
}; };
exports.testUpdateSeparator = function (assert, done) { exports.testUpdateSeparator = function (assert, done) {
@ -343,8 +341,7 @@ exports.testUpdateSeparator = function (assert, done) {
return saveP(item[0]); return saveP(item[0]);
}).then(item => { }).then(item => {
assert.equal(item[0].index, 2, 'updated index of separator'); assert.equal(item[0].index, 2, 'updated index of separator');
done(); }).then(done).catch(assert.fail);
});
}; };
exports.testPromisedSave = function (assert, done) { exports.testPromisedSave = function (assert, done) {
@ -369,8 +366,7 @@ exports.testPromisedSave = function (assert, done) {
assert.equal(bmsrv.getItemIndex(first.id), 2, 'properly moved bookmark'); assert.equal(bmsrv.getItemIndex(first.id), 2, 'properly moved bookmark');
assert.equal(bmsrv.getItemIndex(second.id), 0, 'other bookmarks adjusted'); assert.equal(bmsrv.getItemIndex(second.id), 0, 'other bookmarks adjusted');
assert.equal(bmsrv.getItemIndex(third.id), 1, 'other bookmarks adjusted'); assert.equal(bmsrv.getItemIndex(third.id), 1, 'other bookmarks adjusted');
done(); }).then(done).catch(assert.fail);
});
}; };
exports.testPromisedErrorSave = function (assert, done) { exports.testPromisedErrorSave = function (assert, done) {
@ -379,6 +375,7 @@ exports.testPromisedErrorSave = function (assert, done) {
{ title: 'moz2', url: 'invalidurl', type: 'bookmark'}, { title: 'moz2', url: 'invalidurl', type: 'bookmark'},
{ title: 'moz3', url: 'http://moz3.com', type: 'bookmark'} { title: 'moz3', url: 'http://moz3.com', type: 'bookmark'}
]; ];
saveP(bookmarks).then(invalidResolve, reason => { saveP(bookmarks).then(invalidResolve, reason => {
assert.ok( assert.ok(
/The `url` property must be a valid URL/.test(reason), /The `url` property must be a valid URL/.test(reason),
@ -386,13 +383,14 @@ exports.testPromisedErrorSave = function (assert, done) {
bookmarks[1].url = 'http://moz2.com'; bookmarks[1].url = 'http://moz2.com';
return saveP(bookmarks); return saveP(bookmarks);
}).then(res => { }).
return searchP({ query: 'moz' }); then(res => searchP({ query: 'moz' })).
}).then(res => { then(res => {
assert.equal(res.length, 3, 'all 3 should be saved upon retry'); assert.equal(res.length, 3, 'all 3 should be saved upon retry');
res.map(item => assert.ok(/moz\d\.com/.test(item.url), 'correct item')); res.map(item => assert.ok(/moz\d\.com/.test(item.url), 'correct item'));
done(); done();
}, invalidReject); }, invalidReject).
catch(assert.fail);
}; };
exports.testMovingChildren = function (assert, done) { exports.testMovingChildren = function (assert, done) {
@ -403,6 +401,7 @@ exports.testMovingChildren = function (assert, done) {
Bookmark({ title: 'moz2', url: 'http://moz2.com', group: midFolder}), Bookmark({ title: 'moz2', url: 'http://moz2.com', group: midFolder}),
Bookmark({ title: 'moz3', url: 'http://moz3.com', group: midFolder}) Bookmark({ title: 'moz3', url: 'http://moz3.com', group: midFolder})
]; ];
save(bookmarks).on('end', bms => { save(bookmarks).on('end', bms => {
let first = bms.filter(b => b.title === 'moz1')[0]; let first = bms.filter(b => b.title === 'moz1')[0];
let second = bms.filter(b => b.title === 'moz2')[0]; let second = bms.filter(b => b.title === 'moz2')[0];
@ -488,7 +487,7 @@ exports.testRemove = function (assert, done) {
}, 'item should no longer exist'); }, 'item should no longer exist');
done(); done();
}); });
}); }).catch(assert.fail);
}; };
/* /*
@ -524,7 +523,7 @@ exports.testResolution = function (assert, done) {
assert.ok(item.updated, 'bookmark has updated time'); assert.ok(item.updated, 'bookmark has updated time');
item.title = 'my title'; item.title = 'my title';
// Ensure delay so a different save time is set // Ensure delay so a different save time is set
return delayed(item); return resolve(item);
}).then(saveP) }).then(saveP)
.then(items => { .then(items => {
let item = items[0]; let item = items[0];
@ -546,8 +545,7 @@ exports.testResolution = function (assert, done) {
}).then((results) => { }).then((results) => {
let result = results[0]; let result = results[0];
assert.equal(result.title, 'a new title', 'resolve handles results'); assert.equal(result.title, 'a new title', 'resolve handles results');
done(); }).then(done).catch(assert.fail);;
});
}; };
/* /*
@ -556,13 +554,15 @@ exports.testResolution = function (assert, done) {
exports.testResolutionMapping = function (assert, done) { exports.testResolutionMapping = function (assert, done) {
let bookmark = Bookmark({ title: 'moz', url: 'http://bookmarks4life.com/' }); let bookmark = Bookmark({ title: 'moz', url: 'http://bookmarks4life.com/' });
let saved; let saved;
saveP(bookmark).then(data => { saveP(bookmark).then(data => {
saved = data[0]; saved = data[0];
saved.title = 'updated title'; saved.title = 'updated title';
// Ensure a delay for different updated times // Ensure a delay for different updated times
return delayed(saved); return resolve(saved);
}).then(saveP) }).
.then(() => { then(saveP).
then(() => {
bookmark.title = 'conflicting title'; bookmark.title = 'conflicting title';
return saveP(bookmark, { resolve: (mine, theirs) => { return saveP(bookmark, { resolve: (mine, theirs) => {
assert.equal(mine.title, 'conflicting title', 'correct data for my object'); assert.equal(mine.title, 'conflicting title', 'correct data for my object');
@ -579,8 +579,7 @@ exports.testResolutionMapping = function (assert, done) {
}).then((results) => { }).then((results) => {
let result = results[0]; let result = results[0];
assert.equal(result.title, 'a new title', 'resolve handles results'); assert.equal(result.title, 'a new title', 'resolve handles results');
done(); }).then(done).catch(assert.fail);
});
}; };
exports.testUpdateTags = function (assert, done) { exports.testUpdateTags = function (assert, done) {
@ -595,7 +594,7 @@ exports.testUpdateTags = function (assert, done) {
assert.ok(!saved.tags.has('spidermonkey'), 'should not have removed tag'); assert.ok(!saved.tags.has('spidermonkey'), 'should not have removed tag');
done(); done();
}); });
}); }).catch(assert.fail);
}; };
/* /*
@ -625,8 +624,7 @@ exports.testSearchByGroupSimple = function (assert, done) {
'returns all children bookmarks/folders'); 'returns all children bookmarks/folders');
assert.ok(results.filter(({url}) => url === 'http://w3schools.com/'), assert.ok(results.filter(({url}) => url === 'http://w3schools.com/'),
'returns nested children'); 'returns nested children');
done(); }).then(done).catch(assert.fail);
}).then(null, assert.fail);
}; };
exports.testSearchByGroupComplex = function (assert, done) { exports.testSearchByGroupComplex = function (assert, done) {
@ -643,8 +641,7 @@ exports.testSearchByGroupComplex = function (assert, done) {
assert.ok( assert.ok(
!results.filter(({url}) => /developer.mozilla/.test(url)).length, !results.filter(({url}) => /developer.mozilla/.test(url)).length,
'does not find results from other folders'); 'does not find results from other folders');
done(); }).then(done).catch(assert.fail);
}, assert.fail);
}; };
exports.testSearchEmitters = function (assert, done) { exports.testSearchEmitters = function (assert, done) {
@ -666,7 +663,7 @@ exports.testSearchEmitters = function (assert, done) {
assert.equal(data[0] + '', '[object Bookmark]', 'returns bookmarks'); assert.equal(data[0] + '', '[object Bookmark]', 'returns bookmarks');
done(); done();
}); });
}); }).catch(assert.fail);
}; };
exports.testSearchTags = function (assert, done) { exports.testSearchTags = function (assert, done) {
@ -685,8 +682,7 @@ exports.testSearchTags = function (assert, done) {
// OR tags // OR tags
assert.equal(data.length, 6, assert.equal(data.length, 6,
'should return all bookmarks with firefox OR javascript tag'); 'should return all bookmarks with firefox OR javascript tag');
done(); }).then(done).catch(assert.fail);
});
}; };
/* /*
@ -724,9 +720,7 @@ exports.testSearchURL = function (assert, done) {
assert.equal(data[0].url, 'http://mozilla.org/'); assert.equal(data[0].url, 'http://mozilla.org/');
assert.equal(data[1].url, 'http://mozilla.org/thunderbird/'); assert.equal(data[1].url, 'http://mozilla.org/thunderbird/');
assert.equal(data[2].url, 'http://component.fm/'); assert.equal(data[2].url, 'http://component.fm/');
}).then(() => { }).then(done).catch(assert.fail);
done();
});
}; };
/* /*
@ -752,9 +746,7 @@ exports.testSearchQuery = function (assert, done) {
assert.equal(data.length, 1); assert.equal(data.length, 1);
assert.equal(data[0].title, 'mdn', assert.equal(data[0].title, 'mdn',
'only one item matches moz query AND has a javascript tag'); 'only one item matches moz query AND has a javascript tag');
}).then(() => { }).then(done).catch(assert.fail);
done();
});
}; };
/* /*
@ -804,8 +796,7 @@ exports.testCaching = function (assert, done) {
// require a lookup // require a lookup
assert.equal(count, 6, 'lookup occurs once for each item and parent'); assert.equal(count, 6, 'lookup occurs once for each item and parent');
off(stream, 'data', handle); off(stream, 'data', handle);
done(); }).then(done).catch(assert.fail);
});
function handle ({data}) count++ function handle ({data}) count++
}; };
@ -822,9 +813,8 @@ exports.testSearchCount = function (assert, done) {
.then(testCount(3)) .then(testCount(3))
.then(testCount(5)) .then(testCount(5))
.then(testCount(10)) .then(testCount(10))
.then(() => { .then(done)
done(); .catch(assert.fail);;
});
function testCount (n) { function testCount (n) {
return function () { return function () {
@ -901,9 +891,7 @@ exports.testSearchSort = function (assert, done) {
}).then(results => { }).then(results => {
assert.equal(results[0].url, 'http://mozilla.com/webfwd/', assert.equal(results[0].url, 'http://mozilla.com/webfwd/',
'last modified should be first'); 'last modified should be first');
}).then(() => { }).then(done).catch(assert.fail);;
done();
});
function checkOrder (results, nums) { function checkOrder (results, nums) {
assert.equal(results.length, nums.length, 'expected return count'); assert.equal(results.length, nums.length, 'expected return count');
@ -926,8 +914,7 @@ exports.testSearchComplexQueryWithOptions = function (assert, done) {
]; ];
for (let i = 0; i < expected.length; i++) for (let i = 0; i < expected.length; i++)
assert.equal(results[i].url, expected[i], 'correct ordering and item'); assert.equal(results[i].url, expected[i], 'correct ordering and item');
done(); }).then(done).catch(assert.fail);;
});
}; };
exports.testCheckSaveOrder = function (assert, done) { exports.testCheckSaveOrder = function (assert, done) {
@ -943,8 +930,7 @@ exports.testCheckSaveOrder = function (assert, done) {
for (let i = 0; i < bookmarks.length; i++) for (let i = 0; i < bookmarks.length; i++)
assert.equal(results[i].url, bookmarks[i].url, assert.equal(results[i].url, bookmarks[i].url,
'correct ordering of bookmark results'); 'correct ordering of bookmark results');
done(); }).then(done).catch(assert.fail);;
});
}; };
before(exports, (name, assert, done) => resetPlaces(done)); before(exports, (name, assert, done) => resetPlaces(done));
@ -957,9 +943,3 @@ function saveP () {
function searchP () { function searchP () {
return promisedEmitter(search.apply(null, Array.slice(arguments))); return promisedEmitter(search.apply(null, Array.slice(arguments)));
} }
function delayed (value, ms) {
let { promise, resolve } = defer();
setTimeout(() => resolve(value), ms || 10);
return promise;
}

View File

@ -305,8 +305,16 @@ exports['test history-delete-visits'] = function (assert) {
assert.pass('TODO test history-delete-visits'); assert.pass('TODO test history-delete-visits');
}; };
// Bug 1060843
// Wait a tick before finishing tests, as some bookmark activities require
// completion of a result for events. For example, when creating a bookmark,
// a `bookmark-item-added` event is fired, listened to by the first test here,
// while constructing the bookmark item requires subsequent calls to that bookmark item.
// If we destroy the underlying bookmark immediately, these calls will fail.
//
// The places SDK abstraction around this alleviates it, but these are low level events.
after(exports, (name, assert, done) => setTimeout(() => resetPlaces(done), 1));
before(exports, (name, assert, done) => resetPlaces(done)); before(exports, (name, assert, done) => resetPlaces(done));
after(exports, (name, assert, done) => resetPlaces(done));
function saveP () { function saveP () {
return promisedEmitter(save.apply(null, Array.slice(arguments))); return promisedEmitter(save.apply(null, Array.slice(arguments)));

View File

@ -6,7 +6,7 @@
const { id, preferencesBranch } = require('sdk/self'); const { id, preferencesBranch } = require('sdk/self');
const simple = require('sdk/simple-prefs'); const simple = require('sdk/simple-prefs');
const service = require('sdk/preferences/service'); const service = require('sdk/preferences/service');
const { AddonManager } = require('chrome').Cu.import('resource://gre/modules/AddonManager.jsm', {}); const { getAddonByID } = require('sdk/addon/manager');
const expected_id = 'predefined-id@test'; const expected_id = 'predefined-id@test';
@ -21,14 +21,12 @@ exports.testExpectedID = function(assert) {
assert.equal(service.get('extensions.'+expected_id+'.test2'), simple.prefs.test2, 'test pref is 25'); assert.equal(service.get('extensions.'+expected_id+'.test2'), simple.prefs.test2, 'test pref is 25');
} }
exports.testSelfID = function(assert, done) { exports.testSelfID = function*(assert) {
assert.equal(typeof(id), 'string', 'self.id is a string'); assert.equal(typeof(id), 'string', 'self.id is a string');
assert.ok(id.length > 0, 'self.id not empty'); assert.ok(id.length > 0, 'self.id not empty');
AddonManager.getAddonByID(id, function(addon) { let addon = yield getAddonByID(id);
assert.equal(addon.id, id, 'found addon with self.id'); assert.equal(addon.id, id, 'found addon with self.id');
done();
});
} }
require('sdk/test/runner').runTestsFromModule(module); require('sdk/test/runner').runTestsFromModule(module);

View File

@ -1,17 +1,15 @@
/* This Source Code Form is subject to the terms of the Mozilla Public /* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this * License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */ * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
'use strict'; 'use strict';
const { id, preferencesBranch } = require('sdk/self'); const { id, preferencesBranch } = require('sdk/self');
const simple = require('sdk/simple-prefs'); const simple = require('sdk/simple-prefs');
const service = require('sdk/preferences/service'); const service = require('sdk/preferences/service');
const { AddonManager } = require('chrome').Cu.import('resource://gre/modules/AddonManager.jsm'); const { getAddonByID } = require('sdk/addon/manager');
exports.testPreferencesBranch = function(assert) { exports.testPreferencesBranch = function(assert) {
assert.equal(preferencesBranch, 'human-readable', 'preferencesBranch is human-readable'); assert.equal(preferencesBranch, 'human-readable', 'preferencesBranch is human-readable');
assert.equal(simple.prefs.test42, true, 'test42 is true'); assert.equal(simple.prefs.test42, true, 'test42 is true');
simple.prefs.test43 = 'movie'; simple.prefs.test43 = 'movie';
@ -20,16 +18,11 @@ exports.testPreferencesBranch = function(assert) {
} }
// from `/test/test-self.js`, adapted to `sdk/test/assert` API // from `/test/test-self.js`, adapted to `sdk/test/assert` API
exports.testSelfID = function(assert, done) { exports.testSelfID = function*(assert) {
assert.equal(typeof(id), 'string', 'self.id is a string'); assert.equal(typeof(id), 'string', 'self.id is a string');
assert.ok(id.length > 0, 'self.id not empty'); assert.ok(id.length > 0, 'self.id not empty');
let addon = yield getAddonByID(id);
AddonManager.getAddonByID(id, function(addon) { assert.ok(addon, 'found addon with self.id');
assert.ok(addon, 'found addon with self.id');
done();
});
} }
require('sdk/test/runner').runTestsFromModule(module); require('sdk/test/runner').runTestsFromModule(module);

View File

@ -5,14 +5,12 @@
const { merge } = require('sdk/util/object'); const { merge } = require('sdk/util/object');
const app = require('sdk/system/xul-app'); const app = require('sdk/system/xul-app');
const { isGlobalPBSupported } = require('sdk/private-browsing/utils');
merge(module.exports, merge(module.exports,
require('./test-tabs'), require('./test-tabs'),
require('./test-page-mod'), require('./test-page-mod'),
require('./test-private-browsing'), require('./test-private-browsing'),
require('./test-sidebar'), require('./test-sidebar')
isGlobalPBSupported ? require('./test-global-private-browsing') : {}
); );
// Doesn't make sense to test window-utils and windows on fennec, // Doesn't make sense to test window-utils and windows on fennec,

View File

@ -1,150 +0,0 @@
/* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */
'use strict';
const windowUtils = require('sdk/deprecated/window-utils');
const { isWindowPBSupported, isGlobalPBSupported } = require('sdk/private-browsing/utils');
const { getFrames, getWindowTitle, onFocus, isWindowPrivate, windows, isBrowser } = require('sdk/window/utils');
const { open, close, focus } = require('sdk/window/helpers');
const { isPrivate } = require('sdk/private-browsing');
const { Panel } = require('sdk/panel');
const { Widget } = require('sdk/widget');
const { fromIterator: toArray } = require('sdk/util/array');
let { Loader } = require('sdk/test/loader');
let loader = Loader(module, {
console: Object.create(console, {
error: {
value: function(e) !/DEPRECATED:/.test(e) ? console.error(e) : undefined
}
})
});
const pb = loader.require('sdk/private-browsing');
function makeEmptyBrowserWindow(options) {
options = options || {};
return open('chrome://browser/content/browser.xul', {
features: {
chrome: true,
private: !!options.private,
toolbar: true
}
});
}
exports.testShowPanelAndWidgetOnPrivateWindow = function(assert, done) {
var myPrivateWindow;
var finished = false;
var privateWindow;
var privateWindowClosed = false;
pb.once('start', function() {
assert.pass('private browsing mode started');
// make a new private window
makeEmptyBrowserWindow().then(function(window) {
myPrivateWindow = window;
let wt = windowUtils.WindowTracker({
onTrack: function(window) {
if (!isBrowser(window) || window !== myPrivateWindow) return;
assert.ok(isWindowPrivate(window), 'window is private onTrack!');
let panel = Panel({
onShow: function() {
assert.ok(this.isShowing, 'the panel is showing on the private window');
let count = 0;
let widget = Widget({
id: "testShowPanelAndWidgetOnPrivateWindow-id",
label: "My Hello Widget",
content: "Hello!",
onAttach: function(mod) {
count++;
if (count == 2) {
panel.destroy();
widget.destroy();
close(window);
}
}
});
}
}).show(null, window.gBrowser);
},
onUntrack: function(window) {
if (window === myPrivateWindow) {
wt.unload();
pb.once('stop', function() {
assert.pass('private browsing mode end');
done();
});
pb.deactivate();
}
}
});
assert.equal(isWindowPrivate(window), true, 'the opened window is private');
assert.equal(isPrivate(window), true, 'the opened window is private');
assert.ok(getFrames(window).length > 1, 'there are frames for private window');
assert.equal(getWindowTitle(window), window.document.title,
'getWindowTitle works');
});
});
pb.activate();
};
exports.testWindowTrackerDoesNotIgnorePrivateWindows = function(assert, done) {
var myPrivateWindow;
var count = 0;
let wt = windowUtils.WindowTracker({
onTrack: function(window) {
if (!isBrowser(window) || !isWindowPrivate(window)) return;
assert.ok(isWindowPrivate(window), 'window is private onTrack!');
if (++count == 1)
close(window);
},
onUntrack: function(window) {
if (count == 1 && isWindowPrivate(window)) {
wt.unload();
pb.once('stop', function() {
assert.pass('private browsing mode end');
done();
});
pb.deactivate();
}
}
});
pb.once('start', function() {
assert.pass('private browsing mode started');
makeEmptyBrowserWindow();
});
pb.activate();
}
exports.testWindowIteratorDoesNotIgnorePrivateWindows = function(assert, done) {
pb.once('start', function() {
// make a new private window
makeEmptyBrowserWindow().then(function(window) {
assert.ok(isWindowPrivate(window), "window is private");
assert.equal(isPrivate(window), true, 'the opened window is private');
assert.ok(toArray(windowUtils.windowIterator()).indexOf(window) > -1,
"window is in windowIterator()");
assert.ok(windows(null, { includePrivate: true }).indexOf(window) > -1,
"window is in windows()");
return close(window).then(function() {
pb.once('stop', function() {
done();
});
pb.deactivate();
});
}).then(null, assert.fail);
});
pb.activate();
};

View File

@ -6,27 +6,24 @@
const { Cu } = require('chrome'); const { Cu } = require('chrome');
const sp = require('sdk/simple-prefs'); const sp = require('sdk/simple-prefs');
const app = require('sdk/system/xul-app'); const app = require('sdk/system/xul-app');
const self = require('sdk/self');
const tabs = require('sdk/tabs'); const tabs = require('sdk/tabs');
const { preferencesBranch } = require('sdk/self'); const { preferencesBranch, id } = require('sdk/self');
const { getAddonByID } = require('sdk/addon/manager');
const { AddonManager } = Cu.import('resource://gre/modules/AddonManager.jsm', {}); const { AddonManager } = Cu.import('resource://gre/modules/AddonManager.jsm', {});
exports.testRegression = function(assert) { exports.testRegression = (assert) => {
assert.equal(self.preferencesBranch, self.id, 'preferencesBranch returns id here'); assert.equal(preferencesBranch, id, 'preferencesBranch returns id here');
} }
exports.testDefaultValues = function (assert) { exports.testDefaultValues = (assert) => {
assert.equal(sp.prefs.myHiddenInt, 5, 'myHiddenInt default is 5'); assert.equal(sp.prefs.myHiddenInt, 5, 'myHiddenInt default is 5');
assert.equal(sp.prefs.myInteger, 8, 'myInteger default is 8'); assert.equal(sp.prefs.myInteger, 8, 'myInteger default is 8');
assert.equal(sp.prefs.somePreference, 'TEST', 'somePreference default is correct'); assert.equal(sp.prefs.somePreference, 'TEST', 'somePreference default is correct');
} }
exports.testOptionsType = function(assert, done) { exports.testOptionsType = function*(assert) {
AddonManager.getAddonByID(self.id, function(aAddon) { let addon = yield getAddonByID(id);
assert.equal(aAddon.optionsType, AddonManager.OPTIONS_TYPE_INLINE, 'options type is inline'); assert.equal(addon.optionsType, AddonManager.OPTIONS_TYPE_INLINE, 'options type is inline');
done();
});
} }
if (app.is('Firefox')) { if (app.is('Firefox')) {
@ -38,7 +35,7 @@ if (app.is('Firefox')) {
contentScriptWhen: 'end', contentScriptWhen: 'end',
contentScript: 'function onLoad() {\n' + contentScript: 'function onLoad() {\n' +
'unsafeWindow.removeEventListener("load", onLoad, false);\n' + 'unsafeWindow.removeEventListener("load", onLoad, false);\n' +
'AddonManager.getAddonByID("' + self.id + '", function(aAddon) {\n' + 'AddonManager.getAddonByID("' + id + '", function(aAddon) {\n' +
'unsafeWindow.gViewController.viewObjects.detail.node.addEventListener("ViewChanged", function whenViewChanges() {\n' + 'unsafeWindow.gViewController.viewObjects.detail.node.addEventListener("ViewChanged", function whenViewChanges() {\n' +
'unsafeWindow.gViewController.viewObjects.detail.node.removeEventListener("ViewChanged", whenViewChanges, false);\n' + 'unsafeWindow.gViewController.viewObjects.detail.node.removeEventListener("ViewChanged", whenViewChanges, false);\n' +
'setTimeout(function() {\n' + // TODO: figure out why this is necessary.. 'setTimeout(function() {\n' + // TODO: figure out why this is necessary..
@ -70,13 +67,13 @@ if (app.is('Firefox')) {
onMessage: function(msg) { onMessage: function(msg) {
// test somePreference // test somePreference
assert.equal(msg.somePreference.type, 'string', 'some pref is a string'); assert.equal(msg.somePreference.type, 'string', 'some pref is a string');
assert.equal(msg.somePreference.pref, 'extensions.'+self.preferencesBranch+'.somePreference', 'somePreference path is correct'); assert.equal(msg.somePreference.pref, 'extensions.'+preferencesBranch+'.somePreference', 'somePreference path is correct');
assert.equal(msg.somePreference.title, 'some-title', 'somePreference title is correct'); assert.equal(msg.somePreference.title, 'some-title', 'somePreference title is correct');
assert.equal(msg.somePreference.desc, 'Some short description for the preference', 'somePreference description is correct'); assert.equal(msg.somePreference.desc, 'Some short description for the preference', 'somePreference description is correct');
// test myInteger // test myInteger
assert.equal(msg.myInteger.type, 'integer', 'myInteger is a int'); assert.equal(msg.myInteger.type, 'integer', 'myInteger is a int');
assert.equal(msg.myInteger.pref, 'extensions.'+self.preferencesBranch+'.myInteger', 'extensions.test-simple-prefs.myInteger'); assert.equal(msg.myInteger.pref, 'extensions.'+preferencesBranch+'.myInteger', 'extensions.test-simple-prefs.myInteger');
assert.equal(msg.myInteger.title, 'my-int', 'myInteger title is correct'); assert.equal(msg.myInteger.title, 'my-int', 'myInteger title is correct');
assert.equal(msg.myInteger.desc, 'How many of them we have.', 'myInteger desc is correct'); assert.equal(msg.myInteger.desc, 'How many of them we have.', 'myInteger desc is correct');

View File

@ -6,14 +6,13 @@
const { Cu } = require('chrome'); const { Cu } = require('chrome');
const sp = require('sdk/simple-prefs'); const sp = require('sdk/simple-prefs');
const app = require('sdk/system/xul-app'); const app = require('sdk/system/xul-app');
const self = require('sdk/self'); const { id, preferencesBranch } = require('sdk/self');
const { preferencesBranch } = self;
const { open } = require('sdk/preferences/utils'); const { open } = require('sdk/preferences/utils');
const { getTabForId } = require('sdk/tabs/utils'); const { getTabForId } = require('sdk/tabs/utils');
const { Tab } = require('sdk/tabs/tab'); const { Tab } = require('sdk/tabs/tab');
require('sdk/tabs'); const { getAddonByID } = require('sdk/addon/manager');
const { AddonManager } = Cu.import('resource://gre/modules/AddonManager.jsm', {}); const { AddonManager } = Cu.import('resource://gre/modules/AddonManager.jsm', {});
require('sdk/tabs');
exports.testDefaultValues = function (assert) { exports.testDefaultValues = function (assert) {
assert.equal(sp.prefs.myHiddenInt, 5, 'myHiddenInt default is 5'); assert.equal(sp.prefs.myHiddenInt, 5, 'myHiddenInt default is 5');
@ -21,15 +20,13 @@ exports.testDefaultValues = function (assert) {
assert.equal(sp.prefs.somePreference, 'TEST', 'somePreference default is correct'); assert.equal(sp.prefs.somePreference, 'TEST', 'somePreference default is correct');
} }
exports.testOptionsType = function(assert, done) { exports.testOptionsType = function*(assert) {
AddonManager.getAddonByID(self.id, function(aAddon) { let addon = yield getAddonByID(id);
assert.equal(aAddon.optionsType, AddonManager.OPTIONS_TYPE_INLINE, 'options type is inline'); assert.equal(addon.optionsType, AddonManager.OPTIONS_TYPE_INLINE, 'options type is inline');
done();
});
} }
exports.testButton = function(assert, done) { exports.testButton = function(assert, done) {
open(self).then(({ tabId, document }) => { open({ id: id }).then(({ tabId, document }) => {
let tab = Tab({ tab: getTabForId(tabId) }); let tab = Tab({ tab: getTabForId(tabId) });
sp.once('sayHello', _ => { sp.once('sayHello', _ => {
assert.pass('The button was pressed!'); assert.pass('The button was pressed!');
@ -44,7 +41,7 @@ exports.testButton = function(assert, done) {
if (app.is('Firefox')) { if (app.is('Firefox')) {
exports.testAOM = function(assert, done) { exports.testAOM = function(assert, done) {
open(self).then(({ tabId }) => { open({ id: id }).then(({ tabId }) => {
let tab = Tab({ tab: getTabForId(tabId) }); let tab = Tab({ tab: getTabForId(tabId) });
assert.pass('the add-on prefs page was opened.'); assert.pass('the add-on prefs page was opened.');
@ -73,17 +70,17 @@ if (app.is('Firefox')) {
// test somePreference // test somePreference
assert.equal(msg.somePreference.type, 'string', 'some pref is a string'); assert.equal(msg.somePreference.type, 'string', 'some pref is a string');
assert.equal(msg.somePreference.pref, 'extensions.'+self.id+'.somePreference', 'somePreference path is correct'); assert.equal(msg.somePreference.pref, 'extensions.' + id + '.somePreference', 'somePreference path is correct');
assert.equal(msg.somePreference.title, 'some-title', 'somePreference title is correct'); assert.equal(msg.somePreference.title, 'some-title', 'somePreference title is correct');
assert.equal(msg.somePreference.desc, 'Some short description for the preference', 'somePreference description is correct'); assert.equal(msg.somePreference.desc, 'Some short description for the preference', 'somePreference description is correct');
assert.equal(msg.somePreference['data-jetpack-id'], self.id, 'data-jetpack-id attribute value is correct'); assert.equal(msg.somePreference['data-jetpack-id'], id, 'data-jetpack-id attribute value is correct');
// test myInteger // test myInteger
assert.equal(msg.myInteger.type, 'integer', 'myInteger is a int'); assert.equal(msg.myInteger.type, 'integer', 'myInteger is a int');
assert.equal(msg.myInteger.pref, 'extensions.'+self.id+'.myInteger', 'extensions.test-simple-prefs.myInteger'); assert.equal(msg.myInteger.pref, 'extensions.' + id + '.myInteger', 'extensions.test-simple-prefs.myInteger');
assert.equal(msg.myInteger.title, 'my-int', 'myInteger title is correct'); assert.equal(msg.myInteger.title, 'my-int', 'myInteger title is correct');
assert.equal(msg.myInteger.desc, 'How many of them we have.', 'myInteger desc is correct'); assert.equal(msg.myInteger.desc, 'How many of them we have.', 'myInteger desc is correct');
assert.equal(msg.myInteger['data-jetpack-id'], self.id, 'data-jetpack-id attribute value is correct'); assert.equal(msg.myInteger['data-jetpack-id'], id, 'data-jetpack-id attribute value is correct');
// test myHiddenInt // test myHiddenInt
assert.equal(msg.myHiddenInt.type, undefined, 'myHiddenInt was not displayed'); assert.equal(msg.myHiddenInt.type, undefined, 'myHiddenInt was not displayed');
@ -92,7 +89,7 @@ if (app.is('Firefox')) {
assert.equal(msg.myHiddenInt.desc, undefined, 'myHiddenInt was not displayed'); assert.equal(msg.myHiddenInt.desc, undefined, 'myHiddenInt was not displayed');
// test sayHello // test sayHello
assert.equal(msg.sayHello['data-jetpack-id'], self.id, 'data-jetpack-id attribute value is correct'); assert.equal(msg.sayHello['data-jetpack-id'], id, 'data-jetpack-id attribute value is correct');
tab.close(done); tab.close(done);
} }
@ -103,11 +100,10 @@ if (app.is('Firefox')) {
// run it again, to test against inline options document caching // run it again, to test against inline options document caching
// and duplication of <setting> nodes upon re-entry to about:addons // and duplication of <setting> nodes upon re-entry to about:addons
exports.testAgainstDocCaching = exports.testAOM; exports.testAgainstDocCaching = exports.testAOM;
} }
exports.testDefaultPreferencesBranch = function(assert) { exports.testDefaultPreferencesBranch = function(assert) {
assert.equal(preferencesBranch, self.id, 'preferencesBranch default the same as self.id'); assert.equal(preferencesBranch, id, 'preferencesBranch default the same as self.id');
} }
require('sdk/test/runner').runTestsFromModule(module); require('sdk/test/runner').runTestsFromModule(module);

View File

@ -7,7 +7,7 @@
const { id, preferencesBranch } = require('sdk/self'); const { id, preferencesBranch } = require('sdk/self');
const simple = require('sdk/simple-prefs'); const simple = require('sdk/simple-prefs');
const service = require('sdk/preferences/service'); const service = require('sdk/preferences/service');
const { AddonManager } = require('chrome').Cu.import('resource://gre/modules/AddonManager.jsm'); const { getAddonByID } = require('sdk/addon/manager');
exports.testStandardID = function(assert) { exports.testStandardID = function(assert) {
assert.equal(id, 'standard-id@jetpack', 'standard ID is standard'); assert.equal(id, 'standard-id@jetpack', 'standard ID is standard');
@ -16,29 +16,20 @@ exports.testStandardID = function(assert) {
simple.prefs.test14 = '15'; simple.prefs.test14 = '15';
assert.equal(service.get('extensions.standard-id@jetpack.test14'), '15', 'test14 is 15'); assert.equal(service.get('extensions.standard-id@jetpack.test14'), '15', 'test14 is 15');
assert.equal(service.get('extensions.standard-id@jetpack.test14'), simple.prefs.test14, 'simple test14 also 15'); assert.equal(service.get('extensions.standard-id@jetpack.test14'), simple.prefs.test14, 'simple test14 also 15');
} }
exports.testInvalidPreferencesBranch = function(assert) { exports.testInvalidPreferencesBranch = function(assert) {
assert.notEqual(preferencesBranch, 'invalid^branch*name', 'invalid preferences-branch value ignored'); assert.notEqual(preferencesBranch, 'invalid^branch*name', 'invalid preferences-branch value ignored');
assert.equal(preferencesBranch, 'standard-id@jetpack', 'preferences-branch is standard-id@jetpack'); assert.equal(preferencesBranch, 'standard-id@jetpack', 'preferences-branch is standard-id@jetpack');
} }
// from `/test/test-self.js`, adapted to `sdk/test/assert` API // from `/test/test-self.js`, adapted to `sdk/test/assert` API
exports.testSelfID = function(assert, done) { exports.testSelfID = function*(assert) {
assert.equal(typeof(id), 'string', 'self.id is a string'); assert.equal(typeof(id), 'string', 'self.id is a string');
assert.ok(id.length > 0, 'self.id not empty'); assert.ok(id.length > 0, 'self.id not empty');
let addon = yield getAddonByID(id);
AddonManager.getAddonByID(id, function(addon) { assert.ok(addon, 'found addon with self.id');
assert.ok(addon, 'found addon with self.id');
done();
});
} }
require('sdk/test/runner').runTestsFromModule(module); require('sdk/test/runner').runTestsFromModule(module);

View File

@ -3,21 +3,18 @@
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */ * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
'use strict'; 'use strict';
const { Cc, Ci, Cu, Cm, components } = require('chrome'); const { id } = require('sdk/self');
const self = require('sdk/self'); const { getAddonByID } = require('sdk/addon/manager');
const { AddonManager } = Cu.import('resource://gre/modules/AddonManager.jsm', {});
exports.testTranslators = function(assert, done) { exports.testTranslators = function*(assert) {
AddonManager.getAddonByID(self.id, function(addon) { let addon = yield getAddonByID(id);
let count = 0; let count = 0;
addon.translators.forEach(function({ name }) { addon.translators.forEach(function({ name }) {
count++; count++;
assert.equal(name, 'Erik Vold', 'The translator keys are correct'); assert.equal(name, 'Erik Vold', 'The translator keys are correct');
});
assert.equal(count, 1, 'The translator key count is correct');
assert.equal(addon.translators.length, 1, 'The translator key length is correct');
done();
}); });
assert.equal(count, 1, 'The translator key count is correct');
assert.equal(addon.translators.length, 1, 'The translator key length is correct');
} }
require('sdk/test/runner').runTestsFromModule(module); require('sdk/test/runner').runTestsFromModule(module);

View File

@ -18,6 +18,7 @@ support-files =
test-tmp-file.txt test-tmp-file.txt
[test-addon-installer.js] [test-addon-installer.js]
[test-addon-manager.js]
[test-addon-window.js] [test-addon-window.js]
[test-api-utils.js] [test-api-utils.js]
[test-array.js] [test-array.js]
@ -153,7 +154,6 @@ skip-if = true
[test-window-events.js] [test-window-events.js]
[test-window-loader.js] [test-window-loader.js]
[test-window-observer.js] [test-window-observer.js]
[test-window-utils-global-private-browsing.js]
[test-window-utils-private-browsing.js] [test-window-utils-private-browsing.js]
[test-window-utils.js] [test-window-utils.js]
[test-window-utils2.js] [test-window-utils2.js]

View File

@ -1,239 +0,0 @@
/* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */
'use strict';
const timer = require("sdk/timers");
const { LoaderWithHookedConsole, deactivate, pb, pbUtils } = require("./helper");
const tabs = require("sdk/tabs");
const { getMostRecentBrowserWindow, isWindowPrivate } = require('sdk/window/utils');
const { set: setPref } = require("sdk/preferences/service");
const DEPRECATE_PREF = "devtools.errorconsole.deprecation_warnings";
exports["test activate private mode via handler"] = function(assert, done) {
function onReady(tab) {
if (tab.url == "about:robots")
tab.close(function() pb.activate());
}
function cleanup(tab) {
if (tab.url == "about:") {
tabs.removeListener("ready", cleanup);
tab.close(function onClose() {
done();
});
}
}
tabs.on("ready", onReady);
pb.once("start", function onStart() {
assert.pass("private mode was activated");
pb.deactivate();
});
pb.once("stop", function onStop() {
assert.pass("private mode was deactivated");
tabs.removeListener("ready", onReady);
tabs.on("ready", cleanup);
});
tabs.once("open", function onOpen() {
tabs.open("about:robots");
});
tabs.open("about:");
};
// tests that isActive has the same value as the private browsing service
// expects
exports.testGetIsActive = function (assert) {
assert.equal(pb.isActive, false,
"private-browsing.isActive is correct without modifying PB service");
assert.equal(pb.isPrivate(), false,
"private-browsing.sPrivate() is correct without modifying PB service");
pb.once("start", function() {
assert.ok(pb.isActive,
"private-browsing.isActive is correct after modifying PB service");
assert.ok(pb.isPrivate(),
"private-browsing.sPrivate() is correct after modifying PB service");
// Switch back to normal mode.
pb.deactivate();
});
pb.activate();
pb.once("stop", function() {
assert.ok(!pb.isActive,
"private-browsing.isActive is correct after modifying PB service");
assert.ok(!pb.isPrivate(),
"private-browsing.sPrivate() is correct after modifying PB service");
test.done();
});
};
exports.testStart = function(assert, done) {
pb.on("start", function onStart() {
assert.equal(this, pb, "`this` should be private-browsing module");
assert.ok(pbUtils.getMode(),
'private mode is active when "start" event is emitted');
assert.ok(pb.isActive,
'`isActive` is `true` when "start" event is emitted');
assert.ok(pb.isPrivate(),
'`isPrivate` is `true` when "start" event is emitted');
pb.removeListener("start", onStart);
deactivate(done);
});
pb.activate();
};
exports.testStop = function(assert, done) {
pb.once("stop", function onStop() {
assert.equal(this, pb, "`this` should be private-browsing module");
assert.equal(pbUtils.getMode(), false,
"private mode is disabled when stop event is emitted");
assert.equal(pb.isActive, false,
"`isActive` is `false` when stop event is emitted");
assert.equal(pb.isPrivate(), false,
"`isPrivate()` is `false` when stop event is emitted");
done();
});
pb.activate();
pb.once("start", function() {
pb.deactivate();
});
};
exports.testBothListeners = function(assert, done) {
let stop = false;
let start = false;
function onStop() {
assert.equal(stop, false,
"stop callback must be called only once");
assert.equal(pbUtils.getMode(), false,
"private mode is disabled when stop event is emitted");
assert.equal(pb.isActive, false,
"`isActive` is `false` when stop event is emitted");
assert.equal(pb.isPrivate(), false,
"`isPrivate()` is `false` when stop event is emitted");
pb.on("start", finish);
pb.removeListener("start", onStart);
pb.removeListener("start", onStart2);
pb.activate();
stop = true;
}
function onStart() {
assert.equal(false, start,
"stop callback must be called only once");
assert.ok(pbUtils.getMode(),
"private mode is active when start event is emitted");
assert.ok(pb.isActive,
"`isActive` is `true` when start event is emitted");
assert.ok(pb.isPrivate(),
"`isPrivate()` is `true` when start event is emitted");
pb.on("stop", onStop);
pb.deactivate();
start = true;
}
function onStart2() {
assert.ok(start, "start listener must be called already");
assert.equal(false, stop, "stop callback must not be called yet");
}
function finish() {
assert.ok(pbUtils.getMode(), true,
"private mode is active when start event is emitted");
assert.ok(pb.isActive,
"`isActive` is `true` when start event is emitted");
assert.ok(pb.isPrivate(),
"`isPrivate()` is `true` when start event is emitted");
pb.removeListener("start", finish);
pb.removeListener("stop", onStop);
pb.deactivate();
pb.once("stop", function () {
assert.equal(pbUtils.getMode(), false);
assert.equal(pb.isActive, false);
assert.equal(pb.isPrivate(), false);
done();
});
}
pb.on("start", onStart);
pb.on("start", onStart2);
pb.activate();
};
exports.testAutomaticUnload = function(assert, done) {
setPref(DEPRECATE_PREF, true);
// Create another private browsing instance and unload it
let { loader, errors } = LoaderWithHookedConsole(module);
let pb2 = loader.require("sdk/private-browsing");
let called = false;
pb2.on("start", function onStart() {
called = true;
assert.fail("should not be called:x");
});
loader.unload();
// Then switch to private mode in order to check that the previous instance
// is correctly destroyed
pb.once("start", function onStart() {
timer.setTimeout(function () {
assert.ok(!called,
"First private browsing instance is destroyed and inactive");
// Must reset to normal mode, so that next test starts with it.
deactivate(function() {
assert.ok(errors.length, 0, "should have been 1 deprecation error");
done();
});
}, 0);
});
pb.activate();
};
exports.testUnloadWhileActive = function(assert, done) {
let called = false;
let { loader, errors } = LoaderWithHookedConsole(module);
let pb2 = loader.require("sdk/private-browsing");
let ul = loader.require("sdk/system/unload");
let unloadHappened = false;
ul.when(function() {
unloadHappened = true;
timer.setTimeout(function() {
pb.deactivate();
});
});
pb2.once("start", function() {
loader.unload();
});
pb2.once("stop", function() {
called = true;
assert.ok(unloadHappened, "the unload event should have already occurred.");
assert.fail("stop should not have been fired");
});
pb.once("stop", function() {
assert.ok(!called, "stop was not called on unload");
assert.ok(errors.length, 2, "should have been 2 deprecation errors");
done();
});
pb.activate();
};
exports.testIgnoreWindow = function(assert, done) {
let window = getMostRecentBrowserWindow();
pb.once('start', function() {
assert.ok(isWindowPrivate(window), 'window is private');
assert.ok(!pbUtils.ignoreWindow(window), 'window is not ignored');
pb.once('stop', done);
pb.deactivate();
});
pb.activate();
};

View File

@ -3,12 +3,6 @@
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */ * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
'use strict'; 'use strict';
const { Loader } = require('sdk/test/loader');
const { loader } = LoaderWithHookedConsole(module);
const pb = loader.require('sdk/private-browsing');
const pbUtils = loader.require('sdk/private-browsing/utils');
const xulApp = require("sdk/system/xul-app"); const xulApp = require("sdk/system/xul-app");
const { open: openWindow, getMostRecentBrowserWindow } = require('sdk/window/utils'); const { open: openWindow, getMostRecentBrowserWindow } = require('sdk/window/utils');
const { openTab, getTabContentWindow, getActiveTab, setTabURL, closeTab } = require('sdk/tabs/utils'); const { openTab, getTabContentWindow, getActiveTab, setTabURL, closeTab } = require('sdk/tabs/utils');
@ -16,42 +10,6 @@ const promise = require("sdk/core/promise");
const windowHelpers = require('sdk/window/helpers'); const windowHelpers = require('sdk/window/helpers');
const events = require("sdk/system/events"); const events = require("sdk/system/events");
function LoaderWithHookedConsole(module) {
let globals = {};
let errors = [];
globals.console = Object.create(console, {
error: {
value: function(e) {
errors.push(e);
if (!/DEPRECATED:/.test(e)) {
console.error(e);
}
}
}
});
let loader = Loader(module, globals);
return {
loader: loader,
errors: errors
}
}
function deactivate(callback) {
if (pbUtils.isGlobalPBSupported) {
if (callback)
pb.once('stop', callback);
pb.deactivate();
}
}
exports.deactivate = deactivate;
exports.pb = pb;
exports.pbUtils = pbUtils;
exports.LoaderWithHookedConsole = LoaderWithHookedConsole;
exports.openWebpage = function openWebpage(url, enablePrivate) { exports.openWebpage = function openWebpage(url, enablePrivate) {
if (xulApp.is("Fennec")) { if (xulApp.is("Fennec")) {
let chromeWindow = getMostRecentBrowserWindow(); let chromeWindow = getMostRecentBrowserWindow();

View File

@ -3,10 +3,10 @@
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */ * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
'use strict'; 'use strict';
const { pb, pbUtils } = require('./helper');
const { onFocus, openDialog, open } = require('sdk/window/utils'); const { onFocus, openDialog, open } = require('sdk/window/utils');
const { open: openPromise, close, focus, promise } = require('sdk/window/helpers'); const { open: openPromise, close, focus, promise } = require('sdk/window/helpers');
const { isPrivate } = require('sdk/private-browsing'); const { isPrivate } = require('sdk/private-browsing');
const { getMode } = require('sdk/private-browsing/utils');
const { browserWindows: windows } = require('sdk/windows'); const { browserWindows: windows } = require('sdk/windows');
const { defer } = require('sdk/core/promise'); const { defer } = require('sdk/core/promise');
const tabs = require('sdk/tabs'); const tabs = require('sdk/tabs');
@ -14,45 +14,31 @@ const tabs = require('sdk/tabs');
// test openDialog() from window/utils with private option // test openDialog() from window/utils with private option
// test isActive state in pwpb case // test isActive state in pwpb case
// test isPrivate on ChromeWindow // test isPrivate on ChromeWindow
exports.testPerWindowPrivateBrowsingGetter = function(assert, done) { exports.testPerWindowPrivateBrowsingGetter = function*(assert) {
let win = openDialog({ let win = openDialog({ private: true });
private: true
});
promise(win, 'DOMContentLoaded').then(function onload() { yield promise(win, 'DOMContentLoaded');
assert.equal(pbUtils.getMode(win),
true, 'Newly opened window is in PB mode');
assert.ok(isPrivate(win), 'isPrivate(window) is true');
assert.equal(pb.isActive, false, 'PB mode is not active');
close(win).then(function() { assert.equal(getMode(win), true, 'Newly opened window is in PB mode');
assert.equal(pb.isActive, false, 'PB mode is not active'); assert.ok(isPrivate(win), 'isPrivate(window) is true');
done();
}); yield close(win);
});
} }
// test open() from window/utils with private feature // test open() from window/utils with private feature
// test isActive state in pwpb case // test isActive state in pwpb case
// test isPrivate on ChromeWindow // test isPrivate on ChromeWindow
exports.testPerWindowPrivateBrowsingGetter = function(assert, done) { exports.testPerWindowPrivateBrowsingGetter = function*(assert) {
let win = open('chrome://browser/content/browser.xul', { let win = open('chrome://browser/content/browser.xul', {
features: { features: {
private: true private: true
} }
}); });
promise(win, 'DOMContentLoaded').then(function onload() { yield promise(win, 'DOMContentLoaded');
assert.equal(pbUtils.getMode(win), assert.equal(getMode(win), true, 'Newly opened window is in PB mode');
true, 'Newly opened window is in PB mode'); assert.ok(isPrivate(win), 'isPrivate(window) is true');
assert.ok(isPrivate(win), 'isPrivate(window) is true'); yield close(win)
assert.equal(pb.isActive, false, 'PB mode is not active');
close(win).then(function() {
assert.equal(pb.isActive, false, 'PB mode is not active');
done();
});
});
} }
exports.testIsPrivateOnWindowOpen = function(assert, done) { exports.testIsPrivateOnWindowOpen = function(assert, done) {

View File

@ -175,4 +175,4 @@ exports['test Enable failure'] = function (assert, done) {
).then(done, assert.fail); ).then(done, assert.fail);
}; };
require("test").run(exports); require("sdk/test").run(exports);

View File

@ -0,0 +1,14 @@
/* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */
"use strict";
const { id } = require("sdk/self");
const { getAddonByID } = require("sdk/addon/manager");
exports["test getAddonByID"] = function*(assert) {
let addon = yield getAddonByID(id);
assert.equal(addon.id, id, "getAddonByID works");
}
require("sdk/test").run(exports);

View File

@ -391,7 +391,7 @@ exports.testBufferSlice = function (assert) {
assert.equal(buf.slice(0, 65536), '0123456789', 'buffer slice range correct'); assert.equal(buf.slice(0, 65536), '0123456789', 'buffer slice range correct');
assert.equal(buf.slice(65536, 0), '', 'buffer slice range correct'); assert.equal(buf.slice(65536, 0), '', 'buffer slice range correct');
let sliceTest = true; sliceTest = true;
for (var i = 0, s = buf.toString(); i < buf.length; ++i) { for (var i = 0, s = buf.toString(); i < buf.length; ++i) {
if (buf.slice(-i) != s.slice(-i)) sliceTest = false; if (buf.slice(-i) != s.slice(-i)) sliceTest = false;
if (buf.slice(0, -i) != s.slice(0, -i)) sliceTest = false; if (buf.slice(0, -i) != s.slice(0, -i)) sliceTest = false;
@ -463,7 +463,7 @@ exports.testBufferConcat = function (assert) {
assert.equal(flatZero.length, 0); assert.equal(flatZero.length, 0);
assert.equal(flatOne.toString(), 'asdf'); assert.equal(flatOne.toString(), 'asdf');
assert.equal(flatOne, one[0]); assert.equal(flatOne, one[0]);
assert.ok(flatLong.toString(), (new Array(10+1).join('asdf'))); assert.equal(flatLong.toString(), (new Array(10+1).join('asdf')));
assert.equal(flatLongLen.toString(), (new Array(10+1).join('asdf'))); assert.equal(flatLongLen.toString(), (new Array(10+1).join('asdf')));
}; };

View File

@ -10,6 +10,7 @@ require("sdk/context-menu");
const { Loader } = require('sdk/test/loader'); const { Loader } = require('sdk/test/loader');
const timer = require("sdk/timers"); const timer = require("sdk/timers");
const { merge } = require("sdk/util/object"); const { merge } = require("sdk/util/object");
const { defer } = require("sdk/core/promise");
// These should match the same constants in the module. // These should match the same constants in the module.
const ITEM_CLASS = "addon-context-menu-item"; const ITEM_CLASS = "addon-context-menu-item";
@ -2664,6 +2665,58 @@ exports.testItemNoData = function (assert, done) {
} }
exports.testItemNoAccessKey = function (assert, done) {
let test = new TestHelper(assert, done);
let loader = test.newLoader();
let item1 = new loader.cm.Item({ label: "item 1" });
let item2 = new loader.cm.Item({ label: "item 2", accesskey: null });
let item3 = new loader.cm.Item({ label: "item 3", accesskey: undefined });
assert.equal(item1.accesskey, undefined, "Should be no defined image");
assert.equal(item2.accesskey, null, "Should be no defined image");
assert.equal(item3.accesskey, undefined, "Should be no defined image");
test.showMenu().
then((popup) => test.checkMenu([item1, item2, item3], [], [])).
then(test.done).
catch(assert.fail);
}
// Test accesskey support.
exports.testItemAccessKey = function (assert, done) {
let test = new TestHelper(assert, done);
let loader = test.newLoader();
let item = new loader.cm.Item({ label: "item", accesskey: "i" });
assert.equal(item.accesskey, "i", "Should have set the image to i");
let menu = new loader.cm.Menu({ label: "menu", accesskey: "m", items: [
loader.cm.Item({ label: "subitem" })
]});
assert.equal(menu.accesskey, "m", "Should have set the accesskey to m");
test.showMenu().then((popup) => {
test.checkMenu([item, menu], [], []);
let accesskey = "e";
menu.accesskey = item.accesskey = accesskey;
assert.equal(item.accesskey, accesskey, "Should have set the accesskey to " + accesskey);
assert.equal(menu.accesskey, accesskey, "Should have set the accesskey to " + accesskey);
test.checkMenu([item, menu], [], []);
item.accesskey = null;
menu.accesskey = null;
assert.equal(item.accesskey, null, "Should have set the accesskey to " + accesskey);
assert.equal(menu.accesskey, null, "Should have set the accesskey to " + accesskey);
test.checkMenu([item, menu], [], []);
}).
then(test.done).
catch(assert.fail);
};
// Tests that items without an image don't attempt to show one // Tests that items without an image don't attempt to show one
exports.testItemNoImage = function (assert, done) { exports.testItemNoImage = function (assert, done) {
let test = new TestHelper(assert, done); let test = new TestHelper(assert, done);
@ -3695,6 +3748,7 @@ function TestHelper(assert, done) {
getMostRecentWindow("navigator:browser"); getMostRecentWindow("navigator:browser");
this.overflowThreshValue = require("sdk/preferences/service"). this.overflowThreshValue = require("sdk/preferences/service").
get(OVERFLOW_THRESH_PREF, OVERFLOW_THRESH_DEFAULT); get(OVERFLOW_THRESH_PREF, OVERFLOW_THRESH_DEFAULT);
this.done = this.done.bind(this);
} }
TestHelper.prototype = { TestHelper.prototype = {
@ -3753,6 +3807,20 @@ TestHelper.prototype = {
if (itemType === "Item" || itemType === "Menu") { if (itemType === "Item" || itemType === "Menu") {
this.assert.equal(elt.getAttribute("label"), item.label, this.assert.equal(elt.getAttribute("label"), item.label,
"Item should have correct title"); "Item should have correct title");
// validate accesskey prop
if (item.accesskey) {
this.assert.equal(elt.getAttribute("accesskey"),
item.accesskey,
"Item should have correct accesskey");
}
else {
this.assert.equal(elt.getAttribute("accesskey"),
"",
"Item should not have accesskey");
}
// validate image prop
if (typeof(item.image) === "string") { if (typeof(item.image) === "string") {
this.assert.equal(elt.getAttribute("image"), item.image, this.assert.equal(elt.getAttribute("image"), item.image,
"Item should have correct image"); "Item should have correct image");
@ -4034,11 +4102,16 @@ TestHelper.prototype = {
// menu is opened in the top-left corner. onShowncallback is passed the // menu is opened in the top-left corner. onShowncallback is passed the
// popup. // popup.
showMenu: function(targetNode, onshownCallback) { showMenu: function(targetNode, onshownCallback) {
let { promise, resolve } = defer();
function sendEvent() { function sendEvent() {
this.delayedEventListener(this.browserWindow, "popupshowing", this.delayedEventListener(this.browserWindow, "popupshowing",
function (e) { function (e) {
let popup = e.target; let popup = e.target;
onshownCallback.call(this, popup); if (onshownCallback) {
onshownCallback.call(this, popup);
}
resolve(popup);
}, false); }, false);
let rect = targetNode ? let rect = targetNode ?
@ -4070,6 +4143,8 @@ TestHelper.prototype = {
} }
else else
sendEvent.call(this); sendEvent.call(this);
return promise;
}, },
hideMenu: function(onhiddenCallback) { hideMenu: function(onhiddenCallback) {

File diff suppressed because one or more lines are too long

View File

@ -254,8 +254,7 @@ exports["test disposables are GC-able"] = function(assert, done) {
let foo1 = Foo(arg1, arg2) let foo1 = Foo(arg1, arg2)
let foo2 = Foo(arg1, arg2) let foo2 = Foo(arg1, arg2)
let foo1 = null foo1 = foo2 = null;
let foo2 = null
Cu.schedulePreciseGC(function() { Cu.schedulePreciseGC(function() {
loader.unload(); loader.unload();
@ -362,4 +361,4 @@ exports["test multiple destroy"] = function(assert) {
assert.equal(disposals, 3, "unload only disposed the remaining instance"); assert.equal(disposals, 3, "unload only disposed the remaining instance");
} }
require('test').run(exports); require('sdk/test').run(exports);

View File

@ -367,11 +367,11 @@ exports['test shared globals'] = function(assert) {
} }
exports["test require#resolve"] = function(assert) { exports["test require#resolve"] = function(assert) {
let root = require.resolve("sdk/tabs").replace(/commonjs\.path\/(.*)$/, "") + "commonjs.path/"; let foundRoot = require.resolve("sdk/tabs").replace(/sdk\/tabs.js$/, "");
assert.ok(/^resource:\/\/extensions\.modules\.[a-z0-9]{8}-[a-z0-9]{4}-[a-z0-9]{4}-[a-z0-9]{4}-[a-z0-9]{12}-at-jetpack\.commonjs\.path\/$/.test(root), "correct resolution root"); assert.ok(root, foundRoot, "correct resolution root");
assert.equal(root + "sdk/tabs.js", require.resolve("sdk/tabs"), "correct resolution of sdk module"); assert.equal(foundRoot + "sdk/tabs.js", require.resolve("sdk/tabs"), "correct resolution of sdk module");
assert.equal(root + "toolkit/loader.js", require.resolve("toolkit/loader"), "correct resolution of sdk module"); assert.equal(foundRoot + "toolkit/loader.js", require.resolve("toolkit/loader"), "correct resolution of sdk module");
}; };
require('test').run(exports); require('test').run(exports);

View File

@ -30,6 +30,8 @@ exports.testMatchPatternTestTrue = function(assert) {
ok("http://example.com/ice-cream", "http://example.com/ice-cream"); ok("http://example.com/ice-cream", "http://example.com/ice-cream");
ok(/.*zilla.*/, "https://bugzilla.redhat.com/show_bug.cgi?id=569753"); ok(/.*zilla.*/, "https://bugzilla.redhat.com/show_bug.cgi?id=569753");
ok(/.*A.*/i, "http://A.com");
ok(/.*A.*/i, "http://a.com");
ok(/https:.*zilla.*/, "https://bugzilla.redhat.com/show_bug.cgi?id=569753"); ok(/https:.*zilla.*/, "https://bugzilla.redhat.com/show_bug.cgi?id=569753");
ok('*.sample.com', 'http://ex.sample.com/foo.html'); ok('*.sample.com', 'http://ex.sample.com/foo.html');
ok('*.amp.le.com', 'http://ex.amp.le.com'); ok('*.amp.le.com', 'http://ex.amp.le.com');
@ -108,12 +110,6 @@ exports.testMatchPatternErrors = function(assert) {
"MatchPattern throws on a RegExp set to `global` (i.e. //g)." "MatchPattern throws on a RegExp set to `global` (i.e. //g)."
); );
assert.throws(
function() new MatchPattern(/ /i),
/^A RegExp match pattern cannot be set to `ignoreCase` \(i\.e\. \/\/i\)\.$/,
"MatchPattern throws on a RegExp set to `ignoreCase` (i.e. //i)."
);
assert.throws( assert.throws(
function() new MatchPattern( / /m ), function() new MatchPattern( / /m ),
/^A RegExp match pattern cannot be set to `multiline` \(i\.e\. \/\/m\)\.$/, /^A RegExp match pattern cannot be set to `multiline` \(i\.e\. \/\/m\)\.$/,

View File

@ -165,8 +165,7 @@ exports["test require#resolve with relative, dependencies"] = function(assert, d
let program = main(loader); let program = main(loader);
let fixtureRoot = program.require.resolve("./").replace(/native-addon-test\/(.*)/, "") + "native-addon-test/"; let fixtureRoot = program.require.resolve("./").replace(/native-addon-test\/(.*)/, "") + "native-addon-test/";
assert.ok(/^resource:\/\/[a-z0-9]{8}-[a-z0-9]{4}-[a-z0-9]{4}-[a-z0-9]{4}-[a-z0-9]{12}-at-jetpack\/addon-sdk\/tests\/fixtures\/native-addon-test\/$/.test(fixtureRoot), assert.equal(root + "/fixtures/native-addon-test/", fixtureRoot, "correct resolution root");
"correct resolution root");
assert.equal(program.require.resolve("test-math"), fixtureRoot + "node_modules/test-math/index.js", "works with node_modules"); assert.equal(program.require.resolve("test-math"), fixtureRoot + "node_modules/test-math/index.js", "works with node_modules");
assert.equal(program.require.resolve("./newmodule"), fixtureRoot + "newmodule/lib/file.js", "works with directory mains"); assert.equal(program.require.resolve("./newmodule"), fixtureRoot + "newmodule/lib/file.js", "works with directory mains");
assert.equal(program.require.resolve("./dir/a"), fixtureRoot + "dir/a.js", "works with normal relative module lookups"); assert.equal(program.require.resolve("./dir/a"), fixtureRoot + "dir/a.js", "works with normal relative module lookups");

View File

@ -16,11 +16,10 @@ const { setTimeout } = require("sdk/timers");
const self = require('sdk/self'); const self = require('sdk/self');
const { open, close, focus, ready } = require('sdk/window/helpers'); const { open, close, focus, ready } = require('sdk/window/helpers');
const { isPrivate } = require('sdk/private-browsing'); const { isPrivate } = require('sdk/private-browsing');
const { isWindowPBSupported, isGlobalPBSupported } = require('sdk/private-browsing/utils'); const { isWindowPBSupported } = require('sdk/private-browsing/utils');
const { defer, all } = require('sdk/core/promise'); const { defer, all } = require('sdk/core/promise');
const { getMostRecentBrowserWindow } = require('sdk/window/utils'); const { getMostRecentBrowserWindow } = require('sdk/window/utils');
const { getWindow } = require('sdk/panel/window'); const { getWindow } = require('sdk/panel/window');
const { pb } = require('./private-browsing/helper');
const { URL } = require('sdk/url'); const { URL } = require('sdk/url');
const { wait } = require('./event/helpers'); const { wait } = require('./event/helpers');
@ -1006,7 +1005,7 @@ exports['test panel CSS'] = function(assert, done) {
assert.equal(div.clientHeight, 100, assert.equal(div.clientHeight, 100,
"Panel contentStyle worked"); "Panel contentStyle worked");
assert.equal(div.offsetHeight, 120, assert.equal(div.offsetHeight, 120,
"Panel contentStyleFile worked"); "Panel contentStyleFile worked");
@ -1044,7 +1043,7 @@ exports['test panel contentScriptFile'] = function(assert, done) {
let panel = Panel({ let panel = Panel({
contentURL: './test.html', contentURL: './test.html',
contentScriptFile: "./test-contentScriptFile.js", contentScriptFile: "./test-contentScriptFile.js",
onMessage: (message) => { onMessage: (message) => {
assert.equal(message, "msg from contentScriptFile", assert.equal(message, "msg from contentScriptFile",
"Panel contentScriptFile with relative path worked"); "Panel contentScriptFile with relative path worked");
@ -1155,7 +1154,7 @@ exports['test panel contextmenu validation'] = function(assert) {
assert.equal(panel.contextMenu, false, assert.equal(panel.contextMenu, false,
'contextMenu option accepts boolean values'); 'contextMenu option accepts boolean values');
assert.throws(() => assert.throws(() =>
Panel({contextMenu: 1}), Panel({contextMenu: 1}),
/The option "contextMenu" must be one of the following types: boolean, undefined, null/, /The option "contextMenu" must be one of the following types: boolean, undefined, null/,
@ -1235,7 +1234,7 @@ exports['test panel contextmenu disabled'] = function*(assert) {
assert.equal(contextmenu.state, 'closed', assert.equal(contextmenu.state, 'closed',
'contextmenu must be closed'); 'contextmenu must be closed');
sendMouseEvent('contextmenu', 20, 20, 2, 1, 0); sendMouseEvent('contextmenu', 20, 20, 2, 1, 0);
contextmenu.addEventListener('popupshown', listener); contextmenu.addEventListener('popupshown', listener);
@ -1247,7 +1246,7 @@ exports['test panel contextmenu disabled'] = function*(assert) {
assert.equal(contextmenu.state, 'closed', assert.equal(contextmenu.state, 'closed',
'contextmenu was never open'); 'contextmenu was never open');
loader.unload(); loader.unload();
} }
exports["test panel addon global object"] = function*(assert) { exports["test panel addon global object"] = function*(assert) {
@ -1274,7 +1273,7 @@ exports["test panel addon global object"] = function*(assert) {
panel.port.emit('addon-to-document', 'ok'); panel.port.emit('addon-to-document', 'ok');
yield wait(panel.port, "document-to-addon"); yield wait(panel.port, "document-to-addon");
assert.pass("Received an event from the document"); assert.pass("Received an event from the document");
loader.unload(); loader.unload();
@ -1295,28 +1294,5 @@ if (isWindowPBSupported) {
}).then(close).then(done).then(null, assert.fail); }).then(close).then(done).then(null, assert.fail);
} }
} }
else if (isGlobalPBSupported) {
exports.testGetWindow = function(assert, done) {
let activeWindow = getMostRecentBrowserWindow();
assert.equal(getWindow(activeWindow.gBrowser), activeWindow, 'non-private window elements returns window'); require("sdk/test").run(exports);
pb.once('start', function() {
assert.ok(isPrivate(activeWindow), 'window is private');
assert.equal(getWindow(activeWindow.gBrowser), activeWindow, 'private window elements returns window');
open(null, { features: {
toolbar: true,
chrome: true
} }).then(window => {
assert.ok(isPrivate(window), 'window is private');
assert.equal(getWindow(window.gBrowser), window, 'private window elements returns window');
assert.equal(getWindow(activeWindow.gBrowser), activeWindow, 'active window elements returns window');
pb.once('stop', done);
pb.deactivate();
})
});
pb.activate();
}
}
require("test").run(exports);

View File

@ -18,6 +18,7 @@ const ORIGINAL_SDK_LOG_LEVEL = prefs.get(SDK_LOG_LEVEL_PREF);
exports.testPlainTextConsole = function(assert) { exports.testPlainTextConsole = function(assert) {
let prints = []; let prints = [];
let tbLines;
function print(message) { function print(message) {
prints.push(message); prints.push(message);
} }
@ -80,15 +81,15 @@ exports.testPlainTextConsole = function(assert) {
assert.equal(lastPrint(), "console.log: " + name + ": testing {}\n", assert.equal(lastPrint(), "console.log: " + name + ": testing {}\n",
"PlainTextConsole.log() must stringify custom bad toString."); "PlainTextConsole.log() must stringify custom bad toString.");
con.exception(new Error("blah")); con.exception(new Error("blah"));
assert.equal(prints[0], "console.error: " + name + ": \n", "prints[0] is correct");
assert.equal(prints[0], "console.error: " + name + ": \n"); tbLines = prints[1].split("\n");
let tbLines = prints[1].split("\n"); assert.equal(tbLines[0], " Message: Error: blah", "tbLines[0] is correct");
assert.equal(tbLines[0], " Message: Error: blah"); assert.equal(tbLines[1], " Stack:", "tbLines[1] is correct");
assert.equal(tbLines[1], " Stack:"); let lineNumber = prints[1].match(module.uri + ":(\\d+)")[1];
assert.ok(prints[1].indexOf(module.uri + ":84") !== -1); assert.equal(lineNumber, "84", "line number is correct")
assert.ok(prints[1].indexOf(module.uri + ":84") !== -1, "line number is correct");
prints = [] prints = []
try { try {
@ -98,14 +99,14 @@ exports.testPlainTextConsole = function(assert) {
catch(e) { catch(e) {
con.exception(e); con.exception(e);
} }
assert.equal(prints[0], "console.error: " + name + ": \n"); assert.equal(prints[0], "console.error: " + name + ": \n", "prints[0] is correct");
assert.equal(prints[1], " Error creating URI (invalid URL scheme?)\n"); assert.equal(prints[1], " Error creating URI (invalid URL scheme?)\n", "prints[1] is correct");
prints = []; prints = [];
con.trace(); con.trace();
let tbLines = prints[0].split("\n"); tbLines = prints[0].split("\n");
assert.equal(tbLines[0], "console.trace: " + name + ": "); assert.equal(tbLines[0], "console.trace: " + name + ": ", "contains correct console.trace");
assert.ok(tbLines[1].indexOf("_ain-text-console.js 105") == 0); assert.ok(tbLines[1].indexOf("_ain-text-console.js 106") == 0);
prints = []; prints = [];
// Whether or not console methods should print at the various log levels, // Whether or not console methods should print at the various log levels,
@ -167,6 +168,7 @@ exports.testPlainTextConsole = function(assert) {
exports.testPlainTextConsoleBoundMethods = function(assert) { exports.testPlainTextConsoleBoundMethods = function(assert) {
let prints = []; let prints = [];
let tbLines;
function print(message) { function print(message) {
prints.push(message); prints.push(message);
} }
@ -207,24 +209,26 @@ exports.testPlainTextConsoleBoundMethods = function(assert) {
debug('testing', 1, [2, 3, 4]); debug('testing', 1, [2, 3, 4]);
assert.equal(prints[0], "console.debug: " + name + ": \n", assert.equal(prints[0], "console.debug: " + name + ": \n",
"PlainTextConsole.debug() must work."); "PlainTextConsole.debug() must work.");
assert.equal(prints[1], " testing\n") assert.equal(prints[1], " testing\n", "prints[1] is correct");
assert.equal(prints[2], " 1\n") assert.equal(prints[2], " 1\n", "prints[2] is correct");
assert.equal(prints[3], "Array\n - 0 = 2\n - 1 = 3\n - 2 = 4\n - length = 3\n"); assert.equal(prints[3],
"Array\n - 0 = 2\n - 1 = 3\n - 2 = 4\n - length = 3\n",
"prints[3] is correct");
prints = []; prints = [];
exception(new Error("blah")); exception(new Error("blah"));
assert.equal(prints[0], "console.error: " + name + ": \n"); assert.equal(prints[0], "console.error: " + name + ": \n", "prints[0] is correct");
let tbLines = prints[1].split("\n"); tbLines = prints[1].split("\n");
assert.equal(tbLines[0], " Message: Error: blah"); assert.equal(tbLines[0], " Message: Error: blah", "tbLines[0] is correct");
assert.equal(tbLines[1], " Stack:"); assert.equal(tbLines[1], " Stack:", "tbLines[1] is correct");
assert.ok(prints[1].indexOf(module.uri + ":215") !== -1); assert.ok(prints[1].indexOf(module.uri + ":219") !== -1, "correct line number");
prints = [] prints = []
trace(); trace();
let tbLines = prints[0].split("\n"); tbLines = prints[0].split("\n");
assert.equal(tbLines[0], "console.trace: " + name + ": "); assert.equal(tbLines[0], "console.trace: " + name + ": ", "console.trace is correct");
assert.ok(tbLines[1].indexOf("_ain-text-console.js 224") === 0); assert.ok(tbLines[1].indexOf("_ain-text-console.js 228") === 0, "correct line number");
prints = []; prints = [];
restorePrefs(); restorePrefs();
@ -271,4 +275,4 @@ function restorePrefs() {
prefs.reset(SDK_LOG_LEVEL_PREF); prefs.reset(SDK_LOG_LEVEL_PREF);
} }
require("test").run(exports); require("sdk/test").run(exports);

View File

@ -13,26 +13,15 @@ const { isPrivateBrowsingSupported } = require('sdk/self');
const { is } = require('sdk/system/xul-app'); const { is } = require('sdk/system/xul-app');
const { isPrivate } = require('sdk/private-browsing'); const { isPrivate } = require('sdk/private-browsing');
const { LoaderWithHookedConsole } = require("sdk/test/loader"); const { LoaderWithHookedConsole } = require("sdk/test/loader");
const { getMode, isGlobalPBSupported, const { getMode, isWindowPBSupported, isTabPBSupported } = require('sdk/private-browsing/utils');
isWindowPBSupported, isTabPBSupported } = require('sdk/private-browsing/utils');
const { pb } = require('./private-browsing/helper'); const { pb } = require('./private-browsing/helper');
const prefs = require('sdk/preferences/service'); const prefs = require('sdk/preferences/service');
const { set: setPref } = require("sdk/preferences/service");
const DEPRECATE_PREF = "devtools.errorconsole.deprecation_warnings";
const { Services } = Cu.import("resource://gre/modules/Services.jsm", {}); const { Services } = Cu.import("resource://gre/modules/Services.jsm", {});
const kAutoStartPref = "browser.privatebrowsing.autostart"; const kAutoStartPref = "browser.privatebrowsing.autostart";
// is global pb is enabled? if (isWindowPBSupported) {
if (isGlobalPBSupported) {
safeMerge(module.exports, require('./private-browsing/global'));
exports.testGlobalOnlyOnFirefox = function(assert) {
assert.ok(is("Firefox"), "isGlobalPBSupported is only true on Firefox");
}
}
else if (isWindowPBSupported) {
safeMerge(module.exports, require('./private-browsing/windows')); safeMerge(module.exports, require('./private-browsing/windows'));
exports.testPWOnlyOnFirefox = function(assert) { exports.testPWOnlyOnFirefox = function(assert) {
@ -58,26 +47,19 @@ exports.testIsPrivateDefaults = function(assert) {
}; };
exports.testWindowDefaults = function(assert) { exports.testWindowDefaults = function(assert) {
setPref(DEPRECATE_PREF, true);
// Ensure that browserWindow still works while being deprecated // Ensure that browserWindow still works while being deprecated
let { loader, messages } = LoaderWithHookedConsole(module); let { loader, messages } = LoaderWithHookedConsole(module);
let windows = loader.require("sdk/windows").browserWindows; let windows = loader.require("sdk/windows").browserWindows;
assert.equal(windows.activeWindow.isPrivateBrowsing, false, assert.equal(windows.activeWindow.isPrivateBrowsing, undefined,
'window is not private browsing by default'); 'window.isPrivateBrowsing is undefined');
assert.ok(/DEPRECATED.+isPrivateBrowsing/.test(messages[0].msg), assert.equal(undefined, messages[0],
'isPrivateBrowsing is deprecated'); 'isPrivateBrowsing is deprecated');
let chromeWin = winUtils.getMostRecentBrowserWindow(); let chromeWin = winUtils.getMostRecentBrowserWindow();
assert.equal(getMode(chromeWin), false); assert.equal(getMode(chromeWin), false);
assert.equal(isWindowPrivate(chromeWin), false); assert.equal(isWindowPrivate(chromeWin), false);
}; };
// tests for the case where private browsing doesn't exist
exports.testIsActiveDefault = function(assert) {
assert.equal(pb.isActive, false,
'pb.isActive returns false when private browsing isn\'t supported');
};
exports.testIsPrivateBrowsingFalseDefault = function(assert) { exports.testIsPrivateBrowsingFalseDefault = function(assert) {
assert.equal(isPrivateBrowsingSupported, false, assert.equal(isPrivateBrowsingSupported, false,
'isPrivateBrowsingSupported property is false by default'); 'isPrivateBrowsingSupported property is false by default');

View File

@ -3,14 +3,11 @@
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */ * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
"use strict"; "use strict";
const { Cc, Ci, Cu, Cm, components } = require("chrome");
const xulApp = require("sdk/system/xul-app"); const xulApp = require("sdk/system/xul-app");
const self = require("sdk/self"); const self = require("sdk/self");
const { Loader, main, unload } = require("toolkit/loader"); const { Loader, main, unload } = require("toolkit/loader");
const loaderOptions = require("@loader/options"); const loaderOptions = require("@loader/options");
const { AddonManager } = Cu.import("resource://gre/modules/AddonManager.jsm", {});
exports.testSelf = function(assert) { exports.testSelf = function(assert) {
// Likewise, we can't assert anything about the full URL, because that // Likewise, we can't assert anything about the full URL, because that
// depends on self.id . We can only assert that it ends in the right // depends on self.id . We can only assert that it ends in the right

View File

@ -17,7 +17,7 @@ const file = require("sdk/io/file");
const { install, uninstall } = require("sdk/addon/installer"); const { install, uninstall } = require("sdk/addon/installer");
const { open } = require('sdk/preferences/utils'); const { open } = require('sdk/preferences/utils');
const { toFilename } = require('sdk/url'); const { toFilename } = require('sdk/url');
const { AddonManager } = Cu.import('resource://gre/modules/AddonManager.jsm', {}); const { getAddonByID } = require('sdk/addon/manager');
const { ZipWriter } = require('./zip/utils'); const { ZipWriter } = require('./zip/utils');
const { getTabForId } = require('sdk/tabs/utils'); const { getTabForId } = require('sdk/tabs/utils');
const { preferencesBranch, id } = require('sdk/self'); const { preferencesBranch, id } = require('sdk/self');
@ -44,7 +44,7 @@ exports.testIterations = function(assert) {
delete sp["test"]; delete sp["test"];
delete sp["test.test"]; delete sp["test.test"];
let prefAry = []; prefAry = [];
for (var name in sp ) { for (var name in sp ) {
prefAry.push(name); prefAry.push(name);
} }
@ -247,7 +247,7 @@ exports.testPrefJSONStringification = function(assert) {
"JSON stringification should work."); "JSON stringification should work.");
}; };
exports.testUnloadOfDynamicPrefGeneration = function(assert, done) { exports.testUnloadOfDynamicPrefGeneration = function*(assert) {
let loader = Loader(module); let loader = Loader(module);
let branch = prefsrv.getDefaultBranch('extensions.' + preferencesBranch); let branch = prefsrv.getDefaultBranch('extensions.' + preferencesBranch);
@ -259,92 +259,74 @@ exports.testUnloadOfDynamicPrefGeneration = function(assert, done) {
// zip the add-on // zip the add-on
let zip = new ZipWriter(xpi_path); let zip = new ZipWriter(xpi_path);
assert.pass("start creating the xpi"); assert.pass("start creating the xpi");
zip.addFile("", toFilename(fixtures.url("bootstrap-addon/"))). zip.addFile("", toFilename(fixtures.url("bootstrap-addon/")));
then(zip.close()). yield zip.close();
then(_ => install(xpi_path)).
// get the addon
then(id => {
let { promise, resolve } = defer();
AddonManager.getAddonByID(id, resolve);
return promise;
}).
// insatll the add-on // insatll the add-on
then(addon => { let id = yield install(xpi_path);
assert.pass('installed');
assert.pass('addon id: ' + addon.id); // get the addon
addon.userDisabled = false; let addon = yield getAddonByID(id);
assert.ok(!addon.userDisabled, 'the add-on is enabled');
assert.ok(addon.isActive, 'the add-on is enabled'); assert.pass('installed');
assert.pass('addon id: ' + addon.id);
addon.userDisabled = false;
assert.ok(!addon.userDisabled, 'the add-on is enabled');
assert.ok(addon.isActive, 'the add-on is enabled');
// setup dynamic prefs
yield enable({
id: addon.id,
preferences: [{
"name": "test",
"description": "test",
"title": "Test",
"type": "string",
"value": "default"
}, {
"name": "test-int",
"description": "test",
"type": "integer",
"value": 5,
"title": "How Many?"
}]
});
assert.pass('enabled');
// setup dynamic prefs
return enable({
id: addon.id,
preferences: [{
"name": "test",
"description": "test",
"title": "Test",
"type": "string",
"value": "default"
}, {
"name": "test-int",
"description": "test",
"type": "integer",
"value": 5,
"title": "How Many?"
}]
});
}).
then(args => {
assert.pass('enabled');
return args;
}).
// show inline prefs // show inline prefs
then(open). let { tabId, document } = yield open(addon);
then(args => {
assert.pass('opened'); assert.pass('opened');
return args;
}).
// confirm dynamic pref generation did occur // confirm dynamic pref generation did occur
then(args => { let results = document.querySelectorAll("*[data-jetpack-id=\"" + id + "\"]");
let results = args.document.querySelectorAll("*[data-jetpack-id=\"" +args.id + "\"]"); assert.ok(results.length > 0, "the prefs were setup");
assert.ok(results.length > 0, "the prefs were setup");
return args;
}).
// unload dynamic prefs // unload dynamic prefs
then(args => { loader.unload();
loader.unload(); assert.pass('unload');
assert.pass('unload');
return args;
}).
// hide and show the inline prefs // hide and show the inline prefs
then(({ tabId, id, document }) => { let { promise, resolve } = defer();
let { promise, resolve } = defer(); Tab({ tab: getTabForId(tabId) }).close(resolve);
let tab = Tab({ tab: getTabForId(tabId) }); yield promise;
tab.close(_ => resolve({ id: id }));
return promise;
}).
// reopen the add-on prefs page // reopen the add-on prefs page
then(open). ({ tabId, document }) = yield open(addon);
// confirm dynamic pref generation did not occur // confirm dynamic pref generation did not occur
then(({ id, tabId, document }) => { ({ promise, resolve }) = defer();
let { promise, resolve } = defer(); results = document.querySelectorAll("*[data-jetpack-id=\"" + id + "\"]");
let tab = Tab({ tab: getTabForId(tabId) }); assert.equal(0, results.length, "the prefs were not setup after unload");
Tab({ tab: getTabForId(tabId) }).close(resolve);
yield promise;
let results = document.querySelectorAll("*[data-jetpack-id=\"" + id + "\"]");
assert.equal(0, results.length, "the prefs were not setup after unload");
tab.close(_ => resolve({ id: id }));
return promise;
}).
// uninstall the add-on // uninstall the add-on
then(({ id }) => uninstall(id)). yield uninstall(id);
// delete the pref branch // delete the pref branch
then(_ => branch.deleteBranch('')). branch.deleteBranch('');
then(done, assert.fail);
} }
require("sdk/test").run(exports); require("sdk/test").run(exports);

View File

@ -1,10 +1,9 @@
'use strict'; 'use strict';
const { getTabs } = require('sdk/tabs/utils'); const { getTabs } = require('sdk/tabs/utils');
const { isGlobalPBSupported, isWindowPBSupported, isTabPBSupported } = require('sdk/private-browsing/utils'); const { isWindowPBSupported, isTabPBSupported } = require('sdk/private-browsing/utils');
const { browserWindows } = require('sdk/windows'); const { browserWindows } = require('sdk/windows');
const tabs = require('sdk/tabs'); const tabs = require('sdk/tabs');
const { pb } = require('./private-browsing/helper');
const { isPrivate } = require('sdk/private-browsing'); const { isPrivate } = require('sdk/private-browsing');
const { openTab, closeTab, getTabContentWindow, getOwnerWindow } = require('sdk/tabs/utils'); const { openTab, closeTab, getTabContentWindow, getOwnerWindow } = require('sdk/tabs/utils');
const { open, close } = require('sdk/window/helpers'); const { open, close } = require('sdk/window/helpers');
@ -64,4 +63,4 @@ else if (isTabPBSupported) {
}; };
} }
require('test').run(exports); require('sdk/test').run(exports);

View File

@ -18,6 +18,7 @@ const { Style } = require('sdk/stylesheet/style');
const fixtures = require('./fixtures'); const fixtures = require('./fixtures');
const { viewFor } = require('sdk/view/core'); const { viewFor } = require('sdk/view/core');
const app = require("sdk/system/xul-app"); const app = require("sdk/system/xul-app");
const { cleanUI } = require('sdk/test/utils');
const URL = 'data:text/html;charset=utf-8,<html><head><title>#title#</title></head></html>'; const URL = 'data:text/html;charset=utf-8,<html><head><title>#title#</title></head></html>';

View File

@ -5,7 +5,8 @@
'use strict' 'use strict'
const { setTimeout } = require('sdk/timers'); const { setTimeout } = require('sdk/timers');
const { waitUntil } = require('sdk/test/utils'); const { waitUntil, cleanUI } = require('sdk/test/utils');
const tabs = require('sdk/tabs');
exports.testWaitUntil = function (assert, done) { exports.testWaitUntil = function (assert, done) {
let bool = false; let bool = false;
@ -43,4 +44,29 @@ exports.testWaitUntilInterval = function (assert, done) {
setTimeout(() => { bool = true; }, 10); setTimeout(() => { bool = true; }, 10);
}; };
exports.testCleanUIWithExtraTabAndWindow = function(assert, done) {
tabs.open({
url: "about:blank",
inNewWindow: true,
onOpen: () => {
cleanUI().then(() => {
assert.pass("the ui was cleaned");
assert.equal(tabs.length, 1, 'there is only one tab open');
}).then(done).catch(assert.fail);
}
});
}
exports.testCleanUIWithOnlyExtraTab = function(assert, done) {
tabs.open({
url: "about:blank",
onOpen: () => {
cleanUI().then(() => {
assert.pass("the ui was cleaned");
assert.equal(tabs.length, 1, 'there is only one tab open');
}).then(done).catch(assert.fail);
}
});
}
require('sdk/test').run(exports); require('sdk/test').run(exports);

View File

@ -383,6 +383,9 @@ exports['test button window state'] = function(assert, done) {
let nodes = [getWidget(button.id).node]; let nodes = [getWidget(button.id).node];
openBrowserWindow().then(focus).then(window => { openBrowserWindow().then(focus).then(window => {
let node;
let state;
nodes.push(getWidget(button.id, window).node); nodes.push(getWidget(button.id, window).node);
let { activeWindow } = browserWindows; let { activeWindow } = browserWindows;
@ -402,7 +405,7 @@ exports['test button window state'] = function(assert, done) {
assert.equal(button.disabled, false, assert.equal(button.disabled, false,
'global disabled unchanged'); 'global disabled unchanged');
let state = button.state(mainWindow); state = button.state(mainWindow);
assert.equal(state.label, 'my button', assert.equal(state.label, 'my button',
'previous window label unchanged'); 'previous window label unchanged');
@ -411,7 +414,7 @@ exports['test button window state'] = function(assert, done) {
assert.equal(state.disabled, false, assert.equal(state.disabled, false,
'previous window disabled unchanged'); 'previous window disabled unchanged');
let state = button.state(activeWindow); state = button.state(activeWindow);
assert.equal(state.label, 'New label', assert.equal(state.label, 'New label',
'active window label updated'); 'active window label updated');
@ -439,8 +442,8 @@ exports['test button window state'] = function(assert, done) {
'active window label inherited'); 'active window label inherited');
// check the nodes properties // check the nodes properties
let node = nodes[0]; node = nodes[0];
let state = button.state(mainWindow); state = button.state(mainWindow);
assert.equal(node.getAttribute('label'), state.label, assert.equal(node.getAttribute('label'), state.label,
'node label is correct'); 'node label is correct');
@ -452,8 +455,8 @@ exports['test button window state'] = function(assert, done) {
assert.equal(node.hasAttribute('disabled'), state.disabled, assert.equal(node.hasAttribute('disabled'), state.disabled,
'disabled is correct'); 'disabled is correct');
let node = nodes[1]; node = nodes[1];
let state = button.state(activeWindow); state = button.state(activeWindow);
assert.equal(node.getAttribute('label'), state.label, assert.equal(node.getAttribute('label'), state.label,
'node label is correct'); 'node label is correct');
@ -515,6 +518,8 @@ exports['test button tab state'] = function(assert, done) {
// check the states // check the states
Cu.schedulePreciseGC(() => { Cu.schedulePreciseGC(() => {
let state;
assert.equal(button.label, 'my button', assert.equal(button.label, 'my button',
'global label unchanged'); 'global label unchanged');
assert.equal(button.icon, './icon.png', assert.equal(button.icon, './icon.png',
@ -522,7 +527,7 @@ exports['test button tab state'] = function(assert, done) {
assert.equal(button.disabled, false, assert.equal(button.disabled, false,
'global disabled unchanged'); 'global disabled unchanged');
let state = button.state(mainTab); state = button.state(mainTab);
assert.equal(state.label, 'Tab label', assert.equal(state.label, 'Tab label',
'previous tab label updated'); 'previous tab label updated');
@ -531,7 +536,7 @@ exports['test button tab state'] = function(assert, done) {
assert.equal(state.disabled, false, assert.equal(state.disabled, false,
'previous tab disabled unchanged'); 'previous tab disabled unchanged');
let state = button.state(tab); state = button.state(tab);
assert.equal(state.label, 'Window label', assert.equal(state.label, 'Window label',
'active tab inherited from window state'); 'active tab inherited from window state');
@ -561,7 +566,7 @@ exports['test button tab state'] = function(assert, done) {
// check the node properties // check the node properties
let state = button.state(tabs.activeTab); state = button.state(tabs.activeTab);
assert.equal(node.getAttribute('label'), state.label, assert.equal(node.getAttribute('label'), state.label,
'node label is correct'); 'node label is correct');
@ -601,7 +606,7 @@ exports['test button tab state'] = function(assert, done) {
}; };
exports['test button click'] = function(assert, done) { exports['test button click'] = function*(assert) {
let loader = Loader(module); let loader = Loader(module);
let { ActionButton } = loader.require('sdk/ui'); let { ActionButton } = loader.require('sdk/ui');
let { browserWindows } = loader.require('sdk/windows'); let { browserWindows } = loader.require('sdk/windows');
@ -618,28 +623,28 @@ exports['test button click'] = function(assert, done) {
let mainWindow = browserWindows.activeWindow; let mainWindow = browserWindows.activeWindow;
let chromeWindow = getMostRecentBrowserWindow(); let chromeWindow = getMostRecentBrowserWindow();
openBrowserWindow().then(focus).then(window => { let window = yield openBrowserWindow().then(focus);
button.state(mainWindow, { label: 'nothing' });
button.state(mainWindow.tabs.activeTab, { label: 'foo'})
button.state(browserWindows.activeWindow, { label: 'bar' });
button.click(); button.state(mainWindow, { label: 'nothing' });
button.state(mainWindow.tabs.activeTab, { label: 'foo'})
button.state(browserWindows.activeWindow, { label: 'bar' });
focus(chromeWindow).then(() => { button.click();
button.click();
assert.deepEqual(labels, ['bar', 'foo'], yield focus(chromeWindow);
'button click works');
close(window). button.click();
then(loader.unload).
then(done, assert.fail);
});
}).then(null, assert.fail);
assert.deepEqual(labels, ['bar', 'foo'],
'button click works');
yield close(window);
loader.unload();
} }
exports['test button icon set'] = function(assert) { exports['test button icon set'] = function(assert) {
let size;
const { CustomizableUI } = Cu.import('resource:///modules/CustomizableUI.jsm', {}); const { CustomizableUI } = Cu.import('resource:///modules/CustomizableUI.jsm', {});
let loader = Loader(module); let loader = Loader(module);
let { ActionButton } = loader.require('sdk/ui'); let { ActionButton } = loader.require('sdk/ui');
@ -670,12 +675,12 @@ exports['test button icon set'] = function(assert) {
let { node, id: widgetId } = getWidget(button.id); let { node, id: widgetId } = getWidget(button.id);
let { devicePixelRatio } = node.ownerDocument.defaultView; let { devicePixelRatio } = node.ownerDocument.defaultView;
let size = 16 * devicePixelRatio; size = 16 * devicePixelRatio;
assert.equal(node.getAttribute('image'), data.url(button.icon[size].substr(2)), assert.equal(node.getAttribute('image'), data.url(button.icon[size].substr(2)),
'the icon is set properly in navbar'); 'the icon is set properly in navbar');
let size = 32 * devicePixelRatio; size = 32 * devicePixelRatio;
CustomizableUI.addWidgetToArea(widgetId, CustomizableUI.AREA_PANEL); CustomizableUI.addWidgetToArea(widgetId, CustomizableUI.AREA_PANEL);

View File

@ -201,6 +201,7 @@ exports["test content to host messaging"] = function* (assert) {
exports["test direct messaging"] = function* (assert) { exports["test direct messaging"] = function* (assert) {
let message;
const url = "data:text/html,<script>new " + function() { const url = "data:text/html,<script>new " + function() {
var n = 0; var n = 0;
window.addEventListener("message", (event) => { window.addEventListener("message", (event) => {
@ -231,13 +232,13 @@ exports["test direct messaging"] = function* (assert) {
assert.deepEqual(e1.data, {n: 1}, "received message from window#1"); assert.deepEqual(e1.data, {n: 1}, "received message from window#1");
assert.deepEqual(e2.data, {n: 1}, "received message from window#2"); assert.deepEqual(e2.data, {n: 1}, "received message from window#2");
let message = wait(f1, "message"); message = wait(f1, "message");
e1.source.postMessage("inc", e1.origin); e1.source.postMessage("inc", e1.origin);
e1.source.postMessage("print", e1.origin); e1.source.postMessage("print", e1.origin);
const e3 = yield message; const e3 = yield message;
assert.deepEqual(e3.data, {n: 2}, "state changed in window#1"); assert.deepEqual(e3.data, {n: 2}, "state changed in window#1");
let message = wait(f1, "message"); message = wait(f1, "message");
e2.source.postMessage("print", e2.origin); e2.source.postMessage("print", e2.origin);
yield message; yield message;
assert.deepEqual(e2.data, {n:1}, "window#2 didn't received inc message"); assert.deepEqual(e2.data, {n:1}, "window#2 didn't received inc message");
@ -246,7 +247,6 @@ exports["test direct messaging"] = function* (assert) {
t1.destroy(); t1.destroy();
yield wait(t1, "detach"); yield wait(t1, "detach");
}; };
require("sdk/test").run(exports); require("sdk/test").run(exports);

View File

@ -299,6 +299,7 @@ exports['test button global state updated'] = function(assert) {
} }
exports['test button global state set and get with state method'] = function(assert) { exports['test button global state set and get with state method'] = function(assert) {
let state;
let loader = Loader(module); let loader = Loader(module);
let { ToggleButton } = loader.require('sdk/ui'); let { ToggleButton } = loader.require('sdk/ui');
@ -309,7 +310,7 @@ exports['test button global state set and get with state method'] = function(ass
}); });
// read the button's state // read the button's state
let state = button.state(button); state = button.state(button);
assert.equal(state.label, 'my button', assert.equal(state.label, 'my button',
'label is correct'); 'label is correct');
@ -379,6 +380,7 @@ exports['test button global state updated on multiple windows'] = function(asser
}; };
exports['test button window state'] = function(assert, done) { exports['test button window state'] = function(assert, done) {
let state;
let loader = Loader(module); let loader = Loader(module);
let { ToggleButton } = loader.require('sdk/ui'); let { ToggleButton } = loader.require('sdk/ui');
let { browserWindows } = loader.require('sdk/windows'); let { browserWindows } = loader.require('sdk/windows');
@ -412,7 +414,7 @@ exports['test button window state'] = function(assert, done) {
assert.equal(button.disabled, false, assert.equal(button.disabled, false,
'global disabled unchanged'); 'global disabled unchanged');
let state = button.state(mainWindow); state = button.state(mainWindow);
assert.equal(state.label, 'my button', assert.equal(state.label, 'my button',
'previous window label unchanged'); 'previous window label unchanged');
@ -421,7 +423,7 @@ exports['test button window state'] = function(assert, done) {
assert.equal(state.disabled, false, assert.equal(state.disabled, false,
'previous window disabled unchanged'); 'previous window disabled unchanged');
let state = button.state(activeWindow); state = button.state(activeWindow);
assert.equal(state.label, 'New label', assert.equal(state.label, 'New label',
'active window label updated'); 'active window label updated');
@ -450,7 +452,7 @@ exports['test button window state'] = function(assert, done) {
// check the nodes properties // check the nodes properties
let node = nodes[0]; let node = nodes[0];
let state = button.state(mainWindow); state = button.state(mainWindow);
assert.equal(node.getAttribute('label'), state.label, assert.equal(node.getAttribute('label'), state.label,
'node label is correct'); 'node label is correct');
@ -462,8 +464,8 @@ exports['test button window state'] = function(assert, done) {
assert.equal(node.hasAttribute('disabled'), state.disabled, assert.equal(node.hasAttribute('disabled'), state.disabled,
'disabled is correct'); 'disabled is correct');
let node = nodes[1]; node = nodes[1];
let state = button.state(activeWindow); state = button.state(activeWindow);
assert.equal(node.getAttribute('label'), state.label, assert.equal(node.getAttribute('label'), state.label,
'node label is correct'); 'node label is correct');
@ -525,6 +527,8 @@ exports['test button tab state'] = function(assert, done) {
// check the states // check the states
Cu.schedulePreciseGC(() => { Cu.schedulePreciseGC(() => {
let state;
assert.equal(button.label, 'my button', assert.equal(button.label, 'my button',
'global label unchanged'); 'global label unchanged');
assert.equal(button.icon, './icon.png', assert.equal(button.icon, './icon.png',
@ -532,7 +536,7 @@ exports['test button tab state'] = function(assert, done) {
assert.equal(button.disabled, false, assert.equal(button.disabled, false,
'global disabled unchanged'); 'global disabled unchanged');
let state = button.state(mainTab); state = button.state(mainTab);
assert.equal(state.label, 'Tab label', assert.equal(state.label, 'Tab label',
'previous tab label updated'); 'previous tab label updated');
@ -541,7 +545,7 @@ exports['test button tab state'] = function(assert, done) {
assert.equal(state.disabled, false, assert.equal(state.disabled, false,
'previous tab disabled unchanged'); 'previous tab disabled unchanged');
let state = button.state(tab); state = button.state(tab);
assert.equal(state.label, 'Window label', assert.equal(state.label, 'Window label',
'active tab inherited from window state'); 'active tab inherited from window state');
@ -571,7 +575,7 @@ exports['test button tab state'] = function(assert, done) {
// check the node properties // check the node properties
let state = button.state(tabs.activeTab); state = button.state(tabs.activeTab);
assert.equal(node.getAttribute('label'), state.label, assert.equal(node.getAttribute('label'), state.label,
'node label is correct'); 'node label is correct');
@ -684,7 +688,7 @@ exports['test button icon set'] = function(assert) {
assert.equal(node.getAttribute('image'), data.url(button.icon[size].substr(2)), assert.equal(node.getAttribute('image'), data.url(button.icon[size].substr(2)),
'the icon is set properly in navbar'); 'the icon is set properly in navbar');
let size = 32 * devicePixelRatio; size = 32 * devicePixelRatio;
CustomizableUI.addWidgetToArea(widgetId, CustomizableUI.AREA_PANEL); CustomizableUI.addWidgetToArea(widgetId, CustomizableUI.AREA_PANEL);

View File

@ -25,11 +25,11 @@ exports["test makeFilters no method filter"] = (assert) => {
testFiles.forEach(f => assert.ok(fileFilter(f), "using filter 'i' on filename " + f + " works")); testFiles.forEach(f => assert.ok(fileFilter(f), "using filter 'i' on filename " + f + " works"));
testMethods.forEach(m => assert.ok(testFilter(m), "using filter 'i' on method name " + m + " works")); testMethods.forEach(m => assert.ok(testFilter(m), "using filter 'i' on method name " + m + " works"));
let { fileFilter, testFilter } = makeFilters({ filter: "i:" }); ({ fileFilter, testFilter }) = makeFilters({ filter: "i:" });
testFiles.forEach(f => assert.ok(fileFilter(f), "using filter 'i:' on filename " + f + " works")); testFiles.forEach(f => assert.ok(fileFilter(f), "using filter 'i:' on filename " + f + " works"));
testMethods.forEach(m => assert.ok(testFilter(m), "using filter 'i:' on method name " + m + " works")); testMethods.forEach(m => assert.ok(testFilter(m), "using filter 'i:' on method name " + m + " works"));
let { fileFilter, testFilter } = makeFilters({ filter: "z:" }); ({ fileFilter, testFilter }) = makeFilters({ filter: "z:" });
testFiles.forEach(f => assert.ok(!fileFilter(f), "using filter 'z:' on filename " + f + " dnw")); testFiles.forEach(f => assert.ok(!fileFilter(f), "using filter 'z:' on filename " + f + " dnw"));
testMethods.forEach(m => assert.ok(testFilter(m), "using filter 'z:' on method name " + m + " works")); testMethods.forEach(m => assert.ok(testFilter(m), "using filter 'z:' on method name " + m + " works"));
} }
@ -39,7 +39,7 @@ exports["test makeFilters no file filter"] = (assert) => {
testFiles.forEach(f => assert.ok(fileFilter(f), "using filter ':i' on filename " + f + " works")); testFiles.forEach(f => assert.ok(fileFilter(f), "using filter ':i' on filename " + f + " works"));
testMethods.forEach(m => assert.ok(testFilter(m), "using filter ':i' on method name " + m + " works")); testMethods.forEach(m => assert.ok(testFilter(m), "using filter ':i' on method name " + m + " works"));
let { fileFilter, testFilter } = makeFilters({ filter: ":z" }); ({ fileFilter, testFilter }) = makeFilters({ filter: ":z" });
testFiles.forEach(f => assert.ok(fileFilter(f), "using filter ':z' on filename " + f + " works")); testFiles.forEach(f => assert.ok(fileFilter(f), "using filter ':z' on filename " + f + " works"));
testMethods.forEach(m => assert.ok(!testFilter(m), "using filter ':z' on method name " + m + " dnw")); testMethods.forEach(m => assert.ok(!testFilter(m), "using filter ':z' on method name " + m + " dnw"));
} }
@ -49,7 +49,7 @@ exports["test makeFilters both filters"] = (assert) => {
testFiles.forEach(f => assert.ok(fileFilter(f), "using filter 'i:i' on filename " + f + " works")); testFiles.forEach(f => assert.ok(fileFilter(f), "using filter 'i:i' on filename " + f + " works"));
testMethods.forEach(m => assert.ok(testFilter(m), "using filter 'i:i' on method name " + m + " works")); testMethods.forEach(m => assert.ok(testFilter(m), "using filter 'i:i' on method name " + m + " works"));
let { fileFilter, testFilter } = makeFilters({ filter: "z:z" }); ({ fileFilter, testFilter }) = makeFilters({ filter: "z:z" });
testFiles.forEach(f => assert.ok(!fileFilter(f), "using filter 'z:z' on filename " + f + " dnw")); testFiles.forEach(f => assert.ok(!fileFilter(f), "using filter 'z:z' on filename " + f + " dnw"));
testMethods.forEach(m => assert.ok(!testFilter(m), "using filter 'z:z' on method name " + m + " dnw")); testMethods.forEach(m => assert.ok(!testFilter(m), "using filter 'z:z' on method name " + m + " dnw"));
} }

View File

@ -92,8 +92,8 @@ exports.testConstructor = function(assert, done) {
// Test automatic widget destroy on unload // Test automatic widget destroy on unload
let { loader } = LoaderWithHookedConsole(module); let { loader } = LoaderWithHookedConsole(module);
let widgetsFromLoader = loader.require("sdk/widget"); let widgetsFromLoader = loader.require("sdk/widget");
let widgetStartCount = widgetCount(); widgetStartCount = widgetCount();
let w = widgetsFromLoader.Widget({ id: "destroy-on-unload", label: "foo", content: "bar" }); w = widgetsFromLoader.Widget({ id: "destroy-on-unload", label: "foo", content: "bar" });
assert.equal(widgetCount(), widgetStartCount + 1, "widget has been correctly added"); assert.equal(widgetCount(), widgetStartCount + 1, "widget has been correctly added");
loader.unload(); loader.unload();
assert.equal(widgetCount(), widgetStartCount, "widget has been destroyed on module unload"); assert.equal(widgetCount(), widgetStartCount, "widget has been destroyed on module unload");
@ -162,8 +162,8 @@ exports.testConstructor = function(assert, done) {
// Test position restore on create/destroy/create // Test position restore on create/destroy/create
// Create 3 ordered widgets // Create 3 ordered widgets
let w1 = widgets.Widget({id: "position-first", label:"first", content: "bar"}); w1 = widgets.Widget({id: "position-first", label:"first", content: "bar"});
let w2 = widgets.Widget({id: "position-second", label:"second", content: "bar"}); w2 = widgets.Widget({id: "position-second", label:"second", content: "bar"});
let w3 = widgets.Widget({id: "position-third", label:"third", content: "bar"}); let w3 = widgets.Widget({id: "position-third", label:"third", content: "bar"});
// Remove the middle widget // Remove the middle widget
assert.equal(widgetNode(1).getAttribute("label"), "second", "second widget is the second widget inserted"); assert.equal(widgetNode(1).getAttribute("label"), "second", "second widget is the second widget inserted");

View File

@ -1,152 +0,0 @@
/* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */
'use strict';
const windowUtils = require('sdk/deprecated/window-utils');
const { isWindowPBSupported, isGlobalPBSupported } = require('sdk/private-browsing/utils');
const { getFrames, getWindowTitle, onFocus, isWindowPrivate, windows, isBrowser } = require('sdk/window/utils');
const { open, close, focus } = require('sdk/window/helpers');
const { isPrivate } = require('sdk/private-browsing');
const { pb } = require('./private-browsing/helper');
const { fromIterator: toArray } = require('sdk/util/array');
function makeEmptyBrowserWindow(options) {
options = options || {};
return open('chrome://browser/content/browser.xul', {
features: {
chrome: true,
private: !!options.private,
toolbar: true
}
});
}
exports.testShowPanelAndWidgetOnPrivateWindow = function(assert, done) {
var myPrivateWindow;
var finished = false;
var privateWindow;
var privateWindowClosed = false;
var { Panel } = require('sdk/panel');
var { Widget } = require('sdk/widget');
pb.once('start', function() {
assert.pass('private browsing mode started');
// make a new private window
makeEmptyBrowserWindow().then(function(window) {
myPrivateWindow = window;
let wt = windowUtils.WindowTracker({
onTrack: function(window) {
if (!isBrowser(window) || window !== myPrivateWindow) return;
assert.ok(isWindowPrivate(window), 'window is private onTrack!');
let panel = Panel({
onShow: function() {
assert.ok(this.isShowing, 'the panel is showing on the private window');
let count = 0;
let widget = Widget({
id: "testShowPanelAndWidgetOnPrivateWindow-id",
label: "My Hello Widget",
content: "Hello!",
onAttach: function(mod) {
count++;
if (count == 2) {
panel.destroy();
widget.destroy();
close(window);
}
}
});
}
}).show(null, window.gBrowser);
},
onUntrack: function(window) {
if (window === myPrivateWindow) {
wt.unload();
pb.once('stop', function() {
assert.pass('private browsing mode end');
done();
});
pb.deactivate();
}
}
});
assert.equal(isWindowPrivate(window), true, 'the opened window is private');
assert.equal(isPrivate(window), true, 'the opened window is private');
assert.ok(getFrames(window).length > 1, 'there are frames for private window');
assert.equal(getWindowTitle(window), window.document.title,
'getWindowTitle works');
});
});
pb.activate();
};
exports.testWindowTrackerDoesNotIgnorePrivateWindows = function(assert, done) {
var myPrivateWindow;
var count = 0;
let wt = windowUtils.WindowTracker({
onTrack: function(window) {
if (!isBrowser(window) || !isWindowPrivate(window)) return;
assert.ok(isWindowPrivate(window), 'window is private onTrack!');
if (++count == 1)
close(window);
},
onUntrack: function(window) {
if (count == 1 && isWindowPrivate(window)) {
wt.unload();
pb.once('stop', function() {
assert.pass('private browsing mode end');
done();
});
pb.deactivate();
}
}
});
pb.once('start', function() {
assert.pass('private browsing mode started');
makeEmptyBrowserWindow();
});
pb.activate();
}
exports.testWindowIteratorDoesNotIgnorePrivateWindows = function(assert, done) {
pb.once('start', function() {
// make a new private window
makeEmptyBrowserWindow().then(function(window) {
assert.ok(isWindowPrivate(window), "window is private");
assert.equal(isPrivate(window), true, 'the opened window is private');
assert.ok(toArray(windowUtils.windowIterator()).indexOf(window) > -1,
"window is in windowIterator()");
assert.ok(windows(null, { includePrivate: true }).indexOf(window) > -1,
"window is in windows()");
close(window).then(function() {
pb.once('stop', function() {
done();
});
pb.deactivate();
});
});
});
pb.activate();
};
if (!isGlobalPBSupported) {
module.exports = {
"test Unsupported Test": function UnsupportedTest (assert) {
assert.pass(
"Skipping global private browsing tests");
}
}
}
require("test").run(exports);

View File

@ -1449,8 +1449,12 @@
// Change the "remote" attribute. // Change the "remote" attribute.
let parent = aBrowser.parentNode; let parent = aBrowser.parentNode;
let permanentKey = aBrowser.permanentKey;
parent.removeChild(aBrowser); parent.removeChild(aBrowser);
aBrowser.setAttribute("remote", aShouldBeRemote ? "true" : "false"); aBrowser.setAttribute("remote", aShouldBeRemote ? "true" : "false");
// Tearing down the browser gives a new permanentKey but we want to
// keep the old one. Re-set it explicitly after unbinding from DOM.
aBrowser.permanentKey = permanentKey;
parent.appendChild(aBrowser); parent.appendChild(aBrowser);
// Restore the progress listener. // Restore the progress listener.

View File

@ -58,45 +58,54 @@ add_task(function*() {
info("1"); info("1");
// Create a tab and load a remote page in it // Create a tab and load a remote page in it
gBrowser.selectedTab = gBrowser.addTab("about:blank", {skipAnimation: true}); gBrowser.selectedTab = gBrowser.addTab("about:blank", {skipAnimation: true});
let {permanentKey} = gBrowser.selectedBrowser;
yield waitForLoad("http://example.org/" + DUMMY_PATH); yield waitForLoad("http://example.org/" + DUMMY_PATH);
is(gBrowser.selectedTab.getAttribute("remote"), expectedRemote, "Remote attribute should be correct"); is(gBrowser.selectedTab.getAttribute("remote"), expectedRemote, "Remote attribute should be correct");
is(gBrowser.selectedBrowser.permanentKey, permanentKey, "browser.permanentKey is still the same");
info("2"); info("2");
// Load another page // Load another page
yield waitForLoad("http://example.com/" + DUMMY_PATH); yield waitForLoad("http://example.com/" + DUMMY_PATH);
is(gBrowser.selectedTab.getAttribute("remote"), expectedRemote, "Remote attribute should be correct"); is(gBrowser.selectedTab.getAttribute("remote"), expectedRemote, "Remote attribute should be correct");
is(gBrowser.selectedBrowser.permanentKey, permanentKey, "browser.permanentKey is still the same");
check_history(); check_history();
info("3"); info("3");
// Load a non-remote page // Load a non-remote page
yield waitForLoad("about:robots"); yield waitForLoad("about:robots");
is(gBrowser.selectedTab.getAttribute("remote"), "", "Remote attribute should be correct"); is(gBrowser.selectedTab.getAttribute("remote"), "", "Remote attribute should be correct");
is(gBrowser.selectedBrowser.permanentKey, permanentKey, "browser.permanentKey is still the same");
check_history(); check_history();
info("4"); info("4");
// Load a remote page // Load a remote page
yield waitForLoad("http://example.org/" + DUMMY_PATH); yield waitForLoad("http://example.org/" + DUMMY_PATH);
is(gBrowser.selectedTab.getAttribute("remote"), expectedRemote, "Remote attribute should be correct"); is(gBrowser.selectedTab.getAttribute("remote"), expectedRemote, "Remote attribute should be correct");
is(gBrowser.selectedBrowser.permanentKey, permanentKey, "browser.permanentKey is still the same");
check_history(); check_history();
info("5"); info("5");
yield back(); yield back();
is(gBrowser.selectedTab.getAttribute("remote"), "", "Remote attribute should be correct"); is(gBrowser.selectedTab.getAttribute("remote"), "", "Remote attribute should be correct");
is(gBrowser.selectedBrowser.permanentKey, permanentKey, "browser.permanentKey is still the same");
check_history(); check_history();
info("6"); info("6");
yield back(); yield back();
is(gBrowser.selectedTab.getAttribute("remote"), expectedRemote, "Remote attribute should be correct"); is(gBrowser.selectedTab.getAttribute("remote"), expectedRemote, "Remote attribute should be correct");
is(gBrowser.selectedBrowser.permanentKey, permanentKey, "browser.permanentKey is still the same");
check_history(); check_history();
info("7"); info("7");
yield forward(); yield forward();
is(gBrowser.selectedTab.getAttribute("remote"), "", "Remote attribute should be correct"); is(gBrowser.selectedTab.getAttribute("remote"), "", "Remote attribute should be correct");
is(gBrowser.selectedBrowser.permanentKey, permanentKey, "browser.permanentKey is still the same");
check_history(); check_history();
info("8"); info("8");
yield forward(); yield forward();
is(gBrowser.selectedTab.getAttribute("remote"), expectedRemote, "Remote attribute should be correct"); is(gBrowser.selectedTab.getAttribute("remote"), expectedRemote, "Remote attribute should be correct");
is(gBrowser.selectedBrowser.permanentKey, permanentKey, "browser.permanentKey is still the same");
check_history(); check_history();
info("9"); info("9");

View File

@ -151,7 +151,8 @@
if (action) { if (action) {
switch (action.type) { switch (action.type) {
case "switchtab": { case "switchtab": // Fall through.
case "visiturl": {
returnValue = action.params.url; returnValue = action.params.url;
break; break;
} }
@ -194,8 +195,10 @@
// happened yet. We will need it to highlight search terms later. // happened yet. We will need it to highlight search terms later.
if (!this._searchServiceInitialized) { if (!this._searchServiceInitialized) {
Services.search.init(() => { Services.search.init(() => {
this._searchServiceInitialized = true; if (this.formatValue) {
this.formatValue(); this._searchServiceInitialized = true;
this.formatValue();
}
}); });
return; return;
@ -327,6 +330,8 @@
url = submission.uri.spec; url = submission.uri.spec;
postData = submission.postData; postData = submission.postData;
} else if (action.type == "visiturl") {
url = action.params.url;
} }
} }
continueOperation.call(this); continueOperation.call(this);
@ -1022,8 +1027,9 @@
// TODO (bug 1054816): Centralise the implementation of actions // TODO (bug 1054816): Centralise the implementation of actions
// into a JS module. // into a JS module.
switch (action.type) { switch (action.type) {
case "switchtab": //Fall through. case "switchtab": // Fall through.
case "keyword": { case "keyword": // Fall through.
case "visiturl": {
url = action.params.url; url = action.params.url;
break; break;
} }

View File

@ -543,6 +543,17 @@ function injectLoopAPI(targetWindow) {
} }
}, },
/**
* Returns a new GUID (UUID) in curly braces format.
*/
generateUUID: {
enumerable: true,
writable: true,
value: function() {
return MozLoopService.generateUUID();
}
},
/** /**
* Compose a URL pointing to the location of an avatar by email address. * Compose a URL pointing to the location of an avatar by email address.
* At the moment we use the Gravatar service to match email addresses with * At the moment we use the Gravatar service to match email addresses with

View File

@ -1163,6 +1163,13 @@ this.MozLoopService = {
return JSON.stringify(stringData[key]); return JSON.stringify(stringData[key]);
}, },
/**
* Returns a new GUID (UUID) in curly braces format.
*/
generateUUID: function() {
return uuidgen.generateUUID().toString();
},
/** /**
* Retrieves MozLoopService "do not disturb" value. * Retrieves MozLoopService "do not disturb" value.
* *

View File

@ -11,6 +11,9 @@ var loop = loop || {};
loop.contacts = (function(_, mozL10n) { loop.contacts = (function(_, mozL10n) {
"use strict"; "use strict";
const Button = loop.shared.views.Button;
const ButtonGroup = loop.shared.views.ButtonGroup;
// Number of contacts to add to the list at the same time. // Number of contacts to add to the list at the same time.
const CONTACTS_CHUNK_SIZE = 100; const CONTACTS_CHUNK_SIZE = 100;
@ -148,6 +151,13 @@ loop.contacts = (function(_, mozL10n) {
this.setState({contacts: {}}); this.setState({contacts: {}});
}, },
handleImportButtonClick: function() {
},
handleAddContactButtonClick: function() {
this.props.startForm("contacts_add");
},
sortContacts: function(contact1, contact2) { sortContacts: function(contact1, contact2) {
let comp = contact1.name[0].localeCompare(contact2.name[0]); let comp = contact1.name[0].localeCompare(contact2.name[0]);
if (comp !== 0) { if (comp !== 0) {
@ -167,22 +177,120 @@ loop.contacts = (function(_, mozL10n) {
return contact.blocked ? "blocked" : "available"; return contact.blocked ? "blocked" : "available";
}); });
// Buttons are temporarily hidden using "style".
return ( return (
React.DOM.div({className: "listWrapper"}, React.DOM.div(null,
React.DOM.div({ref: "listSlider", className: "listPanels"}, React.DOM.div({className: "content-area", style: {display: "none"}},
React.DOM.div({className: "faded"}, ButtonGroup(null,
React.DOM.ul(null, Button({caption: mozL10n.get("import_contacts_button"),
shownContacts.available ? disabled: true,
shownContacts.available.sort(this.sortContacts).map(viewForItem) : onClick: this.handleImportButtonClick}),
null, Button({caption: mozL10n.get("new_contact_button"),
shownContacts.blocked ? onClick: this.handleAddContactButtonClick})
React.DOM.h3({className: "header"}, mozL10n.get("contacts_blocked_contacts")) :
null,
shownContacts.blocked ?
shownContacts.blocked.sort(this.sortContacts).map(viewForItem) :
null
)
) )
),
React.DOM.ul({className: "contact-list"},
shownContacts.available ?
shownContacts.available.sort(this.sortContacts).map(viewForItem) :
null,
shownContacts.blocked ?
React.DOM.div({className: "contact-separator"}, mozL10n.get("contacts_blocked_contacts")) :
null,
shownContacts.blocked ?
shownContacts.blocked.sort(this.sortContacts).map(viewForItem) :
null
)
)
);
}
});
const ContactDetailsForm = React.createClass({displayName: 'ContactDetailsForm',
mixins: [React.addons.LinkedStateMixin],
propTypes: {
mode: React.PropTypes.string
},
getInitialState: function() {
return {
contact: null,
pristine: true,
name: "",
email: "",
};
},
initForm: function(contact) {
let state = this.getInitialState();
state.contact = contact || null;
this.setState(state);
},
handleAcceptButtonClick: function() {
// Allow validity error indicators to be displayed.
this.setState({
pristine: false,
});
if (!this.refs.name.getDOMNode().checkValidity() ||
!this.refs.email.getDOMNode().checkValidity()) {
return;
}
this.props.selectTab("contacts");
let contactsAPI = navigator.mozLoop.contacts;
switch (this.props.mode) {
case "edit":
this.setState({
contact: null,
});
break;
case "add":
contactsAPI.add({
id: navigator.mozLoop.generateUUID(),
name: [this.state.name.trim()],
email: [{
pref: true,
type: ["home"],
value: this.state.email.trim()
}],
category: ["local"]
}, err => {
if (err) {
throw err;
}
});
break;
}
},
handleCancelButtonClick: function() {
this.props.selectTab("contacts");
},
render: function() {
let cx = React.addons.classSet;
return (
React.DOM.div({className: "content-area contact-form"},
React.DOM.header(null, mozL10n.get("add_contact_button")),
React.DOM.label(null, mozL10n.get("edit_contact_name_label")),
React.DOM.input({ref: "name", required: true, pattern: "\\s*\\S.*",
className: cx({pristine: this.state.pristine}),
valueLink: this.linkState("name")}),
React.DOM.label(null, mozL10n.get("edit_contact_email_label")),
React.DOM.input({ref: "email", required: true, type: "email",
className: cx({pristine: this.state.pristine}),
valueLink: this.linkState("email")}),
ButtonGroup(null,
Button({additionalClass: "button-cancel",
caption: mozL10n.get("cancel_button"),
onClick: this.handleCancelButtonClick}),
Button({additionalClass: "button-accept",
caption: mozL10n.get("add_contact_button"),
onClick: this.handleAcceptButtonClick})
) )
) )
); );
@ -190,6 +298,7 @@ loop.contacts = (function(_, mozL10n) {
}); });
return { return {
ContactsList: ContactsList ContactsList: ContactsList,
ContactDetailsForm: ContactDetailsForm,
}; };
})(_, document.mozL10n); })(_, document.mozL10n);

View File

@ -11,6 +11,9 @@ var loop = loop || {};
loop.contacts = (function(_, mozL10n) { loop.contacts = (function(_, mozL10n) {
"use strict"; "use strict";
const Button = loop.shared.views.Button;
const ButtonGroup = loop.shared.views.ButtonGroup;
// Number of contacts to add to the list at the same time. // Number of contacts to add to the list at the same time.
const CONTACTS_CHUNK_SIZE = 100; const CONTACTS_CHUNK_SIZE = 100;
@ -148,6 +151,13 @@ loop.contacts = (function(_, mozL10n) {
this.setState({contacts: {}}); this.setState({contacts: {}});
}, },
handleImportButtonClick: function() {
},
handleAddContactButtonClick: function() {
this.props.startForm("contacts_add");
},
sortContacts: function(contact1, contact2) { sortContacts: function(contact1, contact2) {
let comp = contact1.name[0].localeCompare(contact2.name[0]); let comp = contact1.name[0].localeCompare(contact2.name[0]);
if (comp !== 0) { if (comp !== 0) {
@ -167,29 +177,128 @@ loop.contacts = (function(_, mozL10n) {
return contact.blocked ? "blocked" : "available"; return contact.blocked ? "blocked" : "available";
}); });
// Buttons are temporarily hidden using "style".
return ( return (
<div className="listWrapper"> <div>
<div ref="listSlider" className="listPanels"> <div className="content-area" style={{display: "none"}}>
<div className="faded"> <ButtonGroup>
<ul> <Button caption={mozL10n.get("import_contacts_button")}
{shownContacts.available ? disabled
shownContacts.available.sort(this.sortContacts).map(viewForItem) : onClick={this.handleImportButtonClick} />
null} <Button caption={mozL10n.get("new_contact_button")}
{shownContacts.blocked ? onClick={this.handleAddContactButtonClick} />
<h3 className="header">{mozL10n.get("contacts_blocked_contacts")}</h3> : </ButtonGroup>
null}
{shownContacts.blocked ?
shownContacts.blocked.sort(this.sortContacts).map(viewForItem) :
null}
</ul>
</div>
</div> </div>
<ul className="contact-list">
{shownContacts.available ?
shownContacts.available.sort(this.sortContacts).map(viewForItem) :
null}
{shownContacts.blocked ?
<div className="contact-separator">{mozL10n.get("contacts_blocked_contacts")}</div> :
null}
{shownContacts.blocked ?
shownContacts.blocked.sort(this.sortContacts).map(viewForItem) :
null}
</ul>
</div>
);
}
});
const ContactDetailsForm = React.createClass({
mixins: [React.addons.LinkedStateMixin],
propTypes: {
mode: React.PropTypes.string
},
getInitialState: function() {
return {
contact: null,
pristine: true,
name: "",
email: "",
};
},
initForm: function(contact) {
let state = this.getInitialState();
state.contact = contact || null;
this.setState(state);
},
handleAcceptButtonClick: function() {
// Allow validity error indicators to be displayed.
this.setState({
pristine: false,
});
if (!this.refs.name.getDOMNode().checkValidity() ||
!this.refs.email.getDOMNode().checkValidity()) {
return;
}
this.props.selectTab("contacts");
let contactsAPI = navigator.mozLoop.contacts;
switch (this.props.mode) {
case "edit":
this.setState({
contact: null,
});
break;
case "add":
contactsAPI.add({
id: navigator.mozLoop.generateUUID(),
name: [this.state.name.trim()],
email: [{
pref: true,
type: ["home"],
value: this.state.email.trim()
}],
category: ["local"]
}, err => {
if (err) {
throw err;
}
});
break;
}
},
handleCancelButtonClick: function() {
this.props.selectTab("contacts");
},
render: function() {
let cx = React.addons.classSet;
return (
<div className="content-area contact-form">
<header>{mozL10n.get("add_contact_button")}</header>
<label>{mozL10n.get("edit_contact_name_label")}</label>
<input ref="name" required pattern="\s*\S.*"
className={cx({pristine: this.state.pristine})}
valueLink={this.linkState("name")} />
<label>{mozL10n.get("edit_contact_email_label")}</label>
<input ref="email" required type="email"
className={cx({pristine: this.state.pristine})}
valueLink={this.linkState("email")} />
<ButtonGroup>
<Button additionalClass="button-cancel"
caption={mozL10n.get("cancel_button")}
onClick={this.handleCancelButtonClick} />
<Button additionalClass="button-accept"
caption={mozL10n.get("add_contact_button")}
onClick={this.handleAcceptButtonClick} />
</ButtonGroup>
</div> </div>
); );
} }
}); });
return { return {
ContactsList: ContactsList ContactsList: ContactsList,
ContactDetailsForm: ContactDetailsForm,
}; };
})(_, document.mozL10n); })(_, document.mozL10n);

View File

@ -14,7 +14,10 @@ loop.panel = (function(_, mozL10n) {
var sharedViews = loop.shared.views; var sharedViews = loop.shared.views;
var sharedModels = loop.shared.models; var sharedModels = loop.shared.models;
var sharedMixins = loop.shared.mixins; var sharedMixins = loop.shared.mixins;
var Button = sharedViews.Button;
var ButtonGroup = sharedViews.ButtonGroup;
var ContactsList = loop.contacts.ContactsList; var ContactsList = loop.contacts.ContactsList;
var ContactDetailsForm = loop.contacts.ContactDetailsForm;
var __ = mozL10n.get; // aliasing translation function as __ for concision var __ = mozL10n.get; // aliasing translation function as __ for concision
var TabView = React.createClass({displayName: 'TabView', var TabView = React.createClass({displayName: 'TabView',
@ -27,10 +30,6 @@ loop.panel = (function(_, mozL10n) {
handleSelectTab: function(event) { handleSelectTab: function(event) {
var tabName = event.target.dataset.tabName; var tabName = event.target.dataset.tabName;
this.setState({selectedTab: tabName}); this.setState({selectedTab: tabName});
if (this.props.onSelect) {
this.props.onSelect(tabName);
}
}, },
render: function() { render: function() {
@ -40,13 +39,14 @@ loop.panel = (function(_, mozL10n) {
React.Children.forEach(this.props.children, function(tab, i) { React.Children.forEach(this.props.children, function(tab, i) {
var tabName = tab.props.name; var tabName = tab.props.name;
var isSelected = (this.state.selectedTab == tabName); var isSelected = (this.state.selectedTab == tabName);
tabButtons.push( if (!tab.props.hidden) {
React.DOM.li({className: cx({selected: isSelected}), tabButtons.push(
key: i, React.DOM.li({className: cx({selected: isSelected}),
'data-tab-name': tabName, key: i,
onClick: this.handleSelectTab} 'data-tab-name': tabName,
) onClick: this.handleSelectTab})
); );
}
tabs.push( tabs.push(
React.DOM.div({key: i, className: cx({tab: true, selected: isSelected})}, React.DOM.div({key: i, className: cx({tab: true, selected: isSelected})},
tab.props.children tab.props.children
@ -230,7 +230,7 @@ loop.panel = (function(_, mozL10n) {
var cx = React.addons.classSet; var cx = React.addons.classSet;
return ( return (
React.DOM.div({className: "settings-menu dropdown"}, React.DOM.div({className: "settings-menu dropdown"},
React.DOM.a({className: "btn btn-settings", onClick: this.showDropdownMenu, React.DOM.a({className: "button-settings", onClick: this.showDropdownMenu,
title: __("settings_menu_button_tooltip")}), title: __("settings_menu_button_tooltip")}),
React.DOM.ul({className: cx({"dropdown-menu": true, hide: !this.state.showMenu}), React.DOM.ul({className: cx({"dropdown-menu": true, hide: !this.state.showMenu}),
onMouseLeave: this.hideDropdownMenu}, onMouseLeave: this.hideDropdownMenu},
@ -253,26 +253,6 @@ loop.panel = (function(_, mozL10n) {
} }
}); });
/**
* Panel layout.
*/
var PanelLayout = React.createClass({displayName: 'PanelLayout',
propTypes: {
summary: React.PropTypes.string.isRequired
},
render: function() {
return (
React.DOM.div({className: "share generate-url"},
React.DOM.div({className: "description"}, this.props.summary),
React.DOM.div({className: "action"},
this.props.children
)
)
);
}
});
/** /**
* Call url result view. * Call url result view.
*/ */
@ -388,25 +368,24 @@ loop.panel = (function(_, mozL10n) {
"pending": this.state.pending, "pending": this.state.pending,
// Used in functional testing, signals that // Used in functional testing, signals that
// call url was received from loop server // call url was received from loop server
"callUrl": !this.state.pending "callUrl": !this.state.pending
}); });
return ( return (
PanelLayout({summary: __("share_link_header_text")}, React.DOM.div({className: "generate-url"},
React.DOM.div({className: "invite"}, React.DOM.header(null, __("share_link_header_text")),
React.DOM.input({type: "url", value: this.state.callUrl, readOnly: "true", React.DOM.input({type: "url", value: this.state.callUrl, readOnly: "true",
onCopy: this.handleLinkExfiltration, onCopy: this.handleLinkExfiltration,
className: inputCSSClass}), className: inputCSSClass}),
React.DOM.p({className: "btn-group url-actions"}, ButtonGroup({additionalClass: "url-actions"},
React.DOM.button({className: "btn btn-email", disabled: !this.state.callUrl, Button({additionalClass: "button-email",
onClick: this.handleEmailButtonClick}, disabled: !this.state.callUrl,
__("share_button") onClick: this.handleEmailButtonClick,
), caption: mozL10n.get("share_button")}),
React.DOM.button({className: "btn btn-copy", disabled: !this.state.callUrl, Button({additionalClass: "button-copy",
onClick: this.handleCopyButtonClick}, disabled: !this.state.callUrl,
this.state.copied ? __("copied_url_button") : onClick: this.handleCopyButtonClick,
__("copy_url_button") caption: this.state.copied ? mozL10n.get("copied_url_button") :
) mozL10n.get("copy_url_button")})
)
) )
) )
); );
@ -470,6 +449,15 @@ loop.panel = (function(_, mozL10n) {
this.setState({userProfile: navigator.mozLoop.userProfile}); this.setState({userProfile: navigator.mozLoop.userProfile});
}, },
startForm: function(name, contact) {
this.refs[name].initForm(contact);
this.selectTab(name);
},
selectTab: function(name) {
this.refs.tabView.setState({ selectedTab: name });
},
componentDidMount: function() { componentDidMount: function() {
window.addEventListener("LoopStatusChanged", this._onAuthStatusChange); window.addEventListener("LoopStatusChanged", this._onAuthStatusChange);
}, },
@ -486,15 +474,30 @@ loop.panel = (function(_, mozL10n) {
React.DOM.div(null, React.DOM.div(null,
NotificationListView({notifications: this.props.notifications, NotificationListView({notifications: this.props.notifications,
clearOnDocumentHidden: true}), clearOnDocumentHidden: true}),
TabView({onSelect: this.selectTab}, TabView({ref: "tabView"},
Tab({name: "call"}, Tab({name: "call"},
CallUrlResult({client: this.props.client, React.DOM.div({className: "content-area"},
notifications: this.props.notifications, CallUrlResult({client: this.props.client,
callUrl: this.props.callUrl}), notifications: this.props.notifications,
ToSView(null) callUrl: this.props.callUrl}),
ToSView(null)
)
), ),
Tab({name: "contacts"}, Tab({name: "contacts"},
ContactsList(null) ContactsList({selectTab: this.selectTab,
startForm: this.startForm})
),
Tab({name: "contacts_add", hidden: true},
ContactDetailsForm({ref: "contacts_add", mode: "add",
selectTab: this.selectTab})
),
Tab({name: "contacts_edit", hidden: true},
ContactDetailsForm({ref: "contacts_edit", mode: "edit",
selectTab: this.selectTab})
),
Tab({name: "contacts_import", hidden: true},
ContactDetailsForm({ref: "contacts_import", mode: "import",
selectTab: this.selectTab})
) )
), ),
React.DOM.div({className: "footer"}, React.DOM.div({className: "footer"},

View File

@ -14,7 +14,10 @@ loop.panel = (function(_, mozL10n) {
var sharedViews = loop.shared.views; var sharedViews = loop.shared.views;
var sharedModels = loop.shared.models; var sharedModels = loop.shared.models;
var sharedMixins = loop.shared.mixins; var sharedMixins = loop.shared.mixins;
var Button = sharedViews.Button;
var ButtonGroup = sharedViews.ButtonGroup;
var ContactsList = loop.contacts.ContactsList; var ContactsList = loop.contacts.ContactsList;
var ContactDetailsForm = loop.contacts.ContactDetailsForm;
var __ = mozL10n.get; // aliasing translation function as __ for concision var __ = mozL10n.get; // aliasing translation function as __ for concision
var TabView = React.createClass({ var TabView = React.createClass({
@ -27,10 +30,6 @@ loop.panel = (function(_, mozL10n) {
handleSelectTab: function(event) { handleSelectTab: function(event) {
var tabName = event.target.dataset.tabName; var tabName = event.target.dataset.tabName;
this.setState({selectedTab: tabName}); this.setState({selectedTab: tabName});
if (this.props.onSelect) {
this.props.onSelect(tabName);
}
}, },
render: function() { render: function() {
@ -40,13 +39,14 @@ loop.panel = (function(_, mozL10n) {
React.Children.forEach(this.props.children, function(tab, i) { React.Children.forEach(this.props.children, function(tab, i) {
var tabName = tab.props.name; var tabName = tab.props.name;
var isSelected = (this.state.selectedTab == tabName); var isSelected = (this.state.selectedTab == tabName);
tabButtons.push( if (!tab.props.hidden) {
<li className={cx({selected: isSelected})} tabButtons.push(
key={i} <li className={cx({selected: isSelected})}
data-tab-name={tabName} key={i}
onClick={this.handleSelectTab}> data-tab-name={tabName}
</li> onClick={this.handleSelectTab} />
); );
}
tabs.push( tabs.push(
<div key={i} className={cx({tab: true, selected: isSelected})}> <div key={i} className={cx({tab: true, selected: isSelected})}>
{tab.props.children} {tab.props.children}
@ -230,7 +230,7 @@ loop.panel = (function(_, mozL10n) {
var cx = React.addons.classSet; var cx = React.addons.classSet;
return ( return (
<div className="settings-menu dropdown"> <div className="settings-menu dropdown">
<a className="btn btn-settings" onClick={this.showDropdownMenu} <a className="button-settings" onClick={this.showDropdownMenu}
title={__("settings_menu_button_tooltip")} /> title={__("settings_menu_button_tooltip")} />
<ul className={cx({"dropdown-menu": true, hide: !this.state.showMenu})} <ul className={cx({"dropdown-menu": true, hide: !this.state.showMenu})}
onMouseLeave={this.hideDropdownMenu}> onMouseLeave={this.hideDropdownMenu}>
@ -253,26 +253,6 @@ loop.panel = (function(_, mozL10n) {
} }
}); });
/**
* Panel layout.
*/
var PanelLayout = React.createClass({
propTypes: {
summary: React.PropTypes.string.isRequired
},
render: function() {
return (
<div className="share generate-url">
<div className="description">{this.props.summary}</div>
<div className="action">
{this.props.children}
</div>
</div>
);
}
});
/** /**
* Call url result view. * Call url result view.
*/ */
@ -388,27 +368,26 @@ loop.panel = (function(_, mozL10n) {
"pending": this.state.pending, "pending": this.state.pending,
// Used in functional testing, signals that // Used in functional testing, signals that
// call url was received from loop server // call url was received from loop server
"callUrl": !this.state.pending "callUrl": !this.state.pending
}); });
return ( return (
<PanelLayout summary={__("share_link_header_text")}> <div className="generate-url">
<div className="invite"> <header>{__("share_link_header_text")}</header>
<input type="url" value={this.state.callUrl} readOnly="true" <input type="url" value={this.state.callUrl} readOnly="true"
onCopy={this.handleLinkExfiltration} onCopy={this.handleLinkExfiltration}
className={inputCSSClass} /> className={inputCSSClass} />
<p className="btn-group url-actions"> <ButtonGroup additionalClass="url-actions">
<button className="btn btn-email" disabled={!this.state.callUrl} <Button additionalClass="button-email"
onClick={this.handleEmailButtonClick}> disabled={!this.state.callUrl}
{__("share_button")} onClick={this.handleEmailButtonClick}
</button> caption={mozL10n.get("share_button")} />
<button className="btn btn-copy" disabled={!this.state.callUrl} <Button additionalClass="button-copy"
onClick={this.handleCopyButtonClick}> disabled={!this.state.callUrl}
{this.state.copied ? __("copied_url_button") : onClick={this.handleCopyButtonClick}
__("copy_url_button")} caption={this.state.copied ? mozL10n.get("copied_url_button") :
</button> mozL10n.get("copy_url_button")} />
</p> </ButtonGroup>
</div> </div>
</PanelLayout>
); );
} }
}); });
@ -470,6 +449,15 @@ loop.panel = (function(_, mozL10n) {
this.setState({userProfile: navigator.mozLoop.userProfile}); this.setState({userProfile: navigator.mozLoop.userProfile});
}, },
startForm: function(name, contact) {
this.refs[name].initForm(contact);
this.selectTab(name);
},
selectTab: function(name) {
this.refs.tabView.setState({ selectedTab: name });
},
componentDidMount: function() { componentDidMount: function() {
window.addEventListener("LoopStatusChanged", this._onAuthStatusChange); window.addEventListener("LoopStatusChanged", this._onAuthStatusChange);
}, },
@ -486,15 +474,30 @@ loop.panel = (function(_, mozL10n) {
<div> <div>
<NotificationListView notifications={this.props.notifications} <NotificationListView notifications={this.props.notifications}
clearOnDocumentHidden={true} /> clearOnDocumentHidden={true} />
<TabView onSelect={this.selectTab}> <TabView ref="tabView">
<Tab name="call"> <Tab name="call">
<CallUrlResult client={this.props.client} <div className="content-area">
notifications={this.props.notifications} <CallUrlResult client={this.props.client}
callUrl={this.props.callUrl} /> notifications={this.props.notifications}
<ToSView /> callUrl={this.props.callUrl} />
<ToSView />
</div>
</Tab> </Tab>
<Tab name="contacts"> <Tab name="contacts">
<ContactsList /> <ContactsList selectTab={this.selectTab}
startForm={this.startForm} />
</Tab>
<Tab name="contacts_add" hidden={true}>
<ContactDetailsForm ref="contacts_add" mode="add"
selectTab={this.selectTab} />
</Tab>
<Tab name="contacts_edit" hidden={true}>
<ContactDetailsForm ref="contacts_edit" mode="edit"
selectTab={this.selectTab} />
</Tab>
<Tab name="contacts_import" hidden={true}>
<ContactDetailsForm ref="contacts_import" mode="import"
selectTab={this.selectTab}/>
</Tab> </Tab>
</TabView> </TabView>
<div className="footer"> <div className="footer">

View File

@ -395,15 +395,3 @@ p {
background: transparent url(../img/firefox-logo.png) no-repeat center center; background: transparent url(../img/firefox-logo.png) no-repeat center center;
background-size: contain; background-size: contain;
} }
.header {
padding: 5px 10px;
color: #888;
margin: 0;
border-top: 1px solid #CCC;
background: #EEE;
display: flex;
align-items: center;
flex-direction: row;
height: 24px;
}

View File

@ -2,32 +2,46 @@
* License, v. 2.0. If a copy of the MPL was not distributed with this * License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */ * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
.contact-list {
border-top: 1px solid #ccc;
overflow-x: hidden;
overflow-y: auto;
/* Show six contacts and scroll for the rest */
max-height: 305px;
}
.contact,
.contact-separator {
padding: 5px 10px;
font-size: 13px;
}
.contact { .contact {
position: relative;
display: flex; display: flex;
flex-direction: row; flex-direction: row;
position: relative;
padding: 5px 10px;
color: #666;
font-size: 13px;
align-items: center; align-items: center;
color: #666;
}
.contact-separator {
height: 24px;
background: #eee;
color: #888;
} }
.contact:not(:first-child) { .contact:not(:first-child) {
border-top: 1px solid #ddd; border-top: 1px solid #ddd;
} }
.contact.blocked > .details > .username { .contact-separator:not(:first-child) {
color: #d74345; border-top: 1px solid #ccc;
} }
.contact:hover { .contact:hover {
background: #eee; background: #eee;
} }
.contact.selected {
background: #ebebeb;
}
.contact:hover > .icons { .contact:hover > .icons {
display: block; display: block;
z-index: 1000; z-index: 1000;
@ -45,6 +59,7 @@
background-repeat: no-repeat; background-repeat: no-repeat;
background-color: #4ba6e7; background-color: #4ba6e7;
background-size: contain; background-size: contain;
-moz-user-select: none;
} }
.contact > .avatar > img { .contact > .avatar > img {
@ -55,7 +70,10 @@
font-size: 12px; font-size: 12px;
line-height: 20px; line-height: 20px;
color: #222; color: #222;
font-weight: normal; }
.contact.blocked > .details > .username {
color: #d74345;
} }
.contact > .details > .username > strong { .contact > .details > .username > strong {
@ -93,41 +111,6 @@
line-height: 16px; line-height: 16px;
} }
.listWrapper {
overflow-x: hidden;
overflow-y: auto;
/* Show six contacts and scroll for the rest */
max-height: 305px;
}
.listPanels {
display: flex;
width: 200%;
flex-direction: row;
transition: 200ms ease-in;
transition-property: transform;
}
.listPanels > div {
flex: 0 0 50%;
}
.list {
display: flex;
flex-direction: column;
transition: opacity 0.3s ease-in-out;
}
.list.faded {
opacity: 0.3;
}
.list h3 {
margin: 0;
border-bottom: none;
border-top: 1px solid #ccc;
}
.icons { .icons {
cursor: pointer; cursor: pointer;
display: none; display: none;
@ -135,6 +118,7 @@
padding: 12px 10px; padding: 12px 10px;
border-radius: 30px; border-radius: 30px;
background: #7ed321; background: #7ed321;
-moz-user-select: none;
} }
.icons:hover { .icons:hover {
@ -161,3 +145,7 @@
width: 10px; width: 10px;
height: 16px; height: 16px;
} }
.contact-form > .button-group {
margin-top: 14px;
}

View File

@ -3,29 +3,31 @@
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */ * file, You can obtain one at http://mozilla.org/MPL/2.0/. */
/* Panel styles */ /* Panel styles */
.panel { .panel {
/* hide the extra margin space that the panel resizer now wants to show */ /* hide the extra margin space that the panel resizer now wants to show */
overflow: hidden; overflow: hidden;
} }
.spacer { /* Notifications displayed over tabs */
margin-bottom: 1em;
.panel .messages {
margin: 0;
} }
.tab-view, .panel .messages .alert {
.tab-view > li {
margin: 0; margin: 0;
padding: 0;
border: 0;
vertical-align: baseline;
} }
/* Tabs and tab selection buttons */
.tab-view { .tab-view {
display: flex; display: flex;
flex-direction: row; flex-direction: row;
padding: 10px; padding: 10px;
border-bottom: 1px solid #ccc; border-bottom: 1px solid #ccc;
background: #fafafa; background-color: #fbfbfb;
color: #000;
border-top-right-radius: 2px; border-top-right-radius: 2px;
border-top-left-radius: 2px; border-top-left-radius: 2px;
list-style: none; list-style: none;
@ -39,12 +41,15 @@
padding: 0 10px; padding: 0 10px;
height: 16px; height: 16px;
cursor: pointer; cursor: pointer;
overflow: hidden;
background-repeat: no-repeat; background-repeat: no-repeat;
background-size: 16px 16px; background-size: 16px 16px;
background-position: center; background-position: center;
} }
.tab-view > li:last-child {
border-right-style: none;
}
.tab-view > li[data-tab-name="call"] { .tab-view > li[data-tab-name="call"] {
background-image: url("../img/icons-16x16.svg#precall"); background-image: url("../img/icons-16x16.svg#precall");
} }
@ -69,10 +74,6 @@
background-image: url("../img/icons-16x16.svg#contacts-active"); background-image: url("../img/icons-16x16.svg#contacts-active");
} }
.tab-view > li:last-child {
border-right: 0;
}
.tab { .tab {
display: none; display: none;
} }
@ -81,73 +82,103 @@
display: block; display: block;
} }
.share { /* Content area and input fields */
background: #fbfbfb;
margin-bottom: 14px; .content-area {
padding: 14px;
} }
.share .description, .content-area header {
.share .action input,
.share > .action > .invite > .url-actions {
margin: 14px 14px 0 14px;
}
.share .description {
font-weight: 700; font-weight: 700;
} }
.share .action input { .content-area label {
border: 1px solid #ccc; /* Overriding background style for a text input (see display: block;
below) resets its borders to a weird beveled style; width: 100%;
defining a default 1px border solves the issue. */ margin-top: 10px;
font-size: 1em; font-size: 10px;
color: #777;
}
.content-area input {
display: block;
width: 100%;
outline: none;
border-radius: 2px;
margin: 5px 0;
border: 1px solid #ccc;
height: 24px;
padding: 0 10px; padding: 0 10px;
}
.content-area input:invalid {
box-shadow: none;
}
.content-area input:not(.pristine):invalid {
border-color: #d74345;
box-shadow: 0 0 4px #c43c3e;
}
/* Buttons */
.button-group {
display: flex;
flex-direction: row;
width: 100%;
}
.button-group > .button {
flex: 1;
margin: 0 7px;
}
.button-group > .button:first-child {
-moz-margin-start: 0;
}
.button-group > .button:last-child {
-moz-margin-end: 0;
}
.button {
padding: 2px 5px;
background-color: #fbfbfb;
color: #333;
border: 1px solid #c1c1c1;
border-radius: 2px; border-radius: 2px;
outline: 0;
height: 26px; height: 26px;
width: calc(100% - 28px); font-size: 12px;
} }
.share .action input.pending { .button:hover {
background-image: url(../img/loading-icon.gif); background-color: #ebebeb;
background-repeat: no-repeat;
background-position: right;
} }
.share .action .btn { .button:hover:active {
background-color: #0096DD; background-color: #ccc;
border: 1px solid #0095DD; color: #111;
}
.button.button-accept {
background-color: #74bf43;
border-color: #74bf43;
color: #fff; color: #fff;
width: 50%;
height: 26px;
text-align: center;
} }
.btn-email, .button.button-accept:hover {
.btn-copy { background-color: #6cb23e;
border-radius: 2px; border-color: #6cb23e;
color: #fff;
} }
.share > .action .btn:hover { .button.button-accept:hover:active {
background-color: #008ACB; background-color: #64a43a;
border: 1px solid #008ACB; border-color: #64a43a;
color: #fff;
} }
.share > .action > .invite > .url-actions > .btn:first-child { /* Dropdown menu */
-moz-margin-end: 1em;
}
/* Specific cases */
.panel .messages {
margin: 0;
}
.panel .messages .alert {
margin: 0;
}
/* Dropdown menu (shared styles) */
.dropdown { .dropdown {
position: relative; position: relative;
@ -157,7 +188,7 @@
position: absolute; position: absolute;
top: -28px; top: -28px;
left: 0; left: 0;
background: #fdfdfd; background-color: #fdfdfd;
box-shadow: 0 1px 3px rgba(0,0,0,.3); box-shadow: 0 1px 3px rgba(0,0,0,.3);
list-style: none; list-style: none;
padding: 5px; padding: 5px;
@ -182,7 +213,49 @@ body[dir=rtl] .dropdown-menu-item {
.dropdown-menu-item:hover { .dropdown-menu-item:hover {
border: 1px solid #ccc; border: 1px solid #ccc;
background: #eee; background-color: #eee;
}
/* Share tab */
.generate-url input {
margin: 14px 0;
outline: 0;
border: 1px solid #ccc; /* Overriding background style for a text input (see
below) resets its borders to a weird beveled style;
defining a default 1px border solves the issue. */
border-radius: 2px;
height: 26px;
padding: 0 10px;
font-size: 1em;
}
.generate-url input.pending {
background-image: url(../img/loading-icon.gif);
background-repeat: no-repeat;
background-position: right;
}
.generate-url .button {
background-color: #0096dd;
border-color: #0096dd;
color: #fff;
}
.generate-url .button:hover {
background-color: #008acb;
border-color: #008acb;
color: #fff;
}
.terms-service {
color: #888;
text-align: center;
font-size: .9em;
}
.terms-service a {
color: #00caee;
} }
/* DnD menu */ /* DnD menu */
@ -197,7 +270,7 @@ body[dir=rtl] .dropdown-menu-item {
.dnd-status:hover { .dnd-status:hover {
border: 1px solid #DDD; border: 1px solid #DDD;
background: #F1F1F1; background-color: #f1f1f1;
} }
/* Status badges -- Available/Unavailable */ /* Status badges -- Available/Unavailable */
@ -211,7 +284,7 @@ body[dir=rtl] .dropdown-menu-item {
} }
.status-available { .status-available {
background: #6cb23e; background-color: #6cb23e;
} }
.status-dnd { .status-dnd {
@ -237,14 +310,27 @@ body[dir=rtl] .dropdown-menu-item {
/* Settings (gear) menu */ /* Settings (gear) menu */
.btn-settings { .button-settings {
display: inline-block;
overflow: hidden;
margin: 0;
padding: 0;
border: none;
background-color: #a5a;
color: #fff;
text-align: center;
text-decoration: none;
text-overflow: ellipsis;
white-space: nowrap;
font-size: .9em;
cursor: pointer;
background: transparent url(../img/svg/glyph-settings-16x16.svg) no-repeat center center; background: transparent url(../img/svg/glyph-settings-16x16.svg) no-repeat center center;
background-size: contain; background-size: contain;
width: 12px; width: 12px;
height: 12px; height: 12px;
} }
.footer .btn-settings { .footer .button-settings {
margin-top: 17px; /* used to align the gear icon with the availability dropdown menu inner text */ margin-top: 17px; /* used to align the gear icon with the availability dropdown menu inner text */
opacity: .6; /* used to "grey" the icon a little */ opacity: .6; /* used to "grey" the icon a little */
} }
@ -283,22 +369,6 @@ body[dir=rtl] .dropdown-menu-item {
background: transparent url(../img/svg/glyph-signout-16x16.svg) no-repeat center center; background: transparent url(../img/svg/glyph-signout-16x16.svg) no-repeat center center;
} }
/* Terms of Service */
.terms-service {
padding: 3px 10px 10px;
background: #FFF;
text-align: center;
opacity: .5;
transition: opacity .3s;
font-family: 'Lucida Grande', sans-serif;
font-size: .9em;
}
.terms-service a {
color: #0095dd;
}
/* Footer */ /* Footer */
.footer { .footer {
@ -310,7 +380,7 @@ body[dir=rtl] .dropdown-menu-item {
align-items: flex-start; align-items: flex-start;
font-size: 1em; font-size: 1em;
border-top: 1px solid #D1D1D1; border-top: 1px solid #D1D1D1;
background: #EAEAEA; background-color: #eaeaea;
color: #7F7F7F; color: #7f7f7f;
padding: 14px; padding: 14px;
} }

Some files were not shown because too many files have changed in this diff Show More