Enforce curlies completely and lint with new settings

pull/485/head
Beaudan Brown 6 years ago
parent f8cf1cb794
commit 9beea2cbd3

@ -22,7 +22,8 @@ module.exports = {
], ],
// Enforce curlies always // Enforce curlies always
curly: 'error', curly: ['error', 'all'],
'brace-style': ['error', '1tbs'],
// prevents us from accidentally checking in exclusive tests (`.only`): // prevents us from accidentally checking in exclusive tests (`.only`):
'mocha/no-exclusive-tests': 'error', 'mocha/no-exclusive-tests': 'error',

@ -15,7 +15,9 @@ const hasImage = pubKey => fs.existsSync(getImagePath(pubKey));
const getImagePath = pubKey => `${PATH}/${pubKey}.png`; const getImagePath = pubKey => `${PATH}/${pubKey}.png`;
const getOrCreateImagePath = pubKey => { const getOrCreateImagePath = pubKey => {
// If the image doesn't exist then create it // If the image doesn't exist then create it
if (!hasImage(pubKey)) return generateImage(pubKey); if (!hasImage(pubKey)) {
return generateImage(pubKey);
}
return getImagePath(pubKey); return getImagePath(pubKey);
}; };

@ -42,7 +42,9 @@
storage.addBlockedNumber(number); storage.addBlockedNumber(number);
// Make sure we don't add duplicates // Make sure we don't add duplicates
if (blockedNumbers.getModel(number)) return; if (blockedNumbers.getModel(number)) {
return;
}
blockedNumbers.add({ number }); blockedNumbers.add({ number });
}, },

@ -309,7 +309,9 @@
}, },
async updateProfileAvatar() { async updateProfileAvatar() {
if (this.isRss()) return; if (this.isRss()) {
return;
}
const path = profileImages.getOrCreateImagePath(this.id); const path = profileImages.getOrCreateImagePath(this.id);
await this.setProfileAvatar(path); await this.setProfileAvatar(path);
}, },
@ -358,7 +360,9 @@
// Get messages with the given timestamp // Get messages with the given timestamp
_getMessagesWithTimestamp(pubKey, timestamp) { _getMessagesWithTimestamp(pubKey, timestamp) {
if (this.id !== pubKey) return []; if (this.id !== pubKey) {
return [];
}
// Go through our messages and find the one that we need to update // Go through our messages and find the one that we need to update
return this.messageCollection.models.filter( return this.messageCollection.models.filter(
@ -414,7 +418,9 @@
// Get the pending friend requests that match the direction // Get the pending friend requests that match the direction
// If no direction is supplied then return all pending friend requests // If no direction is supplied then return all pending friend requests
return messages.models.filter(m => { return messages.models.filter(m => {
if (!status.includes(m.get('friendStatus'))) return false; if (!status.includes(m.get('friendStatus'))) {
return false;
}
return direction === null || m.get('direction') === direction; return direction === null || m.get('direction') === direction;
}); });
}, },
@ -424,7 +430,9 @@
addSingleMessage(message, setToExpire = true) { addSingleMessage(message, setToExpire = true) {
const model = this.messageCollection.add(message, { merge: true }); const model = this.messageCollection.add(message, { merge: true });
if (setToExpire) model.setToExpire(); if (setToExpire) {
model.setToExpire();
}
return model; return model;
}, },
format() { format() {
@ -680,7 +688,9 @@
}, },
async setFriendRequestStatus(newStatus) { async setFriendRequestStatus(newStatus) {
// Ensure that the new status is a valid FriendStatusEnum value // Ensure that the new status is a valid FriendStatusEnum value
if (!(newStatus in Object.values(FriendRequestStatusEnum))) return; if (!(newStatus in Object.values(FriendRequestStatusEnum))) {
return;
}
if ( if (
this.ourNumber === this.id && this.ourNumber === this.id &&
newStatus !== FriendRequestStatusEnum.friends newStatus !== FriendRequestStatusEnum.friends
@ -698,11 +708,15 @@
async respondToAllFriendRequests(options) { async respondToAllFriendRequests(options) {
const { response, status, direction = null } = options; const { response, status, direction = null } = options;
// Ignore if no response supplied // Ignore if no response supplied
if (!response) return; if (!response) {
return;
}
const pending = await this.getFriendRequests(direction, status); const pending = await this.getFriendRequests(direction, status);
await Promise.all( await Promise.all(
pending.map(async request => { pending.map(async request => {
if (request.hasErrors()) return; if (request.hasErrors()) {
return;
}
request.set({ friendStatus: response }); request.set({ friendStatus: response });
await window.Signal.Data.saveMessage(request.attributes, { await window.Signal.Data.saveMessage(request.attributes, {
@ -736,7 +750,9 @@
}, },
// We have accepted an incoming friend request // We have accepted an incoming friend request
async onAcceptFriendRequest() { async onAcceptFriendRequest() {
if (this.unlockTimer) clearTimeout(this.unlockTimer); if (this.unlockTimer) {
clearTimeout(this.unlockTimer);
}
if (this.hasReceivedFriendRequest()) { if (this.hasReceivedFriendRequest()) {
this.setFriendRequestStatus(FriendRequestStatusEnum.friends); this.setFriendRequestStatus(FriendRequestStatusEnum.friends);
await this.respondToAllFriendRequests({ await this.respondToAllFriendRequests({
@ -752,7 +768,9 @@
if (this.isFriend()) { if (this.isFriend()) {
return false; return false;
} }
if (this.unlockTimer) clearTimeout(this.unlockTimer); if (this.unlockTimer) {
clearTimeout(this.unlockTimer);
}
if (this.hasSentFriendRequest()) { if (this.hasSentFriendRequest()) {
this.setFriendRequestStatus(FriendRequestStatusEnum.friends); this.setFriendRequestStatus(FriendRequestStatusEnum.friends);
await this.respondToAllFriendRequests({ await this.respondToAllFriendRequests({
@ -766,9 +784,13 @@
}, },
async onFriendRequestTimeout() { async onFriendRequestTimeout() {
// Unset the timer // Unset the timer
if (this.unlockTimer) clearTimeout(this.unlockTimer); if (this.unlockTimer) {
clearTimeout(this.unlockTimer);
}
this.unlockTimer = null; this.unlockTimer = null;
if (this.isFriend()) return; if (this.isFriend()) {
return;
}
// Set the unlock timestamp to null // Set the unlock timestamp to null
if (this.get('unlockTimestamp')) { if (this.get('unlockTimestamp')) {
@ -822,7 +844,9 @@
await this.setFriendRequestStatus(FriendRequestStatusEnum.requestSent); await this.setFriendRequestStatus(FriendRequestStatusEnum.requestSent);
}, },
setFriendRequestExpiryTimeout() { setFriendRequestExpiryTimeout() {
if (this.isFriend()) return; if (this.isFriend()) {
return;
}
const unlockTimestamp = this.get('unlockTimestamp'); const unlockTimestamp = this.get('unlockTimestamp');
if (unlockTimestamp && !this.unlockTimer) { if (unlockTimestamp && !this.unlockTimer) {
const delta = Math.max(unlockTimestamp - Date.now(), 0); const delta = Math.max(unlockTimestamp - Date.now(), 0);
@ -1080,12 +1104,18 @@
}, },
validateNumber() { validateNumber() {
if (!this.id) return 'Invalid ID'; if (!this.id) {
if (!this.isPrivate()) return null; return 'Invalid ID';
}
if (!this.isPrivate()) {
return null;
}
// Check if it's hex // Check if it's hex
const isHex = this.id.replace(/[\s]*/g, '').match(/^[0-9a-fA-F]+$/); const isHex = this.id.replace(/[\s]*/g, '').match(/^[0-9a-fA-F]+$/);
if (!isHex) return 'Invalid Hex ID'; if (!isHex) {
return 'Invalid Hex ID';
}
// Check if the pubkey length is 33 and leading with 05 or of length 32 // Check if the pubkey length is 33 and leading with 05 or of length 32
const len = this.id.length; const len = this.id.length;
@ -1216,7 +1246,9 @@
async sendMessage(body, attachments, quote, preview) { async sendMessage(body, attachments, quote, preview) {
// Input should be blocked if there is a pending friend request // Input should be blocked if there is a pending friend request
if (this.isPendingFriendRequest()) return; if (this.isPendingFriendRequest()) {
return;
}
this.clearTypingTimers(); this.clearTypingTimers();
@ -1277,7 +1309,9 @@
// If the requests didn't error then don't add a new friend request // If the requests didn't error then don't add a new friend request
// because one of them was sent successfully // because one of them was sent successfully
if (friendRequestSent) return null; if (friendRequestSent) {
return null;
}
} }
await this.setFriendRequestStatus( await this.setFriendRequestStatus(
FriendRequestStatusEnum.pendingSend FriendRequestStatusEnum.pendingSend
@ -1762,7 +1796,9 @@
}, },
async setSessionResetStatus(newStatus) { async setSessionResetStatus(newStatus) {
// Ensure that the new status is a valid SessionResetEnum value // Ensure that the new status is a valid SessionResetEnum value
if (!(newStatus in Object.values(SessionResetEnum))) return; if (!(newStatus in Object.values(SessionResetEnum))) {
return;
}
if (this.get('sessionResetStatus') !== newStatus) { if (this.get('sessionResetStatus') !== newStatus) {
this.set({ sessionResetStatus: newStatus }); this.set({ sessionResetStatus: newStatus });
await window.Signal.Data.updateConversation(this.id, this.attributes, { await window.Signal.Data.updateConversation(this.id, this.attributes, {
@ -2014,7 +2050,9 @@
async setNickname(nickname) { async setNickname(nickname) {
const trimmed = nickname && nickname.trim(); const trimmed = nickname && nickname.trim();
if (this.get('nickname') === trimmed) return; if (this.get('nickname') === trimmed) {
return;
}
this.set({ nickname: trimmed }); this.set({ nickname: trimmed });
await window.Signal.Data.updateConversation(this.id, this.attributes, { await window.Signal.Data.updateConversation(this.id, this.attributes, {
@ -2467,7 +2505,9 @@
const avatar = this.get('avatar') || this.get('profileAvatar'); const avatar = this.get('avatar') || this.get('profileAvatar');
if (avatar) { if (avatar) {
if (avatar.path) return getAbsoluteAttachmentPath(avatar.path); if (avatar.path) {
return getAbsoluteAttachmentPath(avatar.path);
}
return avatar; return avatar;
} }
@ -2511,7 +2551,9 @@
} }
return this.notifyFriendRequest(message.get('source'), 'requested'); return this.notifyFriendRequest(message.get('source'), 'requested');
} }
if (!message.isIncoming()) return Promise.resolve(); if (!message.isIncoming()) {
return Promise.resolve();
}
const conversationId = this.id; const conversationId = this.id;
return ConversationController.getOrCreateAndWait( return ConversationController.getOrCreateAndWait(
@ -2544,7 +2586,9 @@
// Notification for friend request received // Notification for friend request received
async notifyFriendRequest(source, type) { async notifyFriendRequest(source, type) {
// Data validation // Data validation
if (!source) throw new Error('Invalid source'); if (!source) {
throw new Error('Invalid source');
}
if (!['accepted', 'requested'].includes(type)) { if (!['accepted', 'requested'].includes(type)) {
throw new Error('Type must be accepted or requested.'); throw new Error('Type must be accepted or requested.');
} }

@ -322,7 +322,9 @@
getNotificationText() { getNotificationText() {
const description = this.getDescription(); const description = this.getDescription();
if (description) { if (description) {
if (this.isFriendRequest()) return `Friend Request: ${description}`; if (this.isFriendRequest()) {
return `Friend Request: ${description}`;
}
return description; return description;
} }
if (this.get('attachments').length > 0) { if (this.get('attachments').length > 0) {
@ -432,7 +434,9 @@
}, },
async acceptFriendRequest() { async acceptFriendRequest() {
if (this.get('friendStatus') !== 'pending') return; if (this.get('friendStatus') !== 'pending') {
return;
}
const conversation = this.getConversation(); const conversation = this.getConversation();
this.set({ friendStatus: 'accepted' }); this.set({ friendStatus: 'accepted' });
@ -442,7 +446,9 @@
conversation.onAcceptFriendRequest(); conversation.onAcceptFriendRequest();
}, },
async declineFriendRequest() { async declineFriendRequest() {
if (this.get('friendStatus') !== 'pending') return; if (this.get('friendStatus') !== 'pending') {
return;
}
const conversation = this.getConversation(); const conversation = this.getConversation();
this.set({ friendStatus: 'declined' }); this.set({ friendStatus: 'declined' });
@ -591,7 +597,9 @@
return 'sent'; return 'sent';
} }
const calculatingPoW = this.get('calculatingPoW'); const calculatingPoW = this.get('calculatingPoW');
if (calculatingPoW) return 'pow'; if (calculatingPoW) {
return 'pow';
}
return 'sending'; return 'sending';
}, },
@ -1235,7 +1243,9 @@
return null; return null;
}, },
async setCalculatingPoW() { async setCalculatingPoW() {
if (this.calculatingPoW) return; if (this.calculatingPoW) {
return;
}
this.set({ this.set({
calculatingPoW: true, calculatingPoW: true,
@ -1246,7 +1256,9 @@
}); });
}, },
async setIsP2p(isP2p) { async setIsP2p(isP2p) {
if (_.isEqual(this.get('isP2p'), isP2p)) return; if (_.isEqual(this.get('isP2p'), isP2p)) {
return;
}
this.set({ this.set({
isP2p: !!isP2p, isP2p: !!isP2p,
@ -1260,7 +1272,9 @@
return this.get('serverId'); return this.get('serverId');
}, },
async setServerId(serverId) { async setServerId(serverId) {
if (_.isEqual(this.get('serverId'), serverId)) return; if (_.isEqual(this.get('serverId'), serverId)) {
return;
}
this.set({ this.set({
serverId, serverId,
@ -1271,7 +1285,9 @@
}); });
}, },
async setIsPublic(isPublic) { async setIsPublic(isPublic) {
if (_.isEqual(this.get('isPublic'), isPublic)) return; if (_.isEqual(this.get('isPublic'), isPublic)) {
return;
}
this.set({ this.set({
isPublic: !!isPublic, isPublic: !!isPublic,
@ -2098,7 +2114,9 @@
// Need to do this here because the conversation has already changed states // Need to do this here because the conversation has already changed states
if (autoAccept) { if (autoAccept) {
await conversation.notifyFriendRequest(source, 'accepted'); await conversation.notifyFriendRequest(source, 'accepted');
} else await conversation.notify(message); } else {
await conversation.notify(message);
}
} }
confirm(); confirm();

@ -663,7 +663,9 @@ async function getAllSessions(id) {
// Conversation // Conversation
function setifyProperty(data, propertyName) { function setifyProperty(data, propertyName) {
if (!data) return data; if (!data) {
return data;
}
const returnData = { ...data }; const returnData = { ...data };
if (Array.isArray(returnData[propertyName])) { if (Array.isArray(returnData[propertyName])) {
returnData[propertyName] = new Set(returnData[propertyName]); returnData[propertyName] = new Set(returnData[propertyName]);

@ -70,7 +70,9 @@ class LokiP2pAPI extends EventEmitter {
} }
getContactP2pDetails(pubKey) { getContactP2pDetails(pubKey) {
if (!this.contactP2pDetails[pubKey]) return null; if (!this.contactP2pDetails[pubKey]) {
return null;
}
return { ...this.contactP2pDetails[pubKey] }; return { ...this.contactP2pDetails[pubKey] };
} }

@ -458,7 +458,9 @@ class LokiPublicChannelAPI {
// if any problems, abort out // if any problems, abort out
if (res.err || !res.response) { if (res.err || !res.response) {
if (res.err) log.error(`Error ${res.err}`); if (res.err) {
log.error(`Error ${res.err}`);
}
break; break;
} }

@ -73,7 +73,9 @@ class LokiRssAPI extends EventEmitter {
log.error('xmlerror', e); log.error('xmlerror', e);
success = false; success = false;
} }
if (!success) return; if (!success) {
return;
}
const feedObj = xml2json(feedDOM); const feedObj = xml2json(feedDOM);
let receivedAt = new Date().getTime(); let receivedAt = new Date().getTime();

@ -48,8 +48,9 @@ class LokiSnodeAPI {
const upnpClient = natUpnp.createClient(); const upnpClient = natUpnp.createClient();
return new Promise((resolve, reject) => { return new Promise((resolve, reject) => {
upnpClient.externalIp((err, ip) => { upnpClient.externalIp((err, ip) => {
if (err) reject(err); if (err) {
else { reject(err);
} else {
resolve(ip); resolve(ip);
} }
}); });

@ -39,7 +39,9 @@
}, },
onUnblock() { onUnblock() {
const number = this.$('select option:selected').val(); const number = this.$('select option:selected').val();
if (!number) return; if (!number) {
return;
}
if (BlockedNumberController.isBlocked(number)) { if (BlockedNumberController.isBlocked(number)) {
BlockedNumberController.unblock(number); BlockedNumberController.unblock(number);
@ -73,7 +75,9 @@
}, },
truncate(string, limit) { truncate(string, limit) {
// Make sure an element and number of items to truncate is provided // Make sure an element and number of items to truncate is provided
if (!string || !limit) return string; if (!string || !limit) {
return string;
}
// Get the inner content of the element // Get the inner content of the element
let content = string.trim(); let content = string.trim();
@ -84,7 +88,9 @@
// Convert the array of words back into a string // Convert the array of words back into a string
// If there's content to add after it, add it // If there's content to add after it, add it
if (string.length > limit) content = `${content}...`; if (string.length > limit) {
content = `${content}...`;
}
return content; return content;
}, },

@ -391,7 +391,9 @@
}, },
onChangePlaceholder(type) { onChangePlaceholder(type) {
if (!this.$messageField) return; if (!this.$messageField) {
return;
}
let placeholder; let placeholder;
switch (type) { switch (type) {
case 'friend-request': case 'friend-request':

@ -14,7 +14,9 @@
); );
await Promise.all( await Promise.all(
friendKeys.map(async pubKey => { friendKeys.map(async pubKey => {
if (pubKey === textsecure.storage.user.getNumber()) return; if (pubKey === textsecure.storage.user.getNumber()) {
return;
}
try { try {
await sendOnlineBroadcastMessage(pubKey); await sendOnlineBroadcastMessage(pubKey);
} catch (e) { } catch (e) {

@ -148,8 +148,11 @@ class LocalLokiServer extends EventEmitter {
ttl, ttl,
}, },
err => { err => {
if (err) reject(err); if (err) {
else resolve(); reject(err);
} else {
resolve();
}
} }
); );
}); });

@ -46,11 +46,17 @@ const pow = {
// Compare two Uint8Arrays, return true if arr1 is > arr2 // Compare two Uint8Arrays, return true if arr1 is > arr2
greaterThan(arr1, arr2) { greaterThan(arr1, arr2) {
// Early exit if lengths are not equal. Should never happen // Early exit if lengths are not equal. Should never happen
if (arr1.length !== arr2.length) return false; if (arr1.length !== arr2.length) {
return false;
}
for (let i = 0, len = arr1.length; i < len; i += 1) { for (let i = 0, len = arr1.length; i < len; i += 1) {
if (arr1[i] > arr2[i]) return true; if (arr1[i] > arr2[i]) {
if (arr1[i] < arr2[i]) return false; return true;
}
if (arr1[i] < arr2[i]) {
return false;
}
} }
return false; return false;
}, },

@ -51,8 +51,9 @@ window.textsecure.utils = (() => {
*** JSON'ing Utilities *** *** JSON'ing Utilities ***
************************* */ ************************* */
function ensureStringed(thing) { function ensureStringed(thing) {
if (getStringable(thing)) return getString(thing); if (getStringable(thing)) {
else if (thing instanceof Array) { return getString(thing);
} else if (thing instanceof Array) {
const res = []; const res = [];
for (let i = 0; i < thing.length; i += 1) { for (let i = 0; i < thing.length; i += 1) {
res[i] = ensureStringed(thing[i]); res[i] = ensureStringed(thing[i]);
@ -60,7 +61,9 @@ window.textsecure.utils = (() => {
return res; return res;
} else if (thing === Object(thing)) { } else if (thing === Object(thing)) {
const res = {}; const res = {};
for (const key in thing) res[key] = ensureStringed(thing[key]); for (const key in thing) {
res[key] = ensureStringed(thing[key]);
}
return res; return res;
} else if (thing === null) { } else if (thing === null) {
return null; return null;

@ -33,7 +33,9 @@ window.textsecure.storage.impl = {
*** Override Storage Routines *** *** Override Storage Routines ***
**************************** */ **************************** */
put(key, value) { put(key, value) {
if (value === undefined) throw new Error('Tried to store undefined'); if (value === undefined) {
throw new Error('Tried to store undefined');
}
store[key] = value; store[key] = value;
postMessage({ method: 'set', key, value }); postMessage({ method: 'set', key, value });
}, },

@ -730,9 +730,13 @@ MessageReceiver.prototype.extend({
} }
const getCurrentSessionBaseKey = async () => { const getCurrentSessionBaseKey = async () => {
const record = await sessionCipher.getRecord(address.toString()); const record = await sessionCipher.getRecord(address.toString());
if (!record) return null; if (!record) {
return null;
}
const openSession = record.getOpenSession(); const openSession = record.getOpenSession();
if (!openSession) return null; if (!openSession) {
return null;
}
const { baseKey } = openSession.indexInfo; const { baseKey } = openSession.indexInfo;
return baseKey; return baseKey;
}; };
@ -741,7 +745,9 @@ MessageReceiver.prototype.extend({
}; };
const restoreActiveSession = async () => { const restoreActiveSession = async () => {
const record = await sessionCipher.getRecord(address.toString()); const record = await sessionCipher.getRecord(address.toString());
if (!record) return; if (!record) {
return;
}
record.archiveCurrentState(); record.archiveCurrentState();
const sessionToRestore = record.sessions[this.activeSessionBaseKey]; const sessionToRestore = record.sessions[this.activeSessionBaseKey];
record.promoteState(sessionToRestore); record.promoteState(sessionToRestore);
@ -753,7 +759,9 @@ MessageReceiver.prototype.extend({
}; };
const deleteAllSessionExcept = async sessionBaseKey => { const deleteAllSessionExcept = async sessionBaseKey => {
const record = await sessionCipher.getRecord(address.toString()); const record = await sessionCipher.getRecord(address.toString());
if (!record) return; if (!record) {
return;
}
const sessionToKeep = record.sessions[sessionBaseKey]; const sessionToKeep = record.sessions[sessionBaseKey];
record.sessions = {}; record.sessions = {};
record.updateSessionState(sessionToKeep); record.updateSessionState(sessionToKeep);

@ -14,13 +14,17 @@
*** Base Storage Routines *** *** Base Storage Routines ***
**************************** */ **************************** */
put(key, value) { put(key, value) {
if (value === undefined) throw new Error('Tried to store undefined'); if (value === undefined) {
throw new Error('Tried to store undefined');
}
localStorage.setItem(`${key}`, textsecure.utils.jsonThing(value)); localStorage.setItem(`${key}`, textsecure.utils.jsonThing(value));
}, },
get(key, defaultValue) { get(key, defaultValue) {
const value = localStorage.getItem(`${key}`); const value = localStorage.getItem(`${key}`);
if (value === null) return defaultValue; if (value === null) {
return defaultValue;
}
return JSON.parse(value); return JSON.parse(value);
}, },

@ -18,13 +18,17 @@
getNumber() { getNumber() {
const numberId = textsecure.storage.get('number_id'); const numberId = textsecure.storage.get('number_id');
if (numberId === undefined) return undefined; if (numberId === undefined) {
return undefined;
}
return textsecure.utils.unencodeNumber(numberId)[0]; return textsecure.utils.unencodeNumber(numberId)[0];
}, },
getDeviceId() { getDeviceId() {
const numberId = textsecure.storage.get('number_id'); const numberId = textsecure.storage.get('number_id');
if (numberId === undefined) return undefined; if (numberId === undefined) {
return undefined;
}
return textsecure.utils.unencodeNumber(numberId)[1]; return textsecure.utils.unencodeNumber(numberId)[1];
}, },

@ -171,7 +171,9 @@ SignalProtocolStore.prototype = {
async loadPreKeyForContact(contactPubKey) { async loadPreKeyForContact(contactPubKey) {
return new Promise(resolve => { return new Promise(resolve => {
const key = this.get(`25519KeypreKey${contactPubKey}`); const key = this.get(`25519KeypreKey${contactPubKey}`);
if (!key) resolve(undefined); if (!key) {
resolve(undefined);
}
resolve({ resolve({
pubKey: key.publicKey, pubKey: key.publicKey,
privKey: key.privateKey, privKey: key.privateKey,

@ -415,7 +415,9 @@ contextMenu({
}, },
menu: (actions, params) => { menu: (actions, params) => {
// If it's not a QR then show the default options // If it's not a QR then show the default options
if (!isQR(params)) return actions; if (!isQR(params)) {
return actions;
}
return [actions.copyImage()]; return [actions.copyImage()];
}, },

Loading…
Cancel
Save