-
-
Notifications
You must be signed in to change notification settings - Fork 337
Expand file tree
/
Copy path2-cases.js
More file actions
30 lines (21 loc) · 1.04 KB
/
2-cases.js
File metadata and controls
30 lines (21 loc) · 1.04 KB
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
// A set of words can be grouped together in different cases.
// For example, "hello there" in snake case would be written "hello_there"
// UPPER_SNAKE_CASE means taking a string and writing it in all caps with underscores instead of spaces.
// Implement a function that:
// Given a string input like "hello there"
// When we call this function with the input string
// it returns the string in UPPER_SNAKE_CASE, so "HELLO_THERE"
// Another example: "lord of the rings" should be "LORD_OF_THE_RINGS"
// You will need to come up with an appropriate name for the function
// Use the MDN string documentation to help you find a solution
// This might help https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/String/toUpperCase
function snakeCasing(str) {
const capitalize = str.toUpperCase();
const arr = capitalize.split(" ");
return arr.join("_");
}
console.log(snakeCasing("ofonime edak"));
function snakeCasingAlt(str) {
return str.toUpperCase().replaceAll(" ", "_");
}
console.log(snakeCasingAlt("ofonime edak Sunday"));