-
Notifications
You must be signed in to change notification settings - Fork 9
/
Copy pathscript.js
661 lines (521 loc) · 16.1 KB
/
script.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
"use strict";
// 🔸Destructuring Arrays🔸
/*
const restaurant = {
name: "Classico Italiano",
location: "Via Angelo, Tavanti 23, Firenze, Italy",
categories: ["Italian", "Pizzeria", "Vegetarian", "Organic"],
starterMenu: ["Focaccia", "Bruschetta", "Garlic Bread", "Caprese Salad"],
mainMenu: ["Pizza", "Pasta", "Risotto"],
order: function (starterIndex, mainIndex) {
return [this.starterMenu[starterIndex], this.mainMenu[mainIndex]];
},
};
const arr = [2, 3, 4];
const a = arr[0];
const b = arr[1];
const c = arr[2];
const [x, y, z] = arr;
console.log(x, y, z);
console.log(arr);
let [main, , secondary] = restaurant.categories;
console.log(main, secondary);
// Switching variables
// const temp = main;
// main = secondary;
// secondary = temp;
// console.log(main, secondary);
[main, secondary] = [secondary, main];
console.log(main, secondary);
// Receive 2 return values from a function
const [starter, mainCourse] = restaurant.order(2, 0);
console.log(starter, mainCourse);
const nested = [2, 4, [5, 6]];
// const [i, , j] = nested;
// console.log(`Test`, nested);
const [i, , [j, k]] = nested;
console.log(i, j, k);
// Default values
const [p = 1, q = 1, r = 1] = [8, 9];
console.log(p, q, r);
*/
// 🔸Desructuring Objects🔸
const restaurant = {
name: "Classico Italiano",
location: "Via Angelo, Tavanti 23, Firenze, Italy",
categories: ["Italian", "Pizzeria", "Vegetarian", "Organic"],
starterMenu: ["Focaccia", "Bruschetta", "Garlic Bread", "Caprese Salad"],
mainMenu: ["Pizza", "Pasta", "Risotto"],
openingHours: {
thu: {
open: 12,
close: 22,
},
fri: {
open: 11,
close: 23,
},
sat: {
open: 0, // Open 24 hours
close: 24,
},
},
order: function (starterIndex, mainIndex) {
return [this.starterMenu[starterIndex], this.mainMenu[mainIndex]];
},
// Destructuring objects within methods (lots of parameters)
orderDelivery: function ({
starterIndex = 0,
mainIndex = 1,
time = "19:30",
address = "Dublin, England",
}) {
console.log(
`Order received ${this.starterMenu[starterIndex]} and ${this.mainMenu[mainIndex]} will be delivered to ${address} at ${time}`
);
},
orderPasta: function (ing1, ing2, ing3) {
console.log(`Here is yout declicious pasta with ${ing1}, ${ing2}, ${ing3}`);
},
orderPizza: function (mainIngredient, ...otherIngredients) {
console.log(mainIngredient, otherIngredients);
},
};
// Calling orderDelivery method with new object parameters
restaurant.orderDelivery({
time: "22:30",
address: "Via del Sole, 21",
mainIndex: 2,
starterIndex: 2,
});
// Calling orderDelivery method with only two parameters, the missing parameters will be gotten from the default values
restaurant.orderDelivery({
address: "Via del Sole, 21",
starterIndex: 1,
});
const { name, openingHours, categories } = restaurant;
console.log(name, openingHours, categories);
// Changing object names using variables.
const {
name: restaurantName,
openingHours: hours,
categories: tags,
} = restaurant;
console.log(restaurantName, hours, tags);
// Setting default values
const { menu = [], starterMenu: starters = [] } = restaurant;
console.log(menu, starters);
// Mutating variables in objects
let a = 111;
let b = 999;
const obj = { a: 23, b: 7, c: 14 };
({ a, b } = obj);
console.log(obj);
// Nested objects
const {
fri: { open: o, close: c },
} = openingHours;
console.log(open, close);
console.log(o, c);
/* 🔸Spread Operators🔸
The spread operator (...) is used to quickly copy all or part of an existing array or object into another array or object.
*/
let arr = [7, 8, 9];
console.log(arr);
const bad = [1, 2, arr[0], arr[1], arr[2]];
console.log(bad);
// Copy the arr array and add it to the good array
const good = [1, 2, ...arr];
console.log(good);
// Also used for passing arguments into functions
console.log(1, 2, 7, 8, 9); // ⛔
console.log(...good); // ✅
const newMenu = [...restaurant.mainMenu, "Gnocci"];
console.log(newMenu);
/*
? Difference btw spread operator and destructuring is that spread operators does not create new variables. It can only be used in places where values are seperated by commas.
*/
// Copy arrays
const mainMenuCopy = [...restaurant.mainMenu];
// Join 2 arrays
const menus = [...restaurant.mainMenu, ...restaurant.starterMenu];
console.log(menus);
// Iterables: arrays, strings, maps, sets, NOT objects
const str = "Eke";
const letters = [...str, "", "S"];
console.log(letters);
//? Spread operators can only be used when building an array or when values are passed into a funciton.
// console.log(${...str} 'Victor'); Will not work
// Real-world example
// const ingredients = [
// prompt("Let's make pasta! Ingredient 1?"),
// prompt("Let's make pasta! Ingredient 2?"),
// prompt("Let's make pasta! Ingredient 3?"),
// ];
// console.log(ingredients);
// restaurant.orderPasta(ingredients[0], ingredients[1], ingredients[2]);
// restaurant.orderPasta(...ingredients);
// Objects
const newRestaurant = { foundedIn: 1988, ...restaurant, founder: "Guiseppe" };
console.log(newRestaurant);
const restaurantCopy = { ...restaurant };
restaurantCopy.name = "Ristorante Roma";
console.log(restaurantCopy.name, restaurant.name);
// 🔸Rest Pattern and Parameters🔸
const data = [1, 2, ...[3, 4]];
// Rest: Destructuring
const [j, k, ...others] = [1, 2, 3, 4, 5];
console.log(j, k, others);
const [pizza, , risotto, ...otherFood] = [
...restaurant.mainMenu,
...restaurant.starterMenu,
];
console.log(pizza, risotto, otherFood);
const { sat, ...weekdays } = { ...restaurant.openingHours };
console.log(sat, weekdays);
// Rest: Functions
const add = function (...numbers) {
console.log(numbers);
let sum = 0;
for (let i = 0; i < numbers.length; i++) {
sum += numbers[i];
}
console.log(sum);
};
add(2, 3);
add(5, 3, 7, 2);
add(8, 2, 5, 3, 2, 1, 4);
const x = [23, 5, 7];
add(...x);
restaurant.orderPizza("Mushrooms", "Onions", "Olives", "Spinach");
restaurant.orderPizza("Mushrooms");
// 🔸Short Circuting (OR ||)🔸
console.log("Short Circuting");
console.log(3 || "Eke");
console.log("" || "Eke");
console.log(true || 0);
console.log(undefined || null);
console.log(undefined || 0 || "" || "Hello" || 23 || null);
restaurant.numGuests = 23;
const guest = restaurant.numGuests ? restaurant.numGuests : 10;
console.log(guest);
const guest2 = restaurant.numGuests || 10;
console.log(guest2);
// Short Circuting (AND &&)
console.log(0 && "Eke");
console.log(7 && "Eke");
console.log("Hello" && 23 && null && "Eke");
if (restaurant.orderPizza) {
restaurant.orderPizza("Mushrooms", "Spinach");
}
restaurant.orderPizza && restaurant.orderPizza("Mushrooms", "Spinach");
// 🔸Nullish Coalescing Operator🔸
restaurant.numGuests = 0;
const guest3 = restaurant.numGuests || 10;
console.log(guest3);
// 🔸Looping Arrays (For-Of Loop)🔸
const newMenu2 = [...restaurant.starterMenu, ...restaurant.mainMenu];
// for (let i = 0; i < newMenu2.length; i++) {
// console.log(`FOR: ${newMenu2[i]} is a Cheese Recipe`);
// }
for (const foo of newMenu2) console.log(foo);
for (const [i, el] of newMenu2.entries()) {
// console.log(item);
console.log(`${i + 1}: ${el}`);
}
// Enhanced object literals
const testing = {
thu: {
open: 12,
close: 22,
},
fri: {
open: 11,
close: 23,
},
};
const other = {
// ES5
testing: testing,
// ES6
testing,
// ES5
orderPizza: function (mainIngredient, ...otherIngredients) {
console.log(mainIngredient, otherIngredients);
},
// ES6
orderPizza(mainIngredient, ...otherIngredients) {
console.log(mainIngredient, otherIngredients);
},
};
// 🔸Optional Chaining🔸
// Using conditional statements
if (restaurant.openingHours.mon) console.log(restaurant.openingHours.mon.open);
// Using optional chaining
console.log(restaurant.openingHours.mon?.open);
// Real-world Example
const days = ["mon", "tue", "wed", "thu", "fri", "sat", "sun"];
for (const day of days) {
console.log(day);
const open = restaurant.openingHours[day]?.open ?? "closed";
console.log(`On ${day}, we open at ${open}`);
}
// Optional chanining on Methods
console.log(restaurant.order?.(0, 1) ?? "Method does not exisit");
console.log(restaurant.orderRisotto?.(0, 1) ?? "Method does not exisit");
// Optional chanining on Arrays
const users = [{ name: "Eke", email: "[email protected]" }];
console.log(users[0]?.name ?? "User array empty");
// 🔸Looping Objects, Keys, Values, and Entries🔸
const properties = Object.keys(openingHours);
console.log(properties);
let openStr = `We are open on ${properties.length} days: `;
for (const day of properties) {
openStr += `${day}, `;
}
console.log(openStr);
const values = Object.values(openingHours);
console.log(values);
// Entries Object
const entries = Object.entries(openingHours);
console.log(entries);
// [key, value]
for (const [day, { open, close }] of entries) {
console.log(`On ${day} we open at ${open} and close at ${close}`);
}
// 🔸Sets🔸
const ordersSet = new Set([
"Pasta",
"Pizza",
"Pizza",
"Risoto",
"Pasta",
"Pizza",
]);
console.log(ordersSet);
console.log(ordersSet.size);
// Has in Set
console.log(ordersSet.has("Bread"));
console.log(ordersSet.has("Pizza"));
// Add & Delete Set
ordersSet.add("Garlic Bread");
ordersSet.add("Garlic Bread");
console.log(ordersSet);
ordersSet.delete("Risoto");
console.log(ordersSet);
// Clear a set
// ordersSet.clear();
for (const order of ordersSet) {
console.log(order);
}
// Use Case
const staff = ["Waiter", "Chef", "Waiter", "Manager", "Chef", "Waiter"];
const staffUnique = new Set(staff);
console.log(staffUnique);
// Convert values to arrays
const staffUniqueAr = [...new Set(staff)];
console.log(staffUniqueAr);
// 🔸Maps🔸
const rest = new Map();
// Add elements
rest.set("name", "Classico Italiano");
rest.set(1, "Firenze, Italy");
rest.set(2, "Lisbon, Portugal");
console.log(rest);
rest
.set(categories, [])
.set("open", 11)
.set("close", 23)
.set(true, "We are open :D")
.set(false, "We are closed :(");
console.log(rest);
console.log(rest.get(true));
// Get elements
const time = 21;
console.log(rest.get(time > rest.get("open") && time < rest.get("close")));
// Check for elements
console.log(rest.has(categories));
// Remove elements
rest.delete(2);
console.log(rest);
// Size of elements
console.log(rest.size);
// Clear elements
// rest.clear();
// console.log(rest);
// We can also use object inside of maps
rest.set([1, 2], "Test");
console.log(rest);
// This will not work because it is not present in the same memory.
console.log(rest.get([1, 2])); // Undefined
const s = [1, 2];
rest.set(s, "Test");
console.log(rest.get(s));
// DOM elements
rest.set(document.querySelector("h1"), "Heading");
console.log(rest);
// 🔸Map Iterations🔸
const question = new Map([
["Question", "What is the best programming language in the world?"],
[1, "C"],
[2, "Java"],
[3, "JavaScript"],
["Correct", 3],
[true, "correct 🎉"],
[false, "Try Again 💔"],
]);
console.log(question);
// Convert objects to Map
const hoursMap = new Map(Object.entries(openingHours));
console.log(hoursMap);
// Quiz App
console.log(question.get("Question"));
for (const [key, value] of question) {
if (typeof key === "number") {
console.log(`Answer ${key}: ${value}`);
}
}
// const answer = Number(prompt("What is your answer?"));
const answer = 3;
console.log(
answer === question.get("correct")
? `${answer} ${question.get(true)}`
: `${answer} ${question.get(false)}`
);
// Convert Map to Array
console.log(...question);
// Also contains the keywords in Objects
console.log(...question.entries());
console.log(...question.keys());
console.log(...question.values());
// 🔸Working with Strings - Part 1🔸
const airline = "Dana Air Nigeria";
const plane = "Boeing 700";
console.log(plane[0]); // output B
console.log(plane[1]); // output o
console.log(plane[2]); // output e
console.log("B737"[0]); // output B
console.log(airline.length); // output 16
console.log("B737".length); // output 4
console.log(airline.indexOf("a")); // output 1
console.log(airline.lastIndexOf("a")); // output 15
console.log(airline.indexOf("Codo")); // output -1
console.log(airline.slice(5)); // output 'Air Nigeria'
console.log(airline.slice(5, 7)); // output 'Ai'
console.log("12345".slice(4)); // output '5'
// Don't know the string value
console.log(airline.slice(0, airline.indexOf(" ")));
console.log(airline.slice(0, airline.lastIndexOf(" ")));
// Negative values
console.log(airline.slice(-2)); // ia
console.log(airline.slice(-6)); // igeria
console.log(airline.slice(-11)); // Air Nigeria
console.log(airline.slice(1, -11)); // ana
// Exercise
const checkMiddleSeat = function (seat) {
// B & E are middle seats
const x = seat.slice(-1);
if (x === "B" || x === "E") {
console.log(`${x} is a middle seat`);
} else {
console.log(`${x} is not a middle seat`);
}
};
checkMiddleSeat("11B");
checkMiddleSeat("23C");
checkMiddleSeat("3E");
// 🔸Working with Strings - Part 2🔸
console.log(airline.toLowerCase()); // output dana air nigeria
console.log(airline.toUpperCase()); // output DANA AIR NIGERIA
// Fix capitalization in a name
const passenger = "vICtOR";
const passengerLower = passenger.toLowerCase();
const passengerCorrect =
passengerLower[0].toUpperCase() + passengerLower.slice(1);
console.log(passengerCorrect);
// Function
const correctName = function (name) {
const low = name.toLowerCase();
const correct = low[0].toUpperCase() + low.slice(1);
return correct;
};
console.log(correctName("jOHn"));
// Comparing emails
const email = "[email protected]";
const loginEmail = " [email protected] \n";
// const lowerEmail = loginEmail.toLowerCase();
// const trimmedEmail = lowerEmail.trim();
// console.log(trimmedEmail);
// Do it in one step
const normalEmail = loginEmail.toLowerCase().trim();
console.log(normalEmail);
console.log(email === normalEmail);
// Replacing
const priceNG = "₦288.97";
console.log(priceNG);
const priceGB = priceNG.replace("₦", "£").replace(".", ",");
console.log(priceGB);
const announcement =
"All passengers come to boarding door 23. Boarding door 23!";
console.log(announcement.replace("door", "gate"));
console.log(announcement.replaceAll("door", "gate"));
// Regular expression
console.log(announcement.replace(/door/g, "gate"));
// Booleans
const planes = "Airbus A320neo";
console.log(planes.includes("A320")); // true
console.log(planes.includes("Boeing")); // false
console.log(planes.startsWith("Air")); // false
if (planes.startsWith("Airbus") && planes.endsWith("neo")) {
console.log("Part of the New Airbus family");
}
// Practice Exercise
const checkBaggage = function (items) {
const baggage = items.toLowerCase();
if (baggage.includes("knife") || baggage.includes("gun")) {
console.log("You are NOT allowed on board");
} else {
console.log("Welcome aboard");
}
};
checkBaggage("I have a laptop, some Food and a pocket Knife");
checkBaggage("Socks and camera");
checkBaggage("Get some snacks and a gun for protection");
// 🔸Working with Strings - Part 3🔸
console.log("a+very+nice+string".split("+")); // ["a", "very", "nice", "string"]
console.log("Victor Eke".split(" ")); // ["Victor", "Eke"]
const [firstName, lastName] = "Victor Eke".split(" ");
const newName = ["Mr.", firstName, lastName.toUpperCase()].join(" ");
console.log(newName);
// Capitalize Name
const capitalizeName = function (name) {
const names = name.split(" ");
const namesUpper = [];
for (const n of names) {
// namesUpper.push(n[0].toUpperCase() + n.slice(1));
// Using replace
namesUpper.push(n.replace(n[0], n[0].toUpperCase()));
}
console.log(namesUpper.join(" "));
};
capitalizeName("jessica ann smith davis");
capitalizeName("victor eke");
// Padding
const message = "Go to gate 23";
console.log(message.padStart(25, "+"));
console.log("Victor".padStart(10, "+").padEnd(14, "+"));
const maskCreditCard = function (number) {
const str = String(number);
console.log(str.slice(12).padStart(str.length, "*"));
};
maskCreditCard(5493403400303010);
maskCreditCard("4446482749251379");
// Repeat
const message2 = "Hello";
console.log(message2.repeat(3));
function planesInline(n) {
console.log(`There are ${n} planes in line ${"✈️".repeat(n)}`);
}
planesInline(10);
planesInline(3);
planesInline(5);