generated from CodeYourFuture/Module-Template
-
-
Notifications
You must be signed in to change notification settings - Fork 119
/
Copy path2-cases.js
27 lines (20 loc) · 1.2 KB
/
2-cases.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
// 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
//SOLutions here
// A function that converts a string to UPPER_SNAKE_CASE
//Here's a function named toUpperSnakeCase that converts a given string to UPPER_SNAKE_CASE as described:
function toUpperSnakeCase(input) {
return input.toUpperCase().replace(/ /g, "_");
}
//Here's another way I would use this function:
console.log(toUpperSnakeCase("hello there")); // Output: "HELLO_THERE"
console.log(toUpperSnakeCase("lord of the rings")); // Output: "LORD_OF_THE_RINGS"