주제: canvas에다가 그림그리기
배운 거
- getContext: 렌더링 컨텍스트와 그리기 함수들을 사용할 수 있음
- strokeStyle: 선 색깔
- lineCap: 선 끝부분 스타일
- lineJoin: 선 꺾이는 부분 스타일
- hsl(색깔, 채도, 밝기)
- 색깔은 0 ~ 360 정수
- 채도랑 밝기는 %로
- beginPath(): 새로운 경로를 만듦
moveTo(x, y): 그리기 시작하는 위치
lineTo(x, y): 그리기 끝나는 위치
stroke(): 윤곽선을 이용해 도형을 그림
코드
HTML
<canvas id="draw" width="800" height="800"></canvas>
JS
const canvas = document.querySelector('#draw');
const ctx = canvas.getContext('2d');
canvas.width = window.innerWidth;
canvas.height = window.innerHeight;
ctx.strokeStyle = "#BADA55";
ctx.lineJoin = 'round';
ctx.lineCap = 'round';
ctx.lineWidth = 50;
let isDrawing = false;
let lastX = 0;
let lastY = 0;
let hue = 0;
let direction = true;
function draw(e) {
if (!isDrawing) return;
ctx.strokeStyle = `hsl(${hue}, 70%, 70%)`;
ctx.beginPath();
ctx.moveTo(lastX, lastY);
ctx.lineTo(e.offsetX, e.offsetY);
ctx.stroke();
[lastX, lastY] = [e.offsetX, e.offsetY];
hue++;
if (hue >= 360) {
hue = 0;
}
if (ctx.lineWidth >= 100 || ctx.lineWidth <= 1) {
direction = !direction;
}
if(direction) {
ctx.lineWidth++;
} else {
ctx.lineWidth--;
}
}
canvas.addEventListener('mousedown', (e) => {
isDrawing = true;
[lastX, lastY] = [e.offsetX, e.offsetY];
});
canvas.addEventListener('mousemove', draw);
canvas.addEventListener('mouseup', () => isDrawing = false);
canvas.addEventListener('mouseout', () => isDrawing = false);