function cost(tax) {
let amount = tax * 0.2;
console.log(`сумма налогов: ${amount} рублей`);
}
// тупо
cost(50) + cost(100) + cost(150);
// неплохо
let arr = [50, 100, 150];
let sum = 0;
let taxes = arr.forEach(item => sum += cost(item)); // в цикле по arr добавляем cost(item)
// круто
let sum = [50, 100, 150].reduce((sum, item) => sum + cost(item), 0);
reduce
накапливает значения. 0 - начальное значение (let sum = 0;
). В функцию подается накопленное значение (sum) и элемент массива (item). Возвращается новое накопленное значение (sum += cost(item)
). JSON.stringify
отправит лишнее.localStorage.myForm = {}
и затем записываете все поля туда, а потом JSON.stringify(localStorage.myForm)
ну или самому обрабатывать. password = input(Pass: ") # Кавычку перед Pass: забыли
bool1 = Welcome # В кавычки
bool2 = access_denied # В кавычки
result = bool2 # Лучше перенести после else:
if password == "555":
result = bool1
else:
print(bool2)
if result is not bool2: # Лучше result != bool2
print("Password:", result)
return a.sort((a, b) => a.c - b.c);
sort()
на вход поступает оракул сравнения. Он выдает a < 0
, если первое значение должно стоять раньше второго, a > 0
, если наоборот, и a = 0
, если значения равны. Оператор -
работает именно так.sort()
изменяет входной массив:var a = [{b: 5,c: 6}, {b:2,c:4}, {b:3, c: 7}];
a.sort((a, b) => a.c - b.c);
// a == [{b:2,c:4},{b:5,c:6},{b:3,c:7}]
You can't parse [X]HTML with regex. Because HTML can't be parsed by regex. Regex is not a tool that can be used to correctly parse HTML. As I have answered in HTML-and-regex questions here so many times before, the use of regex will not allow you to consume HTML. Regular expressions are a tool that is insufficiently sophisticated to understand the constructs employed by HTML. HTML is not a regular language and hence cannot be parsed by regular expressions. Regex queries are not equipped to break down HTML into its meaningful parts. so many times but it is not getting to me. Even enhanced irregular regular expressions as used by Perl are not up to the task of parsing HTML. You will never make me crack. HTML is a language of sufficient complexity that it cannot be parsed by regular expressions. Even Jon Skeet cannot parse HTML using regular expressions. Every time you attempt to parse HTML with regular expressions, the unholy child weeps the blood of virgins, and Russian hackers pwn your webapp. Parsing HTML with regex summons tainted souls into the realm of the living. HTML and regex go together like love, marriage, and ritual infanticide. The <center> cannot hold it is too late. The force of regex and HTML together in the same conceptual space will destroy your mind like so much watery putty. If you parse HTML with regex you are giving in to Them and their blasphemous ways which doom us all to inhuman toil for the One whose Name cannot be expressed in the Basic Multilingual Plane, he comes. HTML-plus-regexp will liquify the nerves of the sentient whilst you observe, your psyche withering in the onslaught of horror. Rege̿̔̉x-based HTML parsers are the cancer that is killing StackOverflow it is too late it is too late we cannot be saved the trangession of a chi͡ld ensures regex will consume all living tissue (except for HTML which it cannot, as previously prophesied) dear lord help us how can anyone survive this scourge using regex to parse HTML has doomed humanity to an eternity of dread torture and security holes using regex as a tool to process HTML establishes a breach between this world and the dread realm of c͒ͪo͛ͫrrupt entities (like SGML entities, but more corrupt) a mere glimpse of the world of regex parsers for HTML will instantly transport a programmer's consciousness into a world of ceaseless screaming, he comes, the pestilent slithy regex-infection will devour your HTML parser, application and existence for all time like Visual Basic only worse he comes he comes do not fight he com̡e̶s, ̕h̵is un̨ho͞ly radiańcé destro҉ying all enli̍̈́̂̈́ghtenment, HTML tags lea͠ki̧n͘g fr̶ǫm ̡yo͟ur eye͢s̸ ̛l̕ik͏e liquid pain, the song of re̸gular expression parsing will extinguish the voices of mortal man from the sphere I can see it can you see ̲͚̖͔̙î̩́t̲͎̩̱͔́̋̀ it is beautiful the final snuf
fing of the lies of Man ALL IS LOŚ͖̩͇̗̪̏̈́T ALL IS LOST the pon̷y he comes he c̶̮omes he comes the ichor permeates all MY FACE MY FACE ᵒh god no NO NOO̼OO NΘ stop the an*̶͑̾̾̅ͫ͏̙̤g͇̫͛͆̾ͫ̑͆l͖͉̗̩̳̟̍ͫͥͨe̠̅s͎a̧͈͖r̽̾̈́͒͑e
not rè̑ͧ̌aͨl̘̝̙̃ͤ͂̾̆ ZA̡͊͠͝LGΌ ISͮ̂҉̯͈͕̹̘̱ TO͇̹̺ͅƝ̴ȳ̳ TH̘Ë͖́̉ ͠P̯͍̭O̚N̐Y̡ H̸̡̪̯ͨ͊̽̅̾̎Ȩ̬̩̾͛ͪ̈́̀́͘ ̶̧̨̱̹̭̯ͧ̾ͬC̷̙̲̝͖ͭ̏ͥͮ͟Oͮ͏̮̪̝͍M̲̖͊̒ͪͩͬ̚̚͜Ȇ̴̟̟͙̞ͩ͌͝S̨̥̫͎̭ͯ̿̔̀ͅ
a++ + ++a
1. a++ == 1 (a == 2)
2. ++a == 3 (a == 3)
3. 1 + 3 == 4 (a == 3)
затем прибавить к нему 2
+
- не sequence point. Грубо говоря, это значит, что если перед и после точки следования меняется одна переменная, результат не определен. Например, это может быть 4, как в JS (идем слева направо), это может быть 5 (идем справа налево):a++ + ++a
1. ++a == 2 (a == 2)
2. a++ == 2 (a == 3)
3. 2 + 3 == 5 (a == 3)
a++ + ++a
1. a++ == 1 (a == 1)
2. ++a == 2 (a == 1)
3. 1 + 2 == 3 (a == 1)
4. a++; ++a (a == 3)
@a13xsus: 100 — это CV
function numberToId(number) {
var letters = "ABCDEFGHIJKLMNOPQRSTUVWYXZ"; // Алфавит
var output = "";
while(number) {
output = letters[(number - 1) % letters.length] + output;
number = Math.floor(number / letters.length);
}
return output;
}
#include <iostream> // загружаем библиотеку для IO (input/output)
int main() { // определяем функцию main
string a, b; // a и b - строки
cin >> a >> b; // вводим a и b
cout << a + b; // складываем a и b и выводим их
return 0; // возвращаем 0 - символ того, что все прошло успешно
}
#include <stdio.h> // загружаем библиотеку для IO (input/output)
int main() { // определяем функцию main
char a[], b[]; // a и b - массивы символов
sscanf("%s%s", &a, &b); // вводим a и b как строки
strcat(a, b); // дописываем к a строку b
printf("%s", a); // выводим a как строку
return 0; // возвращаем 0 - символ того, что все прошло успешно
}
a
и b
(условно). В некоторых языках (c) они обычно пишутся раздельно, но Вам нужно сделать лигатуру. Как ее сделать? Правильно: a ZWJ b
.o
и ~
. В некоторых языках они обычно пишутся слитно (~
над o
), но Вам нужно написать из раздельно (o~
). Как это сделать? Правильно: o ZWNJ ~
.replace("\", "")
"
, и код падает с синтаксической ошибкой.replace("\\", "")
replace(/\\/g, "")
\\
в пустую строку, хотя должно быть \
replace(/\\(.)/g, "\1")
<div class="column-wrapper">
<div class="column-button">Заказать</div>
<div class="column"></div>
</div>
.column-wrapper {
position: relative;
}
.column {
display: inline-block;
width: 200px;
height: 300px;
}
.column-button {
display: inline-block;
width: 180px;
height: 30px;
position: absolute;
left: 10px;
bottom: 20px;
}
.column-button:hover ~ .column {
/* Меняем .column при наведении на кнопку */
}
+/-
нет в памяти. Есть только 0/1
. Запись отрицательных чисел, как вы показали, называется дополнительный код. Он удобен при счете, так как практически не отличается от счета беззнаковых чисел.-
00000010 (2)
- 00000100 (4)
--------
11111110 (-2)
11111111 (-1)
+ 00000011 (3)
--------
100000010 (2) - здесь старший бит отбрасывается, так как у нас не больше 8 бит
11111111111111111111111111111110
как беззнаковое число, это 4294967294. Но это знаковое число! Старший (первый) бит показывает 1
, значит, это отрицательное число.00000000000000000000000000000001
00000000000000000000000000000010
2
.-
: -2
. return idCheck; return nameCheck; return emailCheck
Вы серьезно?
Даже без ... все равно проверку на валидацию не проходит. Теперь просто добавляет пользователей без проверки.
return
подряд, возвращается первый (idCheck). Когда return
нет, возвращается undefined
, который в if становится false
. Нужно сделатьreturn idCheck && nameCheck && emailCheck;
count the number of other attributes and pseudo-classes in the selector (= c)