Drawing a 2D house with JavaScript
I share how to create a Javascript Canvas 2D house without using external libraries and what I learned by following the CanvasRenderingContext2D docs.
data:image/s3,"s3://crabby-images/c1820/c1820ba2618f002694e8e6b7ca954e40d64b7002" alt="Drawing a 2D house with JavaScript"
The end result
data:image/s3,"s3://crabby-images/8b8fe/8b8feb7ee8c6e7ede067f4bfd59db522858b97b5" alt=""
Code
<!DOCTYPE html>
<html>
<head>
</head>
<body>
<canvas id="my-house" width="300" height="300" style="border:1px solid #d3d3d3;"></canvas>
<script>
var canvas = document.getElementById("my-house");
const ctx = canvas.getContext('2d');
ctx.lineWidth = 10;
//Wall
ctx.strokeRect(75, 140, 150, 110); //x, y, width, height
//Door
ctx.fillRect(130, 190, 40, 60);//x, y, width, height
//Roof
ctx.beginPath();
ctx.moveTo(50, 140);// left most point
ctx.lineTo(150,60); // line to top point
ctx.lineTo(250,140); //line to right most point
ctx.closePath(); // links starting point and end points
ctx.stroke(); // adds a stroke to the invisible path
ctx.fill(); // adds a fill to the path
</script>
</body>
</html>
Note that I merely modified the example from the Official docs and added some notes.
What I learned
Path
When using paths to draw triangles, if one already has 2 strokes, manually adding the 3rd stroke is not needed. Closing the path automatically adds the last stroke by connecting the path's starting and end points with a straight line.
data:image/s3,"s3://crabby-images/bf7bd/bf7bdf6641e559d373154c33548f5bb88557ee3f" alt=""
Also, if one does not manually add a stroke/fill to a path nothing will be displayed.
Fill
Adding only a fill (no stroke) will result in a smaller shape than expected.
data:image/s3,"s3://crabby-images/7b78b/7b78b31b9c2d24de11d16314ef39a0f9de5d4476" alt=""