#What is a string?
- 1. A string is a sequence of characters enclosed in single quotes, double quotes or backticks.
- 2. It is a primitive data type in JavaScript.
- 3. Strings are immutable - once created, their characters cannot be changed.
- 4. The internal format for strings is always UTF-16, regardless of the page encoding.
- 5. String Indexing
- Each character in a string has a position (index) starting from 0
- The last character is at position string.length - 1
- Negative indices count from the end of the string
1let str = "Hello";2// Indices: 0123434// Access characters using index5console.log(str[0]); // "H"6console.log(str[4]); // "o"7console.log(str[-1]); // undefined (use at() for negative indices)8console.log(str.at(-1)); // "o" (last character) - 6. String Access Methods
- Square brackets []: Zero-based index access (returns undefined if out of range)
- charAt(): Returns character at index (returns empty string if out of range)
- at(): Supports both positive and negative indices
1let str = "JavaScript";23// Different ways to access characters4console.log(str[0]); // "J"5console.log(str.charAt(0)); // "J"6console.log(str.at(0)); // "J"78// Out of range behavior9console.log(str[20]); // undefined10console.log(str.charAt(20)); // "" (empty string)11console.log(str.at(-1)); // "t" (last character)12console.log(str.at(-2)); // "p" (second to last) - 7. String Characteristics
- Immutability: Individual characters cannot be changed after creation
- Case Sensitivity: String comparisons and methods are case-sensitive by default
- Unicode Support: Can contain any Unicode characters including emojis
1let str = "Hello";23// Immutability4str[0] = "h"; // No effect5console.log(str); // Still "Hello"67// Case sensitivity8console.log("Hello" === "hello"); // false910// Unicode support11let text = "Hello 👋 World 🌍";12console.log(text.length); // Length includes emoji characters13console.log(text[6]); // "👋" (emoji is a single character)
#Types of String
- 1. There are three types of string in JavaScript:1let single = 'single-quoted';2let double = "double-quoted";3let backticks = `backticks`;
- 2. Single and double quotes are essentially the same.
- 3. Backticks allow:
- Multiline strings
- String interpolation using ${expression} .
- 4. Example of template literals:1let name = "John";2let greeting = \`Hello, ${name}!\`; // Hello, John!34let multiline = `5 Line 16 Line 27 Line 38`;
#String Methods
- 1. length
- Used to: Get the number of characters in a string
- Syntax: str.length
- Returns: number - the length of the string
1let str = "Hello";2console.log(str.length); // 534let empty = "";5console.log(empty.length); // 0 - 2. at(index)
- Used to: Access a character at a specific position in the string
- Syntax: str.at(index)
- Returns: string - single character at the index, or undefined if out of range
1let str = "Hello";2console.log(str.at(0)); // H3console.log(str.at(-1)); // o (last character)4console.log(str.at(-2)); // l (second to last) - 3. indexOf(searchString, position)
- Used to: Find the first occurrence of a substring in a string
- Syntax: str.indexOf(searchString, [position])
- Returns: number - index of first match, or -1 if not found
1let str = "Hello World";2console.log(str.indexOf("World")); // 63console.log(str.indexOf("world")); // -1 (case sensitive)4console.log(str.indexOf("o", 5)); // 7 (starts search from index 5) - 4. slice(start, end)
- Used to: Extract a portion of a string between two indices
- Syntax: str.slice(startIndex, [endIndex])
- Returns: string - extracted substring from start to end (not including end)
1let str = "Hello World";2console.log(str.slice(0, 5)); // "Hello"3console.log(str.slice(6)); // "World"4console.log(str.slice(-5)); // "World"5console.log(str.slice(-6, -1)); // "Worl" - 5. replace(searchValue, replaceValue)
- Used to: Replace the first occurrence of a substring in a string
- Syntax: str.replace(searchValue, replaceValue)
- Returns: string - new string with the first match replaced
1let str = "Hello World";2console.log(str.replace("World", "JavaScript")); // "Hello JavaScript"3console.log(str.replace("o", "0")); // "Hell0 World" - 6. replaceAll(searchValue, replaceValue)
- Used to: Replace all occurrences of a substring in a string
- Syntax: str.replaceAll(searchValue, replaceValue)
- Returns: string - new string with all matches replaced
1let str = "ha ha ha";2console.log(str.replaceAll("ha", "he")); // "he he he"3console.log(str.replaceAll("a", "o")); // "ho ho ho" - 7. charAt(index)
- Used to: Get the character at a specific position in the string
- Syntax: str.charAt(index)
- Returns: string - single character at the index, or empty string if out of range
1let str = "Hello";2console.log(str.charAt(0)); // "H"3console.log(str.charAt(4)); // "o"4console.log(str.charAt(10)); // "" (empty string) - 8. charCodeAt(index)
- Used to: Get the Unicode value of a character at a specific position
- Syntax: str.charCodeAt(index)
- Returns: number - Unicode value of character, or NaN if index is out of range
1let str = "Hello";2console.log(str.charCodeAt(0)); // 72 (Unicode for 'H')3console.log(str.charCodeAt(1)); // 101 (Unicode for 'e')4console.log("ABC".charCodeAt(0)); // 65 (Unicode for 'A') - 9. lastIndexOf(searchString, position)
- Returns the last occurrence of searchString
- Optional position parameter specifies where to start searching from (backwards)
1let str = "Hello World, Hello JavaScript";2console.log(str.lastIndexOf("Hello")); // 133console.log(str.lastIndexOf("Hello", 12)); // 04console.log(str.lastIndexOf("Python")); // -1 (not found) - 10. includes(searchString, position)
- Checks if string contains searchString
- Returns true or false
1let str = "Hello World";2console.log(str.includes("World")); // true3console.log(str.includes("world")); // false (case sensitive)4console.log(str.includes("Hello", 1)); // false (starts search from index 1) - 11. startsWith(searchString, position)
- Checks if string starts with searchString
- Optional position parameter specifies start position for search
1let str = "Hello World";2console.log(str.startsWith("Hello")); // true3console.log(str.startsWith("World")); // false4console.log(str.startsWith("World", 6)); // true (starts check from index 6) - 12. endsWith(searchString, length)
- Checks if string ends with searchString
- Optional length parameter limits the search length
1let str = "Hello World";2console.log(str.endsWith("World")); // true3console.log(str.endsWith("Hello")); // false4console.log(str.endsWith("Hello", 5)); // true (checks only first 5 characters) - 13. toUpperCase() / toLowerCase()
- Converts string to upper/lower case
- Returns new string, original remains unchanged
1let str = "Hello World";2console.log(str.toUpperCase()); // HELLO WORLD3console.log(str.toLowerCase()); // hello world4console.log("JavaScript".toLowerCase()); // javascript - 14. trim() / trimStart() / trimEnd()
- trim() removes whitespace from both ends
- trimStart() removes whitespace from start
- trimEnd() removes whitespace from end
1let str = " Hello World ";2console.log(str.trim()); // "Hello World"3console.log(str.trimStart()); // "Hello World "4console.log(str.trimEnd()); // " Hello World" - 15. concat(str1, str2, ...)
- Joins two or more strings
- Returns new string, originals remain unchanged
1let str1 = "Hello";2let str2 = "World";3console.log(str1.concat(" ", str2)); // "Hello World"4console.log("".concat(1, 2, 3)); // "123"5console.log(str1.concat(", ", str2, "!")); // "Hello, World!" - 16. substring(start, end)
- Extracts characters between start and end (end not included)
- Negative values are treated as 0
1let str = "Hello World";2console.log(str.substring(0, 5)); // "Hello"3console.log(str.substring(6)); // "World"4console.log(str.substring(6, 3)); // "llo" (swaps if start > end)5console.log(str.substring(-3)); // "Hello World" (negative becomes 0) - 17. split(separator)
- Used to: Convert a string into an array by splitting at specified separator
- Syntax: str.split([separator[, limit]])
- Returns: array - substrings created by splitting the string at separator
1// Split string into words2let str = "Hello World JavaScript";3console.log(str.split(" ")); // ["Hello", "World", "JavaScript"]45// Split with limit6console.log(str.split(" ", 2)); // ["Hello", "World"]78// Split into characters9let text = "Hello";10console.log(text.split("")); // ["H", "e", "l", "l", "o"]1112// Split CSV data13let data = "John,Doe,25,Developer";14console.log(data.split(",")); // ["John", "Doe", "25", "Developer"] - 18. join(separator)
- Used to: Create a string by concatenating all elements of an array
- Syntax: array.join([separator])
- Returns: string - all array elements joined with the specified separator
1let words = ["Hello", "World", "JavaScript"];2console.log(words.join(" ")); // "Hello World JavaScript"34// Join with different separators5let items = ["apple", "banana", "orange"];6console.log(items.join(", ")); // "apple, banana, orange"7console.log(items.join("-")); // "apple-banana-orange"89// Join without separator10let chars = ["H", "e", "l", "l", "o"];11console.log(chars.join("")); // "Hello" - 19. match(regexp)
- Used to: Find all matches of a regular expression pattern in a string
- Syntax: str.match(regexp)
- Returns: array - containing all matches, or null if no matches found
1let str = "The rain in SPAIN stays mainly in the plain";23// Regex Flags:4// g (global) - Find all matches rather than stopping after first match5// i (case insensitive) - Case doesn't matter when matching6// m (multiline) - ^ and $ match start/end of each line7// s (dotAll) - Dot (.) matches newline characters8// y (sticky) - Matches only from lastIndex9// u (unicode) - Enable unicode features1011// Using g flag to find all matches12console.log(str.match(/ain/g)); // ["ain", "ain", "ain"]1314// Using i flag for case-insensitive search15console.log(str.match(/spain/i)); // ["SPAIN"]1617// Using multiple flags (g and i)18console.log(str.match(/the/gi)); // ["The", "the"]1920// Using \w+ to match words, g flag for all matches21console.log(str.match(/\w+/g)); // ["The", "rain", "in", "SPAIN", ...] - 20. search(regexp)
- Used to: Find the index of the first match of a regular expression
- Syntax: str.search(regexp)
- Returns: number - index of first match, or -1 if not found
1let str = "Hello World! HELLO JavaScript!";23// Basic search (case-sensitive)4console.log(str.search(/World/)); // 656// Using i flag for case-insensitive search7console.log(str.search(/hello/i)); // 089// Note: search() ignores g flag as it only returns first match10console.log(str.search(/hello/gi)); // 01112// Pattern not found13console.log(str.search(/Python/)); // -1 - 21. matchAll(regexp)
- Used to: Get an iterator of all matches of a regular expression
- Syntax: str.matchAll(regexp)
- Returns: iterator - containing all match objects with additional information
1let str = "Test1 test2 TEST3";23// g flag is required for matchAll4// i flag for case-insensitive matching5let matches = [...str.matchAll(/test\d/gi)];67// Each match object contains:8// - The full match9// - Index where match was found10// - Input string11// - Groups (if any)12console.log(matches);13// [14// ['Test1', index: 0, input: 'Test1 test2 TEST3', groups: undefined],15// ['test2', index: 6, input: 'Test1 test2 TEST3', groups: undefined],16// ['TEST3', index: 12, input: 'Test1 test2 TEST3', groups: undefined]17// ]1819// Using capture groups with g flag20let str2 = "2023-03-14 2024-01-01";21let dateMatches = [...str2.matchAll(/(\d{4})-(\d{2})-(\d{2})/g)];22dateMatches.forEach(match => {23 console.log(`Full date: ${match[0]}`);24 console.log(`Year: ${match[1]}, Month: ${match[2]}, Day: ${match[3]}`);25});
#String Practice Questions
- 1. How do you reverse a string in JavaScript?
- 2. Write a function to check if a string is a palindrome.
- 3. How do you find the first non-repeated character in a string?
- 4. Write a function to count the occurrences of each character in a string.
- 5. How do you check if two strings are anagrams?
- 6. Write a function to capitalize the first letter of each word in a string.
- 7. How do you remove duplicate characters from a string?
- 8. Write a function to find the longest word in a string.
- 9. How do you check if a string contains only numbers?
- 10. Write a function to count the number of vowels and consonants in a string.
#Special Characters
- 1. Escaping Special Characters
- \n - New line
- \t - Tab
- \' - Single quote (')
- \" - Double quote (")
- \` - Backtick
- \\ - Backslash
- \/ - Forward slash
- \b - Backspace
- \f - Form feed
- \r - Carriage return
- 2. Examples:1// Displaying quotes2let str1 = "He said \"Hello\""; // He said "Hello"3let str2 = 'It\'s a nice day'; // It's a nice day4let str3 = `Use \` for template`; // Use ` for template56// Displaying paths7let windowsPath = "C:\\Program Files\\Apps"; // C:Program FilesApps8let unixPath = "/home/user/docs"; // /home/user/docs910// Multiline strings11let multiline = "First line\nSecond line\nThird line";12/* Output:13First line14Second line15Third line */1617// Mixing quotes18let html = "<div class=\"main\">It\'s a \"quoted\" text</div>";19// <div class="main">It's a "quoted" text</div>2021// Unicode characters22let unicode = "\u00A9 2024"; // © 202423let emoji = "\u{1F600}"; // 😀
- 3. HTML Entity References
- " - For double quotes (")
- ' - For single quotes (')
- & - For ampersand (&)
- < - For less than (<)
- > - For greater than (>)
1// In HTML/JSX2<div>She said "Hello"</div> // She said "Hello"3<div>It's working</div> // It's working4<div>Price: 10&20</div> // Price: 10&205<div>1 < 2 && 3 > 2</div> // 1 < 2 && 3 > 2