SlideShare a Scribd company logo
HTML5 Canvas Exploring
On the Menu…
1. Introducing HTML5 Canvas
2. Drawing on the Canvas
3. Simple Compositing
4. Canvas Transformations
5. Sprite Animations
6. Rocket Science
Understanding HTML5 Canvas
Immediate Mode
Canvas is an IMMEDIATE MODE bitmapped area of browser screen that can
be manipulated by you through JavaScript.
   › Canvas completely redraws bitmapped screen on every frame using Canvas API
   › Flash, Silverlight, SVG use retained mode

2D Context
The Canvas API includes a 2D context allowing you to draw shapes, render
text, and display images onto the defined area of browser screen.
   › The 2D context is a display API used to render the Canvas graphics
   › The JavaScript applied to this API allows for keyboard and mouse inputs, timer
      intervals, events, objects, classes, sounds… etc
Understanding HTML5 Canvas
Canvas Effects
Transformations are applied to the canvas (with exceptions)
Objects can be drawn onto the surface discretely, but once on the
canvas, they are a single collection of pixels in a single space
Result:
       There is then only one object on the Canvas: the context
The DOM cannot access individual graphical elements created on Canvas

Browser Support
Dummy Canvas Creation – by Mark Pilgrim (http://diveintohtml5.org)
function canvasSupport () {
    return !!document.createElement('testcanvas').getContext;
}

function canvasApp() {
     if (!canvasSupport) {
           return;
     }
}
Simple Objects
Basic objects can be placed on the canvas in three ways:
› FillRect(posX, posY, width, height);
     › Draws a filled rectangle
›   StrokeRect(posX, posY, width, height);
     › Draws a rectangle outline
›   ClearRect(posX, posY, width, height);
     › Clears the specified area making it fully transparent
Utilizing Style functions:
› fillStyle
     › Takes a hexidecimal colour code
›   strokeStyle
     › Takes a hexidecimal colour code

Text
› fillText( message, posX, posY)
     › Takes a hexidecimal colour code
›   strokeStyle
     › Takes a hexidecimal colour code
Simple Lines
Paths can be used to draw any shape on Canvas
› Paths are simply lists of points for lines to be drawn in-between

Path drawing
› beginPath()
      › Function call to start a path
›   moveTo(posX, posY)
      › Defines a point at position (x, y)
›   lineTo(posX, posY)
      › Creates a subpath between current point and position (x, y)
›   stroke()
      › Draws the line (stroke) on the path
›   closePath()
      › Function call to end a path
Simple Lines
Utilizing Style functions:
› strokeStyle
      › Takes a hexadecimal colour code
›   lineWidth
      › Defines width of line to be drawn
›   lineJoin
      › Bevel, Round, Miter (default – edge drawn at the join)
›   lineCap
      › Butt, Round, Square

Arcs and curves can be drawn on the canvas in four ways
                          An arc can be a circle or any part of a circle

› arc(posX, posY, radius, startAngle, endAngle, anticlockwise)
     › Draws a line with given variables (angles are in radians)
›   arcTo(x1, y1, x2, y2, radius)
     › Draws a straight line to x1, y1, then an arc to x2, y2 with the radius
Clipping
Clipping allows masking of Canvas areas so anything drawn only appears in
clipped areas

› Save() and Restore()
    › Drawing on the Canvas makes use of a stack of drawing “states”
    › A state stores Canvas data of elements drawn
        › Transformations and clipping regions use data stored in states

    › Save()
        › Pushes the current state to the stack
    › Restore()
        › Restores the last state saved from the stack to the Canvas

    › Note: current paths and current bitmaps are not part of saved states
Compositing
Compositing is the control of transparency and layering of objects. This is
controlled by globalAlpha and globalCompositeOperation

› globalAlpha
    › Defaults to 1 (completely opaque)
    › Set before an object is drawn to Canvas

› globalCompositeOperation
    › copy
         › Where overlap, display source
    ›   destination-atop
         › Where overlap, display destination over source, transparent elsewhere
    ›   destination-in
         › Where overlap, show destination in the source, transparent elsewhere
    ›   destination-out
         › Where overlap, show destination if opaque and source transparent, transparent elsewhere
    ›   destination-over
         › Where overlap, show destination over source, source elsewhere
Canvas Rotations
Reference:
An object is said to be at 0 angle rotation when it is facing to the left.

Rotating the canvas steps:
› Set the current Canvas transformation to the “identity” matrix
      › context.setTransform(1,0,0,1,0,0);
›    Convert rotation angle to radians:
      › Canvas uses radians to specify its transformations.
›    Only objects drawn AFTER context.rotate() are affected
      › Canvas uses radians to specify its transformations.
›    In the absence of a defined origin for rotation

       Transformations are applied to shapes and paths drawn after the
    setTransform() and rotate() or other transformation function is called.
Canvas Rotations
The point of origin to the center of our shape must be translated to rotate it
                            around its own center

› What about rotating about the origin?
    › Change the origin of the canvas to be the centre of the square
    › context.translate(x+.5*width, y+.5*height);
    › Draw the object starting with the correct upper-left coordinates
    › context.fillRect(-.5*width,-.5*height , width, height);
Images on Canvas
Reference:
Canvas Image API can load in image data and apply directly to canvas
Image data can be cut and sized to desired portions


› Image object can be defined through HTML
    › <img src=“zelda.png” id=“zelda”>
› Or Javascript
    › var zelda = new Image();
    › zelda.src = “zelda.png”;
› Displaying an image
    › drawImage(image, posX, poxY);
    › drawImage(image, posX, posY, scaleW, scaleH);
    › drawImage(image, sourceX, sourceY, sourceW, sourceH, posX, posY, scaleW, scaleH);
HTML Sprite Animation
› Creating a Tile Sheet
   › One method of displaying multiple images in succession for an
     animation is to use a images in a grid and flip between each “tile”

   › Create an animation array to hold the tiles
   › The 2-dimensional array begins at 0
   › Store the tile IDs to make Zelda walk and
     an index to track which tile is displayed
var animationFrames = [0,1,2,3,4];
   › Calculate X to give us an integer using the
     remainder of the current tile divided by
     the number of tiles in the animation
sourceX = integer(current_frame_index modulo
the_number_columns_in_the_tilesheet) * tile_width
HTML Sprite Animation
› Creating a Tile Sheet
  › Calculate Y to give us an integer using the result of the current tile
      divided by the number of tiles in the animation
  sourceY = integer(current_frame_index divided by
  columns_in_the_tilesheet) *tile_height


› Creating a Timer Loop
  › A simple loop to call the move function once every 150 milliseconds
  function startLoop() {
      var intervalID = setInterval(moveZeldaRight, 150);
  }

› Changing the Image
  ›    To change the image being displayed, we have to set the
       current frame index to the desired tile
HTML Sprite Animation
› Changing the Image
  ›    Loop through the tiles accesses all frames in the animation and draw
       each tile with each iteration
  frameIndex++;
  if (frameIndex == animationFrames.length) {
      frameIndex = 0;
  }

› Moving the Image
  › Set the dx and dy variables during drawing to increase at every
      iteration
  context.drawImage(zelda, sourceX, sourceY+60,30,30,x,y,30,30);
Rocket Science
› Rocket will rotate when left and right arrows are pressed
› Rocket will accelerate when player presses up
› Animations are about creating intervals and updating
    graphics on Canvas for each frame
›   Transformations to Canvas to allow the rocket to rotate
    1. Save current state to stack
    2. Transform rocket
    3. Restore saved state
›       Variables in question:
    ›      Rotation
    ›      Position X
    ›      Position Y
Rocket Science
› Rocket can face one direction and move in a different
  direction
› Get rotation value based on key presses
   › Determine X and Y of rocket direction for throttle using
     Math.cos and Math.sin
› Get acceleration value based on up key press
   › Use acceleration and direction to increase speed in X and Y
     directions
 facingX = Math.cos(angleInRadians);
 movingX = movingX + thrustAcceleration * facingX;
› Control the rocket with the keyboard
› Respond appropriately with acceleration or rotation
  per key press.
Thank you!

More Related Content

PPTX
Intro to Canva
PDF
Enhancing UI/UX using Java animations
PDF
Intro to HTML5 Canvas
PPTX
Drawing with the HTML5 Canvas
PPT
Html5 Canvas Drawing and Animation
PPTX
Css5 canvas
PDF
Visualising Multi Dimensional Data
PPT
MIDP: Game API
Intro to Canva
Enhancing UI/UX using Java animations
Intro to HTML5 Canvas
Drawing with the HTML5 Canvas
Html5 Canvas Drawing and Animation
Css5 canvas
Visualising Multi Dimensional Data
MIDP: Game API

Viewers also liked (6)

PDF
uGUIのRectTransformをさわってみた
PDF
Designing Teams for Emerging Challenges
PDF
UX, ethnography and possibilities: for Libraries, Museums and Archives
PDF
Visual Design with Data
PDF
3 Things Every Sales Team Needs to Be Thinking About in 2017
PDF
How to Become a Thought Leader in Your Niche
uGUIのRectTransformをさわってみた
Designing Teams for Emerging Challenges
UX, ethnography and possibilities: for Libraries, Museums and Archives
Visual Design with Data
3 Things Every Sales Team Needs to Be Thinking About in 2017
How to Become a Thought Leader in Your Niche
Ad

Similar to Introduction to Canvas - Toronto HTML5 User Group (20)

PPTX
canvas_1.pptx
PDF
3D Math Primer: CocoaConf Chicago
PDF
The Day You Finally Use Algebra: A 3D Math Primer
PPT
HTML5 Canvas
PPT
Windows and viewport
PDF
Computer Graphics - Lecture 03 - Virtual Cameras and the Transformation Pipeline
PPT
2D-Transformations-Transformations are the operations applied to geometrical ...
PPTX
HTML 5_Canvas
PDF
SwiftUI Animation - The basic overview
PPTX
Build Your Own VR Display Course - SIGGRAPH 2017: Part 2
PDF
HTML5 Canvas - The Future of Graphics on the Web
PPT
Lecture 9-online
PPTX
3 d graphics with opengl part 1
KEY
Interactive Graphics
PDF
Computer Graphics in Java and Scala - Part 1b
PPTX
Animations avec Compose : rendez vos apps chat-oyantes
PDF
Scenes Graphs and Modelling Transformation
DOCX
Computer graphics
PDF
2 transformation computer graphics
PDF
Building a Visualization Language
canvas_1.pptx
3D Math Primer: CocoaConf Chicago
The Day You Finally Use Algebra: A 3D Math Primer
HTML5 Canvas
Windows and viewport
Computer Graphics - Lecture 03 - Virtual Cameras and the Transformation Pipeline
2D-Transformations-Transformations are the operations applied to geometrical ...
HTML 5_Canvas
SwiftUI Animation - The basic overview
Build Your Own VR Display Course - SIGGRAPH 2017: Part 2
HTML5 Canvas - The Future of Graphics on the Web
Lecture 9-online
3 d graphics with opengl part 1
Interactive Graphics
Computer Graphics in Java and Scala - Part 1b
Animations avec Compose : rendez vos apps chat-oyantes
Scenes Graphs and Modelling Transformation
Computer graphics
2 transformation computer graphics
Building a Visualization Language
Ad

Recently uploaded (20)

PPTX
MYSQL Presentation for SQL database connectivity
PPTX
ACSFv1EN-58255 AWS Academy Cloud Security Foundations.pptx
PDF
Profit Center Accounting in SAP S/4HANA, S4F28 Col11
PPTX
Spectroscopy.pptx food analysis technology
PDF
Blue Purple Modern Animated Computer Science Presentation.pdf.pdf
PPTX
KOM of Painting work and Equipment Insulation REV00 update 25-dec.pptx
PDF
Mobile App Security Testing_ A Comprehensive Guide.pdf
PPTX
Effective Security Operations Center (SOC) A Modern, Strategic, and Threat-In...
PPTX
20250228 LYD VKU AI Blended-Learning.pptx
PDF
MIND Revenue Release Quarter 2 2025 Press Release
PPTX
Programs and apps: productivity, graphics, security and other tools
PDF
Chapter 3 Spatial Domain Image Processing.pdf
PDF
NewMind AI Weekly Chronicles - August'25 Week I
DOCX
The AUB Centre for AI in Media Proposal.docx
PDF
KodekX | Application Modernization Development
PDF
7 ChatGPT Prompts to Help You Define Your Ideal Customer Profile.pdf
PDF
Optimiser vos workloads AI/ML sur Amazon EC2 et AWS Graviton
PPTX
Big Data Technologies - Introduction.pptx
PDF
Advanced methodologies resolving dimensionality complications for autism neur...
PDF
Building Integrated photovoltaic BIPV_UPV.pdf
MYSQL Presentation for SQL database connectivity
ACSFv1EN-58255 AWS Academy Cloud Security Foundations.pptx
Profit Center Accounting in SAP S/4HANA, S4F28 Col11
Spectroscopy.pptx food analysis technology
Blue Purple Modern Animated Computer Science Presentation.pdf.pdf
KOM of Painting work and Equipment Insulation REV00 update 25-dec.pptx
Mobile App Security Testing_ A Comprehensive Guide.pdf
Effective Security Operations Center (SOC) A Modern, Strategic, and Threat-In...
20250228 LYD VKU AI Blended-Learning.pptx
MIND Revenue Release Quarter 2 2025 Press Release
Programs and apps: productivity, graphics, security and other tools
Chapter 3 Spatial Domain Image Processing.pdf
NewMind AI Weekly Chronicles - August'25 Week I
The AUB Centre for AI in Media Proposal.docx
KodekX | Application Modernization Development
7 ChatGPT Prompts to Help You Define Your Ideal Customer Profile.pdf
Optimiser vos workloads AI/ML sur Amazon EC2 et AWS Graviton
Big Data Technologies - Introduction.pptx
Advanced methodologies resolving dimensionality complications for autism neur...
Building Integrated photovoltaic BIPV_UPV.pdf

Introduction to Canvas - Toronto HTML5 User Group

  • 2. On the Menu… 1. Introducing HTML5 Canvas 2. Drawing on the Canvas 3. Simple Compositing 4. Canvas Transformations 5. Sprite Animations 6. Rocket Science
  • 3. Understanding HTML5 Canvas Immediate Mode Canvas is an IMMEDIATE MODE bitmapped area of browser screen that can be manipulated by you through JavaScript. › Canvas completely redraws bitmapped screen on every frame using Canvas API › Flash, Silverlight, SVG use retained mode 2D Context The Canvas API includes a 2D context allowing you to draw shapes, render text, and display images onto the defined area of browser screen. › The 2D context is a display API used to render the Canvas graphics › The JavaScript applied to this API allows for keyboard and mouse inputs, timer intervals, events, objects, classes, sounds… etc
  • 4. Understanding HTML5 Canvas Canvas Effects Transformations are applied to the canvas (with exceptions) Objects can be drawn onto the surface discretely, but once on the canvas, they are a single collection of pixels in a single space Result: There is then only one object on the Canvas: the context The DOM cannot access individual graphical elements created on Canvas Browser Support Dummy Canvas Creation – by Mark Pilgrim (http://diveintohtml5.org) function canvasSupport () { return !!document.createElement('testcanvas').getContext; } function canvasApp() { if (!canvasSupport) { return; } }
  • 5. Simple Objects Basic objects can be placed on the canvas in three ways: › FillRect(posX, posY, width, height); › Draws a filled rectangle › StrokeRect(posX, posY, width, height); › Draws a rectangle outline › ClearRect(posX, posY, width, height); › Clears the specified area making it fully transparent Utilizing Style functions: › fillStyle › Takes a hexidecimal colour code › strokeStyle › Takes a hexidecimal colour code Text › fillText( message, posX, posY) › Takes a hexidecimal colour code › strokeStyle › Takes a hexidecimal colour code
  • 6. Simple Lines Paths can be used to draw any shape on Canvas › Paths are simply lists of points for lines to be drawn in-between Path drawing › beginPath() › Function call to start a path › moveTo(posX, posY) › Defines a point at position (x, y) › lineTo(posX, posY) › Creates a subpath between current point and position (x, y) › stroke() › Draws the line (stroke) on the path › closePath() › Function call to end a path
  • 7. Simple Lines Utilizing Style functions: › strokeStyle › Takes a hexadecimal colour code › lineWidth › Defines width of line to be drawn › lineJoin › Bevel, Round, Miter (default – edge drawn at the join) › lineCap › Butt, Round, Square Arcs and curves can be drawn on the canvas in four ways An arc can be a circle or any part of a circle › arc(posX, posY, radius, startAngle, endAngle, anticlockwise) › Draws a line with given variables (angles are in radians) › arcTo(x1, y1, x2, y2, radius) › Draws a straight line to x1, y1, then an arc to x2, y2 with the radius
  • 8. Clipping Clipping allows masking of Canvas areas so anything drawn only appears in clipped areas › Save() and Restore() › Drawing on the Canvas makes use of a stack of drawing “states” › A state stores Canvas data of elements drawn › Transformations and clipping regions use data stored in states › Save() › Pushes the current state to the stack › Restore() › Restores the last state saved from the stack to the Canvas › Note: current paths and current bitmaps are not part of saved states
  • 9. Compositing Compositing is the control of transparency and layering of objects. This is controlled by globalAlpha and globalCompositeOperation › globalAlpha › Defaults to 1 (completely opaque) › Set before an object is drawn to Canvas › globalCompositeOperation › copy › Where overlap, display source › destination-atop › Where overlap, display destination over source, transparent elsewhere › destination-in › Where overlap, show destination in the source, transparent elsewhere › destination-out › Where overlap, show destination if opaque and source transparent, transparent elsewhere › destination-over › Where overlap, show destination over source, source elsewhere
  • 10. Canvas Rotations Reference: An object is said to be at 0 angle rotation when it is facing to the left. Rotating the canvas steps: › Set the current Canvas transformation to the “identity” matrix › context.setTransform(1,0,0,1,0,0); › Convert rotation angle to radians: › Canvas uses radians to specify its transformations. › Only objects drawn AFTER context.rotate() are affected › Canvas uses radians to specify its transformations. › In the absence of a defined origin for rotation Transformations are applied to shapes and paths drawn after the setTransform() and rotate() or other transformation function is called.
  • 11. Canvas Rotations The point of origin to the center of our shape must be translated to rotate it around its own center › What about rotating about the origin? › Change the origin of the canvas to be the centre of the square › context.translate(x+.5*width, y+.5*height); › Draw the object starting with the correct upper-left coordinates › context.fillRect(-.5*width,-.5*height , width, height);
  • 12. Images on Canvas Reference: Canvas Image API can load in image data and apply directly to canvas Image data can be cut and sized to desired portions › Image object can be defined through HTML › <img src=“zelda.png” id=“zelda”> › Or Javascript › var zelda = new Image(); › zelda.src = “zelda.png”; › Displaying an image › drawImage(image, posX, poxY); › drawImage(image, posX, posY, scaleW, scaleH); › drawImage(image, sourceX, sourceY, sourceW, sourceH, posX, posY, scaleW, scaleH);
  • 13. HTML Sprite Animation › Creating a Tile Sheet › One method of displaying multiple images in succession for an animation is to use a images in a grid and flip between each “tile” › Create an animation array to hold the tiles › The 2-dimensional array begins at 0 › Store the tile IDs to make Zelda walk and an index to track which tile is displayed var animationFrames = [0,1,2,3,4]; › Calculate X to give us an integer using the remainder of the current tile divided by the number of tiles in the animation sourceX = integer(current_frame_index modulo the_number_columns_in_the_tilesheet) * tile_width
  • 14. HTML Sprite Animation › Creating a Tile Sheet › Calculate Y to give us an integer using the result of the current tile divided by the number of tiles in the animation sourceY = integer(current_frame_index divided by columns_in_the_tilesheet) *tile_height › Creating a Timer Loop › A simple loop to call the move function once every 150 milliseconds function startLoop() { var intervalID = setInterval(moveZeldaRight, 150); } › Changing the Image › To change the image being displayed, we have to set the current frame index to the desired tile
  • 15. HTML Sprite Animation › Changing the Image › Loop through the tiles accesses all frames in the animation and draw each tile with each iteration frameIndex++; if (frameIndex == animationFrames.length) { frameIndex = 0; } › Moving the Image › Set the dx and dy variables during drawing to increase at every iteration context.drawImage(zelda, sourceX, sourceY+60,30,30,x,y,30,30);
  • 16. Rocket Science › Rocket will rotate when left and right arrows are pressed › Rocket will accelerate when player presses up › Animations are about creating intervals and updating graphics on Canvas for each frame › Transformations to Canvas to allow the rocket to rotate 1. Save current state to stack 2. Transform rocket 3. Restore saved state › Variables in question: › Rotation › Position X › Position Y
  • 17. Rocket Science › Rocket can face one direction and move in a different direction › Get rotation value based on key presses › Determine X and Y of rocket direction for throttle using Math.cos and Math.sin › Get acceleration value based on up key press › Use acceleration and direction to increase speed in X and Y directions facingX = Math.cos(angleInRadians); movingX = movingX + thrustAcceleration * facingX; › Control the rocket with the keyboard › Respond appropriately with acceleration or rotation per key press.

Editor's Notes

  • #9: Current paths and bitmaps… useful for animation of individual objects and path manipulations