문자열 before와 after가 매개변수로 주어질 때, before의 순서를 바꾸어 after를 만들 수 있으면 1을, 만들 수 없으면 0을 return 하도록 solution 함수를 완성해보세요.
제한사항
0 < before의 길이 == after의 길이 < 1,000
before와 after는 모두 소문자로 이루어져 있습니다.
입출력 예
before | after | result |
---|---|---|
"olleh" | "hello" | 1 |
"allpe" | "apple" | 0 |
function solution(before, after) {
const b = before.split("").map(el => el.charCodeAt()).sort((a,b)=>a-b).join("")
const a = after.split("").map(el => el.charCodeAt()).sort((a,b)=>a-b).join("")
console.log(a,b)
return a == b ? 1 : 0
}
string타입은 sort((a,b)=>a-b)로 정렬할 수 없어서
charCodeAt() 으로 알파벳을 number 타입으로 변환하고 정렬했다
...
근데 그냥 sort()로 정렬하면 되는 거였음
function solution(before, after) {
const b = before.split("").sort().join("")
const a = after.split("").sort().join("")
console.log(a,b)
return a == b ? 1 : 0
}