Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
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 | 31 |
Tags
- typescript
- utilty type
- 개발콘텐츠
- 성능최적화
- 제네릭
- 타입좁히기
- 2022
- Chart.js
- 타입스크립트
- const 단언문
- click and drag
- 반복줄이기
- React Native
- reactjs
- TSDoc
- 누구나 자료구조와 알고리즘
- 공통컴포넌트
- NonNullable
- 폰트적용하기
- returnType
- JS console
- React.js
- javascript
- react
- vue.js
- CSS
- 리액트
- 티스토리꾸미기
- 레이아웃쪼개기
- 커스텀
Archives
- Today
- Total
몽땅뚝딱 개발자
[JavaScript] 이렇게도 사용할 수 있다! (1) 본문
◽️ console.log를 줄이는 방법
나는 주로 인텔리제이에서 재공하는 Postfix Completion을 사용한다. (.log를 입력)
const { log } = console;
log("Hello world!");
// Expected output: Hello world!
// SAME AS //
console.log("Hello world!");
// Expected output: Hello world!
✍🏻 다른 Postfix Completion가 궁금하거나 적용하고 싶다면?
◽️ times()
특정 함수를 여러번 실행시킬 때 사용한다.
// 5초머다 실행
setInterval(() => {
randomFunction();
}, 5000); // runs every 5 seconds
// 3번 실행
const times = (func, n) => {
Array.from(Array(n)).forEach(() => {
func();
});
};
times(() => {
randomFunction();
}, 3); // runs 3 times
◽️ slugify()
문자열을 URL에서 안전하게 사용할 수 있도록 변경해준다.
const slugify = (string, separator = "-") => {
return string
.toString() // Cast to string (optional)
.toLowerCase() // Convert the string to lowercase letters
.trim() // Remove whitespace from both sides of a string (optional)
.replace(/\s+/g, separator) // Replace spaces with -
.replace(/[^\w\-]+/g, "") // Remove all non-word chars
.replace(/\_/g, separator) // Replace _ with -
.replace(/\-\-+/g, separator) // Replace multiple - with single -
.replace(/\-$/g, ""); // Remove trailing -
};
slugify("Hello, World!");
// Expected output: "hello-world"
slugify("Hello, Universe!", "_");
// Expected output: "hello_universe"
◽️ validateEmail()
문자열이 올바른 이메일 포맷인지 검사한다.
const validateEmail = (email) => {
const regex = /^\S+@\S+\.\S+$/;
return regex.test(email);
};
validateEmail("youremail@org.com"); // true
validateEmail("youremail@com"); // false
validateEmail("youremail.org@com"); // false
◽️ capitalize()
const capitalize = (str) => {
const arr = str.trim().toLowerCase().split(" ");
for (let i = 0; i < arr.length; i++) {
arr[i] = arr[i].charAt(0).toUpperCase() + arr[i].slice(1);
}
return arr.join(" ");
};
capitalize("hello, world!");
// Expected output: "Hello, World!"
◽️ 로컬스토리지
const storage = {
get: (key, defaultValue = null) => {
const value = localStorage.getItem(key);
return value ? JSON.parse(value) : defaultValue;
},
set: (key, value) => localStorage.setItem(key, JSON.stringify(value)),
remove: (key) => localStorage.removeItem(key),
clear: () => localStorage.clear(),
};
storage.set("motto", "Eat, Sleep, Code, Repeat");
storage.get("motto");
출처 및 참고
개인적으로 공부한 내용을 정리하는 블로그로
잘못된 개념을 게시하지않도록 주의하고 있으나 오류가 있을 수 있습니다.
'Development > Javascript' 카테고리의 다른 글
[Javascript] 자바스크립트에서 Iterator 구현하기 (0) | 2023.05.20 |
---|---|
[JavaScript] 문자열의 바이트(byte) 구하기 (1) | 2023.03.24 |
[JavaScript] AWS S3 첨부파일 다운로드 구현 (작성 중) (0) | 2023.03.09 |
[JavaScript] call, bind, apply의 차이 (0) | 2023.03.08 |
[JavaScript] !! (논리연산자) (0) | 2023.02.20 |
Comments