const messages = {
'ru': 'Ваше сообщение успешно отправлено!',
'ua': 'Ваше повідомлення успішно відправлено!',
'en': 'Your message has been successfully sent!',
'cn': '您的留言已成功发送!',
}
const path = window.location.pathname; // чтобы не совпало с ya.ru/zz/search?q=/ru/
const defaultLanguage = 'en';
const language = Object.keys(messages)
.reduce((acc, c) => path.includes(`/${c}/`) ? c : acc, defaultLanguage);
const text = messages[language];
let digits = "85172"; // в кавычках, значит это строка
let product = 1; // произведение
// у строки есть свойство длины: length
// к букве в строке можно обращаться по номеру её положения
// буква – тоже строка, надо её перевести в число через Number()
for (let i = 0; i < digits.length; i++) {
const digit = Number(digits[i]); // цифра
product = product * digit;
}
// умножили. Теперь можно вывести:
console.log(product); // 560
function getIndex(adr) {
// ...
return fetch(ajaxurl, {
method: 'POST',
body: formData
}).then(resp => resp.text())
.then(showResult)
// парашютики не забываем:
.catch(err => console.error(err));
}
function showResult(data) {
console.log(data);
}
getIndex('https://ya.ru/'); // вернёт промис, ну и фиг с ним
function getIndex(adr) {
// ...
return fetch(ajaxurl, {
method: 'POST',
body: formData
}).then(resp => resp.text())
.then(showResult)
.catch(err => console.error(err));
}
getIndex('https://ya.ru/')
.then(data => {
document.querySelector('#output').innerText = data;
})
.catch(err => console.error(err));
[2, -1, 2, 3, -9] = 6
(у вас получается 5)[-2, -1, 1, 2] = 3
(у вас выводит 2)function getMaxSubSum(arr) {
let max = 0;
const length = arr.length;
for (let frame = length; frame > 0; frame--) {
let sum = 0;
for (let i = 0; i < frame; i++) sum += arr[i];
max = Math.max(max, sum);
// move frame
for (let offset = 1; offset <= length - frame; offset++) {
sum -= arr[offset - 1];
sum += arr[offset + frame - 1];
max = Math.max(max, sum);
}
}
return max;
}
const tests = () => {
[
[[-1, 2, 3, -9], 5],
[[2, -1, 2, 3, -9], 6],
[[-1, 2, 3, -9, 11], 11],
[[-2, -1, 1, 2], 3],
[[100, -9, 2, -3, 5], 100],
[[1, 2, 3], 6],
[[-1, -2, -3], 0],
].forEach((el, i) => {
const result = getMaxSubSum(el[0]);
console.assert(result === el[1], "Test %d failed: [%s] %d != %d", i, el[0], result, el[1]);
})
}
tests();
HABR_ROOT
HABR_WWW
HABR_KERNEL
app_path()
base_path()
config_path()
database_path()
public_path()
storage_path()
Причём, в них можно передавать параметром относительный путь внутри, чтобы получить полный. Здесь общий не префикс, а постфикс, т.к. результат больше похож на натуральный язык и, видимо, легче запоминается. ++i
и i++
только в том, чему равно само это выражение:let i = 0;
alert(++i); // 1 – прибавили 1 и вернули результат
let j = 0;
alert(j++); // 0 – вернём значение до, и прибавим 1
// после уже всё одинаково
console.log(i, j); // 1, 1
const results = [];
const promises = [];
for (let i = 0; i < 10; i++) {
promises.push(
fetch('/user', {
method: 'POST',
headers: {'Content-Type': 'application/json'},
body: JSON.stringify({user: i}),
})
.then(response => response.json())
.then(data => results.push(data))
.catch(err => console.error(err))
);
}
Promise.all(promises)
.then(() => console.log("All 10 done!", results));
server.php
из примера – он и HTTP сервер, который отдаст веб-страницу с нужным JS, и WebSocket сервер. ax + by + cz + d = 0
x, z
искомой точки — получите её y
"function$((1 + ($RANDOM % 3)))"
$RANDOM
при каждом вызове вернёт случайное 16-битное целое от 0 до 32767. Можно брать остаток от деления его на 3 – будет 0, 1 или 2 – и добавив единицу приклеить к слову "function" – получится имя нужной функции. Остаётся её вызвать – просто эта строка в bash скрипте, собственно, и вызывает полученную функцию.$ ./rand.sh
пукпук
$ ./rand.sh
пукпук
$ ./rand.sh
пукпук3
$ ./rand.sh
пукпук3
$ ./rand.sh
пукпук3
$ ./rand.sh
пукпук3
$ ./rand.sh
пукпук3
$ ./rand.sh
пукпук2
$ ./rand.sh
пукпук2
$ ./rand.sh
пукпук2
$ ./rand.sh
пукпук2
$ ./rand.sh
пукпук
$ cat ./rand.sh
#!/bin/bash
function1() {
echo пукпук
}
function2() {
echo пукпук2
}
function3() {
echo пукпук3
}
"function$((1 + ($RANDOM % 3)))"
[func1, func2, func3]
// обернуть каждую в Promise:
.map((f) => () => new Promise((res, rej) => {
f();
setTimeout(res, 2000));
})
// и собрать цепочку из этих промисов:
.reduce((acc, c) => acc.then(c()), Promise.resolve());
- f();
- setTimeout(res, 2000));
+ f()
+ .then(() => setTimeout(res, 2000)));
async componentDidMount() {
const lastSongsResponse = await fetch("https://api.laut.fm/station/key/last_songs");
const lastSongs = await lastSongsResponse.json();
lastSongs.length = Math.min(7, lastSongs.length);
const promises = lastSongs.map((song) => new Promise((resolve, reject) => {
const params = {
method : 'album.getInfo',
artist : song.artist.name.replace(' & ', ', '),
album : song.album,
api_key : 'apikey',
format : 'json',
};
const url = "https://ws.audioscrobbler.com/2.0/?" + Object.keys(params).map((key) => `${key}=${params[key]}`).join('&');
const cover = await fetch(url)
.then((response) => response.json())
.then((songData) => songData.album.image[4]["#text"])
.catch(err => reject(err));
const date = new Date(song.started_at);
const songData = {
id1 : song.id,
id2 : song.id + 1,
artist : song.artist.name,
title : song.title,
cover : cover,
started_at : date.getHours() + ':' + date.getMinutes().toString().padStart(2, '0')
}
resolve(songData);
}));
const results = await Promise.all(promises);
this.setState({ results: results })
}
const deferred = () => {
Promise.prototype.resolve = () => {}; // чтобы не было ошибок )
return Promise.resolve("web");
}
// проверка
deferred()
.then(function(res) {
console.log(200, res);
return "lab";
})
.then(function(res) {
console.log(100, res);
})
.resolve("web");
// реализация
function deferred() {
function Box() {
this.queue = [];
}
Box.prototype.then = function(func) {
this.queue.push(func);
return this;
}
Box.prototype.resolve = function(first_arg) {
let arg = first_arg;
while (this.queue.length)
arg = this.queue.shift().call(this, arg);
}
return new Box;
}
-t ???
:ffmpeg -i SOURCE
// найти duration
ffmpeg \
-i SOURCE \
-t XXX \
-codec copy \
DESTINATION
При отсутствии перекодирования , т.к. кодеки те же, процесс должен быть очень быстрым."<div class=\"$array[key]\"> </div>";
"<div class=\"{$array['key']}\"> </div>";
"<div class=\"$object->property\"> </div>";
См. Variable parsing