<?php
use OpenSwoole\WebSocket\Server;
use OpenSwoole\Http\Request;
use OpenSwoole\WebSocket\Frame;
$server = new Server("0.0.0.0", 9502);
$server->on("Start", function(Server $server)
{
echo "OpenSwoole WebSocket Server is started at http://127.0.0.1:9502\n";
});
$server->on('Open', function(Server $server, OpenSwoole\Http\Request $request)
{
echo "connection open: {$request->fd}\n";
$server->tick(1000, function() use ($server, $request)
{
$server->push($request->fd, json_encode(["hello", time()]));
});
});
$server->on('Message', function(Server $server, Frame $frame)
{
echo "received message: {$frame->data}\n";
$server->push($frame->fd, json_encode(["hello", time()]));
});
$server->on('Close', function(Server $server, int $fd)
{
echo "connection close: {$fd}\n";
});
$server->on('Disconnect', function(Server $server, int $fd)
{
echo "connection disconnect: {$fd}\n";
});
$server->start();
cmd + F2
(на маке) выделит все включения текущего слова. Мульти-курсор, можно заменить или допечатать/удалить часть – везде и сразу ©cmd + shift + P
и начать печатать "Emmet: Balance (inward)" – и выбрать командуconst str = '1+1'; // строка
const result = eval(str); // 2
плохой кулхацкер передаст не "1+1", а злодейский код, который тупо выполнится и всё сломает.+ - * /
Разбить можно используя «регулярное выражение», или просто тупо искать в строке один из 4 операторов. С регуляркой примерно так: const str = '1+1'; // строка
const parts = str.match(/(\d+)([-+*\/])(\d+)/); // массив [ "1+1", "1", "+", "1" ]
if (!parts) throw 'не похоже на арифметику!';
const [ _, A, op, B ] = parts;
const a = +A; // из строки в число
const b = +B;
let result;
if (op === '+') result = a + b;
if (op === '-') result = a - b;
if (op === '*') result = a * b;
if (op === '/') result = a / b;
console.log('result', result); // 2
const arr = Array.from({ length: 50 }, (_, i) => i); // [0, 1, 2, 3, ... 49]
const pattern = [2, 5, 1, 2];
const result = [];
for (let i = 0, patternIndex = 0, toDeleteIndex = pattern[0] - 1; i < arr.length; i++) {
if (i === toDeleteIndex) {
patternIndex = (patternIndex + 1) % pattern.length; // 0, 1, 2, 3, 0, 1, 2, 3, ...
toDeleteIndex += pattern[patternIndex];
} else {
result.push(arr[i]);
}
}
console.log(result.join(', '));
// 0, 2, 3, 4, 5, 8, 10, 12, 13, 14, 15, 18, 20, 22, 23, 24, 25, 28, 30, 32, 33, 34, 35, 38, 40, 42, 43, 44, 45, 48
Такое задумывалось? this
для функции, объявленной как function
определяется в момент её вызова. Если её вызывают будто она свойство объекта, этот объект будет this'ом.this === window
.window
это не user
. И там нет искомого свойства, скорее всего. Или есть, но неожиданно другое. maxValues = { fullPrice: 123, rating: 5 };
minValues = { fullPrice: 103, rating: 3 };
const src = [{ id: 1, fullPrice: 123, rating: 5 }, { id: 2, fullPrice: 103, rating: 3 }];
const checkProps = ['fullPrice', 'rating'];
const xValues = (method, initialValue) =>
src.reduce((acc, c) => {
Object.entries(c).forEach(([key, value]) => {
if (checkProps.includes(key)) {
acc[key] = Math[method](acc[key], value);
}
});
return acc;
}, Object.fromEntries(checkProps.map(propName => [propName, initialValue])));
const minValues = xValues('min', Number.POSITIVE_INFINITY);
const maxValues = xValues('max', Number.NEGATIVE_INFINITY);
const result = src.map(item =>
Object.fromEntries(
Object.entries(item).map(([key, value]) => {
if (checkProps.includes(key)) {
return [key, { value, min: minValues[key] === value, max: maxValues[key] === value }];
}
return [key, value];
})
)
);
[
{
"id": 1,
"fullPrice": {
"value": 123,
"min": false,
"max": true
},
"rating": {
"value": 5,
"min": false,
"max": true
}
},
{
"id": 2,
"fullPrice": {
"value": 103,
"min": true,
"max": false
},
"rating": {
"value": 3,
"min": true,
"max": false
}
}
]
encodeURIComponent()
(new URLSearchParams({q: 'QnA Habr'})).toString()
// "q=QnA+Habr"
function foo(currentNumber){
console.log(currentNumber);
currentNumber++;
}
setInterval(foo, 1000, 5);
Здесь, наверное, понятно, почему будет каждый раз 5 ?foo(5); // выведет 5
foo(5); // выведет 5
foo(5); // выведет 5
Внутренняя переменная функции изначально 5, выводит 5 и становится 10. Функция завершила работу, про переменную все забыли. Как исправить готовый код?Код надо привести в вопросе, окружив тегом <code>
addEventListener('click', ...
click
выше, на общем родителе всех этих карточек – cardsContainer
. Всего один слушатель. В обработчике разбирать, по кому, собственно, кликнули: смотреть класс кликнутого элемента и искать ближайшую к нему карточку.cardsContainer.addEventListener('click', ({ target }) => {
if (target.classList.contains('element__button')) {
// toggle Like
target.classList.toggle('element__button_active');
} else if (target.classList.contains('element__basket')) {
// delete
target.closest('.element').remove();
} else if (target.classList.contains('element__item')) {
// open picture
openPicture({ target });
}
});
// и убрать всё ставшее ненужным
arr[1] = 2;
– нельзя.function up() {
const newPosition = catPosition.slice(); // сделали новый массив, копию
newPosition[1]++;
setCatPosition(newPosition);
}
const formatter = new Intl.NumberFormat('en-US');
formatter.format(12345) // "12,345"
formatter.format(123) // "123"
formatter.format(1234567) // "1,234,567"
const splitWord = str => [ ...str.split(' '), '!' ];
// применение
splitWord('привет мир') // [ "привет", "мир", "!" ]
let prev = dummy;