32장. String

Happhee·2022년 2월 12일
0

JS : Depp Dive

목록 보기
27/35
post-thumbnail
post-custom-banner

표준 빌트인 객체인 String은 원시 타입인 문자열을 다룰 때, 유용한 프로퍼티와 메서드를 제공

1. String 생성자 함수

생성자 함수로 호출하면 String 래퍼 객체가 생성된다

let strObj = new String();
console.log(strObj); // String {length: 0, [[PrimitiveValue]]: ""}

strObj = new String('Lee');
console.log(strObj);
// String {0: "L", 1: "e", 2: "e", length: 3, [[PrimitiveValue]]: "Lee"}

배열과 유사하게 인덱스를 사용하여 각 문자에 접근할 수 있다

console.log(strObj[0]); // L

그러나 문자열은 원시값이기에 변경할 수 없다

strObj[0] = 'S';
console.log(strObj); // 'Lee'

만약, new연산자를 사용하지 않고 String 생성자 함수를 호출하면 String 인스턴스가 아닌 문자열을 반환한다
이를 사용해 명시적 타입 변환을 수행하기도 한다

// 숫자 타입 => 문자열 타입
String(1);        // -> "1"
String(NaN);      // -> "NaN"
String(Infinity); // -> "Infinity"

// 불리언 타입 => 문자열 타입
String(true);  // -> "true"
String(false); // -> "false"

2. length 프로퍼티

문자열의 문자 개수를 반환

'Hello'.length;    // -> 5
'안녕하세요!'.length; // -> 6

3. String 메서드

배열에는 원본 배열을 직접 변경하는 메서드와 변경하지 않는 메서드가 있지만,
String 객체에는 원본 String 래퍼 객체를 직접 변경하는 메서드는 존재하지 않는다
즉, String 래퍼 객체읽기 전용이라는 것이다

const strObj = new String('Lee');
console.log(Object.getOwnPropertyDescriptors(strObj));
/* String 래퍼 객체는 읽기 전용 객체다. 즉, writable 프로퍼티 어트리뷰트 값이 false다.
{
  '0': { value: 'L', writable: false, enumerable: true, configurable: false },
  '1': { value: 'e', writable: false, enumerable: true, configurable: false },
  '2': { value: 'e', writable: false, enumerable: true, configurable: false },
  length: { value: 3, writable: false, enumerable: false, configurable: false }
}
*/
  • String.prototype.indexOf
    대상 문자열에서 인수로 전달받은 문자열을 검색하여 첫 번째 인덱스를 반환하며 실패시 -1을 반환
const str = 'Hello World';

// 문자열 str에서 'l'을 검색하여 첫 번째 인덱스를 반환한다.
str.indexOf('l'); // -> 2


// 문자열 str에서 'or'을 검색하여 첫 번째 인덱스를 반환한다.
str.indexOf('or'); // -> 7

// 문자열 str에서 'x'를 검색하여 첫 번째 인덱스를 반환한다. 검색에 실패하면 -1을 반환한다.
str.indexOf('x'); // -> -1

// 문자열 str의 인덱스 3부터 'l'을 검색하여 첫 번째 인덱스를 반환한다.
str.indexOf('l', 3); // -> 3

가독성을 높이기 위해 includes를 사용하기도 한다

if (str.includes('Hello')) {
  // 문자열 str에 'Hello'가 포함되어 있는 경우에 처리할 내용
}
  • String.prototype.search
    인수로 전달받은 정규 표현식과 매치하는 문자열을 검색해 일치하는 문자열의 인덱스를 반환, 실패시 -1
const str = 'Hello world';

// 문자열 str에서 정규 표현식과 매치하는 문자열을 검색하여 일치하는 문자열의 인덱스를 반환한다.
str.search(/o/); // -> 4
str.search(/x/); // -> -1
  • String.prototype.includes
    대상 문자열에 인수로 전달받은 문자열이 포함되어 있는지 확인하여 그 결과를 true, false로 반환
const str = 'Hello world';

// 문자열 str의 인덱스 3부터 'l'이 포함되어 있는지 확인
str.includes('l', 3); // -> true
str.includes('H', 3); // -> false
const str = 'Hello world';

// 문자열 str이 'He'로 시작하는지 확인
str.startsWith('He'); // -> true
// 문자열 str이 'x'로 시작하는지 확인
str.startsWith('x'); // -> false

// 문자열 str의 인덱스 5부터 시작하는 문자열이 ' '로 시작하는지 확인
str.startsWith(' ', 5); // -> true
  • String.prototype.endsWith
    인수로 전달받은 문자열로 끝나는지 확인하여 그 결과를 true, false로 반환
const str = 'Hello world';

// 문자열 str이 'ld'로 끝나는지 확인
str.endsWith('ld'); // -> true
// 문자열 str이 'x'로 끝나는지 확인
str.endsWith('x'); // -> false

// 문자열 str의 처음부터 5자리까지('Hello')가 'lo'로 끝나는지 확인
str.endsWith('lo', 5); // -> true
const str = 'Hello';

for (let i = 0; i < str.length; i++) {
  console.log(str.charAt(i)); // H e l l o
}
  • String.prototype.substring
    첫 번째 인수로 전달받은 인덱스에서부터 두 번째 인수로 전달한 인덱스 전까지의 부분 문자열을 반환
    두 번째를 생략하면 끝까지!
const str = 'Hello World'; // str.length == 11

// 인덱스 1부터 인덱스 4 이전까지의 부분 문자열을 반환한다.
str.substring(1, 4); // -> ell

// 인덱스 1부터 마지막 문자까지 부분 문자열을 반환한다.
str.substring(1); // -> 'ello World'

첫 번째 인수 > 두 번째 인수인 경우 두 인수는 교환
인수 < 0 또는 NaN인 경우 0으로 취급
인수 > 문자열의 길이(str.length)인 경우 인수는 문자열의 길이(str.length)으로 취급

str.substring(4, 1); // -> 'ell'

str.substring(-2); // -> 'Hello World'

str.substring(1, 100); // -> 'ello World'

str.substring(20); // -> ''

indexOf와 사용하면 특정 문자열을 기준으로 앞뒤에 위치한 부분 문자열을 가져올 수 있다

const str = 'Hello World';

// 스페이스를 기준으로 앞에 있는 부분 문자열 취득
str.substring(0, str.indexOf(' ')); // -> 'Hello'

// 스페이스를 기준으로 뒤에 있는 부분 문자열 취득
str.substring(str.indexOf(' ') + 1, str.length); // -> 'World'
  • String.prototype.slice
    substring 메서드와 동일하게 동작하지만, 음수인 인수를 전달할 수 있다는 것이 차이점이다
    단, 음수로 전달할 시 문자열의 가장 뒤에서부터 잘라내어 반환된다
const str = 'hello world';

// substring과 slice 메서드는 동일하게 동작한다.
// 0번째부터 5번째 이전 문자까지 잘라내어 반환
str.substring(0, 5); // -> 'hello'
str.slice(0, 5); // -> 'hello'

// 인덱스가 2인 문자부터 마지막 문자까지 잘라내어 반환
str.substring(2); // -> 'llo world'
str.slice(2); // -> 'llo world'

// 인수 < 0 또는 NaN인 경우 0으로 취급된다.
str.substring(-5); // -> 'hello world'
// slice 메서드는 음수인 인수를 전달할 수 있다. 뒤에서 5자리를 잘라내어 반환한다.
str.slice(-5); // ⟶ 'world'
const str = 'Hello World!';

str.toUpperCase(); // -> 'HELLO WORLD!'
str.toLowerCase(); // -> 'hello world!'
const str = '   foo  ';

str.trim(); // -> 'foo'

// String.prototype.{trimStart,trimEnd} : Proposal stage 4
str.trimStart(); // -> 'foo  '
str.trimEnd();   // -> '   foo'
  • String.prototype.replace
    첫 번째 인수로 전달받은 문자열을 검색하여 두 번째 인수로 전달한 문자열로 치환한 문자열을 반환
    또는 정규 표현식을 인수로 전달하여 공백문자를 제거하는 것도 가능
let str = 'Hello world world';

str.replace('world', 'Lee'); // -> 'Hello Lee world'
// 'hello'를 대소문자를 구별하지 않고 전역 검색한다.
str.replace(/hello/gi, 'Lee'); // -> 'Lee Lee'

str = '   foo  ';

// 첫 번째 인수로 전달한 정규 표현식에 매치하는 문자열을 두 번째 인수로 전달한 문자열로 치환한다.
str.replace(/\s/g, '');   // -> 'foo'
str.replace(/^\s+/g, ''); // -> 'foo  '
str.replace(/\s+$/g, ''); // -> '   foo'
const str = 'abc';

str.repeat();    // -> ''
str.repeat(0);   // -> ''
str.repeat(1);   // -> 'abc'
str.repeat(2);   // -> 'abcabc'
str.repeat(2.5); // -> 'abcabc' (2.5 → 2)
str.repeat(-1);  // -> RangeError: Invalid count value
  • String.prototype.split
    첫 번째 인수로 전달한 문자열 또는 정규 표현식을 검색하여 문자열을 구분한 후 분리된 각 문자열로 이루어진 배열을 반환
const str = 'How are you doing?';

// 공백으로 구분(단어로 구분)하여 배열로 반환한다.
str.split(' '); // -> ["How", "are", "you", "doing?"]

// \s는 여러 가지 공백 문자(스페이스, 탭 등)를 의미한다. 즉, [\t\r\n\v\f]와 같은 의미다.
str.split(/\s/); // -> ["How", "are", "you", "doing?"]

// 인수로 빈 문자열을 전달하면 각 문자를 모두 분리한다.
str.split(''); // -> ["H", "o", "w", " ", "a", "r", "e", " ", "y", "o", "u", " ", "d", "o", "i", "n", "g", "?"]

// 인수를 생략하면 대상 문자열 전체를 단일 요소로 하는 배열을 반환한다.
str.split(); // -> ["How are you doing?"]

// 공백으로 구분하여 배열로 반환한다. 단, 배열의 길이는 3이다
str.split(' ', 3); // -> ["How", "are", "you"]

문자열을 역순으로 뒤집는 것도 가능

// 인수로 전달받은 문자열을 역순으로 뒤집는다.
function reverseString(str) {
  return str.split('').reverse().join('');
}

reverseString('Hello world!'); // -> '!dlrow olleH'
profile
즐기면서 정확하게 나아가는 웹프론트엔드 개발자 https://happhee-dev.tistory.com/ 로 이전하였습니다
post-custom-banner

0개의 댓글