reduce()
в копилку:const zip = (arr1, arr2) => arr1.reduce(
(acc, head, i) => (acc.push({ ...arr2[i], head }), acc),
[]
);
zip(mass1, mass2)
/* [
{ t1: "aa", p1: "lot", head: "zn1" },
{ t1: "ab", p1: "kot", head: "zn2" },
{ t1: "ac", p1: "mot", head: "zn3" },
] */
map()
тут больше подходит:mass1.map((head, i) => ({ head, ...mass2[i] }))
window.isLoaded = false;
window.addEventListener('load', () => {
window.isLoaded = true;
});
window.isQueued = false; // уже ждём в очереди?
function nowOrLater() {
if (!window.isLoaded) {
if (!window.isQueued) {
window.addEventListener('load', nowOrLater);
window.isQueued = true;
}
return;
}
// тут код котовый выполнить только после
}
let isScrollIgnored = false;
const myScroll = () => {
if (isScrollIgnored) return;
// ...
isScrollIgnored = true;
setTimeout(() => isScrollIgnored = false, 500);
someElement.scrollIntoView();
// ...
};
window.addEventListener( 'scroll', myScroll );
isTrusted
у события scroll: может, когда оно вызвано не мышкой, а scrollIntoView(), то становится false
? Тогда: const myScroll = event => {
const { isTrusted } = event;
if (!isTrusted) return;
// ...
- if (walk.length > 10 || walk.length < 10) return false;
+ if (walk.length !== 10) return false;
const isValidWalk = walk => {
if (walk.length !== 10) return false;
const counts = walk.reduce((acc, c) => (acc[c]++, acc), { w: 0, n: 0, e: 0, s: 0 });
return counts.e === counts.w && counts.n === counts.s;
};
const randomArr = () => {
// ...
return arr;
};
const randomArr = () => Array.from({length: 10}, () => (Math.random() * 10) | 0);
// [ 0, 3, 2, 4, 2, 1, 1, 5, 2, 5 ]
Так не исключены повторы значений.[1, 2, ... 10]
и случайно перемешать их:const randomArr = () => {
const arr = Array.from({length: 10}, (_, i) => i + 1); // [1, 2, .. 10]
for (let i = 0; i < 10; i++) {
const j = i + Math.floor(Math.random() * (10 - i));
[arr[i], arr[j]] = [arr[j], arr[i]]; // местами поменять
}
return arr;
}
// [ 6, 7, 9, 3, 1, 8, 10, 2, 4, 5 ]
https://example.com/api/method?NUM=123&STR=abc
null
.value
.- let input = document.getElementsByClassName('form-control');
+ const input = document.querySelector('input.form-control');
letterElement.startsWith('A')
'Andrew'.startsWith('A') // true
'Dmitriy'.startsWith('A') // false
const arrBig = [
{ _id: 1, one: 7, two: 5 },
{ _id: 2, one: 6, two: 3 },
{ _id: 3, one: 4, two: 7 },
{ _id: 4, one: 15, two: 2 },
];
const arrSmall = [{ _id: 1, next: 22, gen: 54 }, { _id: 3, next: 6, gen: 3 }];
const key = '_id';
const dictSmall = arrSmall.reduce((acc, c) => {
acc[c[key]] = c;
return acc;
}, {});
const template = { next: 0, gen: 0 };
const addKeys = Object.keys(template);
const result = arrBig.map(item => {
const nuItem = { ...item, ...template };
const addendum = dictSmall[item[key]];
if (addendum) {
addKeys.forEach(key => (nuItem[key] = addendum[key]));
}
return nuItem;
});
/* [
{"_id":1,"one":7,"two":5,"next":22,"gen":54},
{"_id":2,"one":6,"two":3,"next":0,"gen":0},
{"_id":3,"one":4,"two":7,"next":6,"gen":3},
{"_id":4,"one":15,"two":2,"next":0,"gen":0}
] */
const N = 3;
const delay = ms => new Promise(res => setTimeout(res, ms));
const next = () => {
if (items.length > 0) {
return download(items.shift())
.then(delay(500 + Math.floor(Math.random() * 500))) // случайная пауза между закачками
.then(next);
}
};
const works = Array.from({ length: N }, () =>
Promise.resolve()
.then(next)
.catch(console.error)
);
Promise.all(works).then(() => console.log('All Done'));
[1, 2, 1000, 1001,...]
далее все 100500 элементов больше 1000. const sumTwoSmallestNumbers = arr => {
let a = arr[0];
let b = arr[1];
if (a > b) {
[a, b] = [b, a];
}
for (let i = 2; i < arr.length; i++) {
const v = arr[i];
if (v < a) {
b = a;
a = v;
} else if (v < b) {
b = v;
}
}
return a + b;
};
sumTwoSmallestNumbers([55, 44, 1, 99, 2]); // 3
.hidden { display: none; }
document.querySelectorAll('li')
.forEach(li => li.classList.toggle('hidden', !li.querySelector('span')));
для каждого элемента списка устанавливает или снимает класс hidden
, в зависимости от того, найдётся ли span
где-нибудь внутри этого элемента. const tensor = tf.squeeze(result);
const canvas = document.createElement('canvas');
canvas.width = tensor.shape.width
canvas.height = tensor.shape.height
await tf.browser.toPixels(tensor, canvas);
const cat2 = document.createElement('img');
cat2.src = canvas.toDataURL();
Math.sqrt(N)
// дизель* генератор
const ltSqr = function*(n) {
const limit = Math.min(100, Math.sqrt(n));
let i = 1;
while (i <= limit) {
yield i++;
}
}
// использование
let N = 42;
for (const x of ltSqr(N)) {
console.log(x);
}
// выведет натуральные от 1 до 6
https://cdn.jsdelivr.net/npm/sweetalert2@11.4.8