introduction to html5

123
Introduction to HTML5 Jeanine Meyer Purchase College/SUNY

Upload: quon-blevins

Post on 31-Dec-2015

38 views

Category:

Documents


0 download

DESCRIPTION

Introduction to HTML5. Jeanine Meyer Purchase College/SUNY. Introductions. Jeanine Meyer Purchase College/SUNY: Math/CS & New Media. Prior: IBM Research (robotics, manufacturing research, educational grants), Pace University. - PowerPoint PPT Presentation

TRANSCRIPT

Page 1: Introduction to HTML5

Introduction to HTML5

Jeanine Meyer

Purchase College/SUNY

Page 2: Introduction to HTML5

Introductions

• Jeanine Meyer– Purchase College/SUNY: Math/CS & New

Media. Prior: IBM Research (robotics, manufacturing research, educational grants), Pace University.

– 5 books: latest is The Essential Guide to HTML5: Using Games to learn HTML5 & JavaScript

Page 3: Introduction to HTML5

Background• HTML5 is the latest/soon to be version of

– HyperText Markup Language (HTML): text with tags for content

– JavaScript: scripting/programming language for interactivity, dynamic presentation

– Cascading Style Sheets: formatting

• Many new features, for support of semantic web, dynamic/interactive websites

• CAUTION: definition not official. • Browser support evolving.• Do ask/remind me to say: what are my names

versus built-in parts of HTML5.

Page 4: Introduction to HTML5

New features include:

• Semantic elements: header, footer, section, article, others.

• canvas for drawing– paths of rectangles, arcs, lines, images – mouse events

• localStorage (variation of cookies)• audio & video elements

– including drawing video on canvas

Page 5: Introduction to HTML5

This Tutorial• Build Favorite sites

– review HTML structure, new elements)

• Build Drawings – draw rectangles, arcs, lines on canvas

• Build Coin toss– event handling, draw text and images on canvas

• Find video clips & convert. – Add video to favorite sites or make it stand-alone.

• Build Bouncing Video– draw video, create mask, timed event

• Build geolocation application, including Google Maps API app and localStorage

• Preview Essential Guide to HTML5

Page 6: Introduction to HTML5

Tools

• TextPad or TextWrangler or NotePad– Dreamweaver okay but it does cost.

• Compatible browser– Firefox: works for all examples, including masked

video and geolocation– Chrome and Safari work for most examples– IE9 being tested now

• Miro Converter

Page 7: Introduction to HTML5

HTML review• Elements consist of opening tag, contents of the

element and closing tag.• Tags have attributes.

<a href="nextpage.html">NEXT </a>• Some elements/tags are singletons

<img src="logo.gif" width="100"/>• Document Object Model (DOM) defines

relationships, attributes & methods of objects.

Page 8: Introduction to HTML5

First webpage: Favorite Sites

• Annotated list of 'favorite sites'• Need to determine URLs for links, images, brief

text.• header and article elements• style element (CSS) for formatting

– critical for header and article. Also use it for images

• script element: single statement to insert date.• http://faculty.purchase.edu/jeanine.meyer/html5

workshop/workshopexfavoritesites.html

Page 9: Introduction to HTML5

screen shot, not live html

Page 10: Introduction to HTML5

Advice

• HTML does not recognize white space.

• You need to make spacing and line breaks explicit.

• For your readability, put line breaks and spaces.

• My objective often is to squeeze things in one slide. This isn't your objective!

Page 11: Introduction to HTML5

HTML template

<!DOCTYPE html><html lang="en"><head>    <title></title>    <meta charset="utf-8"></head><body> </body></html>

Page 12: Introduction to HTML5

Favorite Sites• overview for this example:<!DOCTYPE html><html lang="en">

<head><title> </title><meta charset="UTF-8">

<style> </style> // for header and article and img <script> </script></head><body> content: header, article for each site</body></html>

Page 13: Introduction to HTML5

<style>header {font-family:Georgia,"Times New Roman",serif;text-align:center;font-size:30px;display:block; }

article { text-align:left;font-size:20px;margin:20px;display:block;font-family:"Century","Tahoma", sans-serif; }

img {display:block;}</style><script>document.write(Date());</script> </head>

Page 14: Introduction to HTML5

<body><header>Favorite Sites </header><article>My Academic website, <a href="http://faculty.purchase.edu/jeanine.meyer"> http://faculty.purchase.edu/jeanine.meyer

</a> is where I put information about my courses, along with publications and other activities.

<img src="purchase_logo_sm.gif" width="200"/> </article>

<article>My daughter, Aviva, is active in the <a href="http://stolenchair.org">Stolen Chair Theater company.</a> The next production involves Victorian photo-collage.

<img src="CSTlogo.jpg" width="100"/></article> <body> </html>

Page 15: Introduction to HTML5

Comments

• Remember: spaces, line breaks need to be inserted explicitly

• My first attempt was to use <br/> to force images to their own line. I changed to using a style to keep formatting in the <style> section.– need not be so pure!

• GO! - get information, look up other CSS, ask!

Page 16: Introduction to HTML5

2nd set of projects: Drawing• canvas element• Use code to define a so-called context. Methods of this

object do the work!• Screen geometry: upper left corner is origin.• Colors defined by red-green-blue values or a small set of

named colors, – http://www.tutorialspoint.com/html5/html5_color_names.htm.– will show hexadecimal example later.

• stroke versus fill• draw Rectangles• http://faculty.purchase.edu/jeanine.meyer/html5worksho

p/wkshopdrawing0.html

Page 17: Introduction to HTML5

0,0, default color, 10 by 10, stroke

0,300,green,30 by 30, stroke

500,300, 50 by 50, fill

500,0,default color,20 by 20, fill

rgb(200,0,100)

Page 18: Introduction to HTML5

<!DOCTYPE html>

<html lang="en"><head><title>Four rectangles</title>

<meta charset="UTF-8"><script>

var ctx;function init() { ctx =

document.getElementById('canvas').getContext('2d'); ctx.lineWidth = 2; ctx.strokeRect(0,0,10,10); ctx.fillRect(500,0,20,20); ctx.strokeStyle = "green"; ctx.fillStyle = "rgb(200,0,100)"; ctx.strokeRect(0,300,30,30); ctx.fillRect(500,300,50,50); }</script> </head><body onLoad="init();"><canvas id="canvas" width="600" height="400"> Your

browser doesn't support the HTML5 element canvas.</canvas> </body> </html>

Page 19: Introduction to HTML5

Errors

• JavaScript is scripting language: interpret statements at execution time.– NOT compiled, with error messages

• Semantic errors (errors of meaning) are more difficult to detect and fix!

• Syntactic errors are errors of form, analogous to grammatical errors– FireFox Tools/Error Console can help

• Most common: bad bracketing• ctx.fillStyle("rgb(200,0,100)"); fillStyle is attribute,not method

Page 20: Introduction to HTML5
Page 21: Introduction to HTML5

Comments

• The drawing is done in the init function which is called when the body element is loaded. The canvas element with id="canvas" does not exist until the body is loaded.

• Default color is black. Red green blue values each are 0 to 255 (8 bits of intensity). The strokeStyle and the fillStyle are attributes, not methods.

• GO: experiment with colors (by name) and rgb (note the quotation marks) and location and width and height.

Page 22: Introduction to HTML5

More comments

• Drawings are …paint on the canvas.• These rectangles are not objects to be

moved or referenced later.• Use ctx.clearRect method to erase. • Need to do calculations to detect hits.

– See memory game in book.

• Alternative is dynamic placement of html markup– See quiz, hangman.

Page 23: Introduction to HTML5

Next drawing• Paths created with arcs and line segments• Arcs are portions of circles, created using

radians in place of degrees. Math.PI is available for use. A complete circle can be drawn from 0 to 2*Math.PI or –Math.PI to Math.PI, etc.

• Arcs can be stroke or fill.• http://faculty.purchase.edu/jeanine.meyer/

html5workshop/wkshopsmile.html • http://faculty.purchase.edu/jeanine.meyer/

html5workshop/wkshopfrown.html

Page 24: Introduction to HTML5

Angles

0 (=2*PI)

PI/4

PI/2

PI

PI*3/2

true means counter-clockwise!

.80*PI

.20 * PI

Page 25: Introduction to HTML5

arcs

• ctx.arc (x of center, y of center, radius,starting angle,

finishing angle, true for counter-clockwise)

• No drawing (ink) at the center! This is important when connecting arcs and lines.

• EXPERIMENT

Page 26: Introduction to HTML5

4 distinct paths, each made up of 1 arc.

Default, "red" and "brown"

Page 27: Introduction to HTML5

Strategy

• Use variables with some variable values defined in terms of others.

• Circle face and two eyes. Smile is (partial) arc. Brown eyes and red smile.

• body element same as before.– You can add the code for this to your

rectangles drawing.

Page 28: Introduction to HTML5

var ctx;var headx = 100; //center of face x coord.var heady = 200; // center of face y coord.var headrad = 50; //radius of facevar smileoffsetx=0; //smile center x is same as facevar smileoffsety = 15; //smile center y further downvar smilerad=20; // smile radius var eyeoffsety = -10; //eyes up from centervar lefteyeoffsetx = -15; //left eyevar righteyeoffsetx = -lefteyeoffsetx; //rightvar eyerad = 8; // eye radius

Page 29: Introduction to HTML5

function init() { ctx = document.getElementById('canvas').getContext('2d');

ctx.lineWidth = 5; ctx.beginPath(); ctx.arc(headx,heady,headrad,0,2*Math.PI,true);

ctx.closePath(); ctx.stroke(); …

Page 30: Introduction to HTML5

ctx.strokeStyle = "red";ctx.beginPath();ctx.arc(headx+smileoffsetx,heady+smileoffsety,smilerad,.80*Math.PI,.20*Math.PI,true);

ctx.stroke();

ctx.fillStyle = "brown"; ctx.beginPath();ctx.arc(headx+lefteyeoffsetx,heady+eyeoffsety,eyerad,0,2*Math.PI,true);

ctx.fill();

ctx.beginPath(); ctx.arc(headx+righteyeoffsetx,heady+eyeoffsety,eyerad,0,2*Math.PI,true);

ctx.fill(); }

Page 31: Introduction to HTML5

Comments

• The fill and stroke calls close the path. • Also, can close a path with closePath()• Using variables makes code more flexible and

easier to see relationships.• GO: draw arcs, changing colors, sizes, etc.

• NOTE: can draw non-circular ovals using transformations: scale. Check out the hangman game in book!

Page 32: Introduction to HTML5

Next drawing: star

• For drawing lines (and arcs), think of moving a pencil versus drawing (preparing to draw) a line segment– nothing is drawn until the stroke or fill

• Use an array with coordinates for 5 points• Use an array to hold names of 3 colors• button element• http://faculty.purchase.edu/jeanine.meyer/

html5workshop/wkshopdrawingstars.html

Page 33: Introduction to HTML5

opening screen

Page 34: Introduction to HTML5

after 1st press of button

Page 35: Introduction to HTML5

after next press

Page 36: Introduction to HTML5

after next press

Page 37: Introduction to HTML5

show body first<body onLoad="init();"><canvas id="canvas" width="600" height="400">

Your browser doesn't support the HTML5 element canvas.

</canvas>

<button onClick="makestar();">Make Star </button>

</body></html>

Page 38: Introduction to HTML5

variables (in script element)

var ctx;var pts=[//5 points for star: rough drawing[100,35],

[60,10], [20,35], [35,100], [85,100] ];var colors=["red","white","blue"]; //used in successionvar c=0; // points to next color

Page 39: Introduction to HTML5

variables (in script element)

var ctx;

var pts=[ //5 points for star: rough drawing[100,35],

[60,10], [20,35], [35,100], [85,100] ];

var colors=["red","white","blue"]; //used in successionvar c=0; // points to next color

Page 40: Introduction to HTML5

variables (in script element)

var ctx;

var pts=[ //5 points for star: rough drawing[100,35],

[60,10], [20,35], [35,100], [85,100] ];

var colors=["red","white","blue"]; //used in successionvar c=0; // points to next color

Page 41: Introduction to HTML5

variables (in script element)

var ctx;

var pts=[ //5 points for star: rough drawing[100,35],

[60,10], [20,35], [35,100], [85,100] ];

var colors=["red","white","blue"]; //used in successionvar c=0; // points to next color

Page 42: Introduction to HTML5

variables (in script element)

var ctx;

var pts=[ //5 points for star: rough drawing[100,35],

[60,10], [20,35], [35,100], [85,100] ];

var colors=["red","white","blue"]; //used in successionvar c=0; // points to next color

Page 43: Introduction to HTML5

function init() { ctx = document.getElementById('canvas').getContext('2d'); }function makestar() { ctx.clearRect(0,0,600,400); ctx.fillStyle=colors[c]; c = c +1; // can reduce to one line using colors[c++] c = (c<3)?c:0; ctx.beginPath(); ctx.moveTo(pts[0][0],pts[0][1]); ctx.lineTo(pts[3][0],pts[3][1]); ctx.lineTo(pts[1][0],pts[1][1]); ctx.lineTo(pts[4][0],pts[4][1]); ctx.lineTo(pts[2][0],pts[2][1]); ctx.lineTo(pts[0][0],pts[0][1]); ctx.stroke(); //outline (necessary for white star! ctx.fill(); }

Page 44: Introduction to HTML5

Comments• Your assignment: do something with a button. It

does not have to be a star.• But do use moveTo and lineTo.• You can combine with rectangles (separate from

paths) and arcs (can combine with lines).• Try stroke and fill• Can include multiple moveTo

– think of picking up your pen and moving to a new spot on the paper/canvas.

Page 45: Introduction to HTML5

Fancier stars• Code to draw star more precisely• Position each star randomly on canvas.

– Add star with each button press

• Increase number of colors.– http://www.tutorialspoint.com/html5/html5_col

or_names.htm– improve coding for robustness

• http://faculty.purchase.edu/jeanine.meyer/html5workshop/wkshopprecisestars.html

Page 46: Introduction to HTML5

after many presses

Page 47: Introduction to HTML5

Strategy

• reuse code for makestar, with modification– remove clearRect method– add a call to buildstar that re-creates the pts

array

• add items to colors array– remove 3 from the code!

• position, size, and rotation of star created using calls to Math.random.

Page 48: Introduction to HTML5

variables

var ctx;

var angle = 2*Math.PI/5;

var pts=[ ];

var colors=["red","white","blue","purple","yellow","teal"];

var c=0;

Page 49: Introduction to HTML5

function makestar() {buildstar();ctx.fillStyle=colors[c++];c = (c<colors.length)?c:0;ctx.beginPath();ctx.moveTo(pts[0][0],pts[0][1]);ctx.lineTo(pts[3][0],pts[3][1]);ctx.lineTo(pts[1][0],pts[1][1]);ctx.lineTo(pts[4][0],pts[4][1]);ctx.lineTo(pts[2][0],pts[2][1]);ctx.lineTo(pts[0][0],pts[0][1]);ctx.stroke();ctx.fill();}

Page 50: Introduction to HTML5

function buildstar() { pts = []; var x=500*Math.random(); //all these arbitrary

var y = 300*Math.random(); var r=50*Math.random(); var sangle = Math.random()*angle;

for(var i=0;i<5;i++) { var a = i*angle + sangle; var px = x+r*Math.cos(a); var py = y-r*Math.sin(a); pts.push([px,py]); }

}

Page 51: Introduction to HTML5

Comments

• Lesson of these examples is that drawings are dynamic!– can be done under specific circumstances in a

program – using different values

• Do this if there is time. Consider changing – names of colors– constants– draw something instead of or in addition to the star– ?

Page 52: Introduction to HTML5

Next: coin flip

• Draw image from image file of head or tail on canvas where player clicks mouse– event handling: listen for mouse click– draw image made from external file

• Draw text (with directions) on canvas

• http://faculty.purchase.edu/jeanine.meyer/html5workshop/wkshopcoinflip.html

Page 53: Introduction to HTML5

opening screen

Page 54: Introduction to HTML5

after mouse click

Page 55: Introduction to HTML5

Strategy• Need to locate/identify file address for images

– can be in same folder (use relative address) or use full URL

• Image objects with src attribute• font set for context (ctx)• event handling done for canvas element NOT

context. Sets up call to function that has 1 parameter

• Does require browser specific code to get mouse coordinates. (Sigh….)– use technique of checking for presence of attribute

Page 56: Introduction to HTML5

Strategy, cont.

• Fonts are from what is available on the client computer.

• draw outline (strokeRect) to show player where canvas is.

• Alternative to color names or rgb is hexadecimal.– use PhotoShop or Paint Shop Pro

• Note that my code makes adjustment to put middle of image where mouse was clicked.

Page 57: Introduction to HTML5

variables

var ctx;var canvas1;var head = new Image();var tail = new Image();head.src = "head.gif";tail.src = "tail.gif";var coinwidth = 100;var coinheight = 100;

Page 58: Introduction to HTML5

functions

function init() { ctx = document.getElementById('canvas').getContext('2d');

canvas1 = document.getElementById('canvas'); canvas1.addEventListener('click',flip,false);

ctx.font = "italic 20px Accent"; ctx.fillStyle = "#dd00ff"; ctx.strokeRect(0,0,600,400); ctx.fillText("Click on canvas to flip a coin.",10,20);

}

Page 59: Introduction to HTML5

function flip(ev) {var mx;var my;ctx.clearRect(0,0,600,400); if ( ev.layerX || ev.layerX == 0) { // Firefox mx= ev.layerX; my = ev.layerY; } else if (ev.offsetX || ev.offsetX ==

0) { // Opera mx = ev.offsetX; my = ev.offsetY; } if (Math.random()>.5) { ctx.drawImage(head,mx-50,my-

50,coinwidth,coinheight); } else { ctx.drawImage(tail,mx-50,my-

50,coinwidth,coinheight);} ctx.strokeRect(0,0,600,400);ctx.fillText("Click on canvas to flip a coin.",10,20);

}

Page 60: Introduction to HTML5

Comments

• You need to acquire two images to represent the coin faces.– download to same folder or use exact,

complete address

• You can go into Word, or equivalent, to see available fonts.– more in book AND online.

• Go!

Page 61: Introduction to HTML5

Background on audio & video

• This is native support (no need for plugins), no dependence on YouTube.

• Issue: Multiple formats (aka codecs) for each.– Different browsers recognize different formats.– Situation MAY improve: may be standardization.– Good news: the <audio> and <video> elements

provide way to reference multiple files and let browser choose (though order does seem to be important).

Page 62: Introduction to HTML5

Audio & video elements<audio autobuffer><source src="crowdohh.ogg" /><source src="crowdohh.mp3" /></audio>

<video controls="controls"><source src="sfire3.mp4" type='video/mp4; codecs="avc1.42E01E, mp4a.40.2"'>

<source src="sfire3.theora.ogv" type='video/ogg; codecs="theora, vorbis"'>

<source src="sfire3.webmvp8.webm" type="video/webm; codec="vp8, vorbis"'">

</video>

Page 63: Introduction to HTML5

Our goal now

• Find and download video files.• Use Miro Converter to produce other formats.• Put audio into one of existing projects.• Put video into one of existing projects.• Build video bouncing ball.• Look at book's rock-paper-scissors for playing

specific sounds at specific times.• Look at book's quiz for keeping video invisible

and playing it only when quiz round complete.

Page 64: Introduction to HTML5

Acquire video

• Make your own.

• Find on-line. Site http://file2hd.com/ lets you specify a URL and choose from the videos to download.– Respect intellectual property!!!– Respect personal privacy (of friends & family,

etc.)!!!

Page 65: Introduction to HTML5

Produce all formats

• Produce formats for all browsers:– http://www.mirovideoconverter.com/

• Download the program.

• The original file can be in several different formats, including flv (Flash format, used by YouTube).

• Follow directions: should produce the 3 formats: mp4, theora.ogv, webmvp8.webm

Page 66: Introduction to HTML5

Next: Video

• Put video element in your favorite sites or something else or ???

• Test using Firefox, Chrome and Safari.

• PATIENCE!!

Page 67: Introduction to HTML5

Next: Bouncing video

• Two versions– move around video element– use drawImage to place video on canvas

(works in FireFox)• Doing this makes it easier to draw mask.

Otherwise, difficult to position.

• "Not quite ready for prime time". Need to put in code to wait until video all downloaded.

Page 68: Introduction to HTML5

Strategy

• Use setInterval to invoke [my] drawscene function– re-position video. – Check against [virtual] walls. Apply angle of incidence

equal angle of reflection (easy to do)– use strokeRect to draw box

• NOTE: the loop attribute did not work, so I set up event handling for video ended event.

Page 69: Introduction to HTML5

Function tableinit Called by action of

onLoad in <body>

restart … addEventListener in init

drawscene … setInterval in init. This is different in two versions

moveandcheck Called in drawscene

Page 70: Introduction to HTML5

Bouncing video rectangle

• canvas and video distinct elements

• http://faculty.purchase.edu/jeanine.meyer/html5workshop/videobounce1.html

Page 71: Introduction to HTML5

Video is in motion

Page 72: Introduction to HTML5

Style section

Positioning and layering (my term).

Note: to change z-index by JavaScript, use zIndex.

<style>

#vid {position:absolute; visibility:hidden; z-index: 0; }

#canvas {position:absolute; z-index:10;}

</style>

Page 73: Introduction to HTML5

<script type="text/javascript">var ctx;var cwidth = 900; var cheight = 600;var ballrad = 50;var boxx = 20; var boxy = 30;var boxwidth = 850;var boxheight = 550;var boxboundx = boxwidth+boxx-2*ballrad;var boxboundy = boxheight+boxy-2*ballrad;var inboxboundx = 0;var inboxboundy = 0;var ballx = 50; var bally = 60;var ballvx = 2; var ballvy = 4;var v;

Page 74: Introduction to HTML5

function init(){ ctx = document.getElementById('canvas').getContext('2d');

v = document.getElementById("vid"); v.addEventListener("ended",restart,false);

v.style.left = ballx;v.style.top = bally;

v.width = 2*ballrad; v.height = 2*ballrad;v.play();

v.style.visibility = "visible"; setInterval(drawscene,50);}

Page 75: Introduction to HTML5

function restart() {

v.currentTime=0;

v.play();

}

Page 76: Introduction to HTML5

function drawscene(){ ctx.lineWidth = ballrad; ctx.clearRect(boxx,boxy,boxwidth,boxheight);

moveandcheck();

v.style.left = ballx; v.style.top = bally;

ctx.strokeStyle ="rgb(200,0,50)"; ctx.strokeRect(boxx,boxy,boxwidth,boxheight); //box

}

Page 77: Introduction to HTML5

function moveandcheck() {var nballx = ballx + ballvx;var nbally = bally +ballvy;

if (nballx > boxboundx) { ballvx =-ballvx; nballx = boxboundx; }

if (nballx < inboxboundx) { nballx = inboxboundx ballvx = -ballvx; }

if (nbally > boxboundy) { nbally = boxboundy; ballvy =-ballvy; }

if (nbally < inboxboundy) { nbally = inboxboundy; ballvy = -ballvy; }

ballx = nballx; bally = nbally; }

Page 78: Introduction to HTML5

<body onLoad="init();"><video id="vid" loop="loop" preload="auto"><source src="joshuahomerun.mp4" type='video/mp4; codecs="avc1.42E01E, mp4a.40.2"'>

<source src="joshuahomerun.theora.ogv" type='video/ogg; codecs="theora, vorbis"'>

<source src="joshuahomerun.webmvp8.webm" type='video/webm; codec="vp8, vorbis"'>

Your browser does not accept the video tag. </video><canvas id="canvas" width="900" height="600">

This browser doesn't support the HTML5 canvas element.

</canvas></body>

Page 79: Introduction to HTML5

Bouncing video circle

• Works in Firefox.

• video used in drawImage.

• A mask is created: a box with a hole positioned over the video to produce a circular

• http://faculty.purchase.edu/jeanine.meyer/html5workshop/videobounce3.html

Page 80: Introduction to HTML5

Video is in motion

Page 81: Introduction to HTML5

<script>var ctx;var cwidth = 900; var cheight = 600;var ballrad = 50;var boxx = 20; var boxy = 30;var boxwidth = 850;var boxheight = 550;var boxboundx = boxwidth+boxx-2*ballrad;var boxboundy = boxheight+boxy-2*ballrad;var inboxboundx = 0;var inboxboundy = 0;var ballx = 50; var bally = 60;var ballvx = 2; var ballvy = 4;

var maskrad;var v;

Page 82: Introduction to HTML5

function init(){

ctx = document.getElementById('canvas').getContext('2d');

v = document.getElementById("vid"); v.addEventListener("ended",restart,false); // because loop doesn't work on FF

v.width = v.videoWidth/3; v.height = v.videoHeight/3; videow = v.width; videoh = v.height; maskrad = .4*Math.min(videow,videoh);v.play();

setInterval(drawscene,50); }

Page 83: Introduction to HTML5

function restart() {

v.currentTime=0;

v.play();

}

Page 84: Introduction to HTML5

function drawscene(){ ctx.lineWidth = ballrad; ctx.clearRect(0,0,boxwidth+boxx,boxheight+boxy); ctx.fillStyle="rgb(255,255,255)"; //white moveandcheck(); ctx.drawImage(v,ballx+boxx, bally+boxy,

v.width,v.height); ctx.beginPath(); ctx.moveTo(ballx+boxx,bally+boxy); ctx.lineTo(ballx+boxx+v.width,bally+boxy); ctx.lineTo(ballx+boxx+v.width,bally+boxy+v.height); ctx.lineTo(ballx+boxx,bally+boxy+v.height); ctx.lineTo(ballx+boxx,bally+boxy);ctx.arc(ballx+boxx+.5*v.width,bally+boxy+.5*v.height,maskr

ad,0,Math.PI*2,true);

ctx.fill(); //draw white mask on top of video, letting just circle show

ctx.strokeStyle ="rgb(200,0,50)"; ctx.strokeRect(boxx,boxy,boxwidth,boxheight); //box}

Page 85: Introduction to HTML5

function moveandcheck() {var nballx = ballx + ballvx;var nbally = bally +ballvy;

if (nballx > boxboundx) { ballvx =-ballvx; nballx = boxboundx; }

if (nballx < inboxboundx) { nballx = inboxboundx ballvx = -ballvx; }

if (nbally > boxboundy) { nbally = boxboundy; ballvy =-ballvy; }

if (nbally < inboxboundy) { nbally = inboxboundy; ballvy = -ballvy; }

ballx = nballx; bally = nbally; }

Page 86: Introduction to HTML5

<body onLoad="init();"><video id="vid" loop="loop" preload="auto"><source src="joshuahomerun.mp4" type='video/mp4;

codecs="avc1.42E01E, mp4a.40.2"'><source src="joshuahomerun.theora.ogv"

type='video/ogg; codecs="theora, vorbis"'><source src="joshuahomerun.webmvp8.webm"

type='video/webm; codec="vp8, vorbis"'>Your browser does not accept the video tag. </video>

<canvas id="canvas" width="900" height="600">This browser doesn't support the HTML5 canvas

element.</canvas>

</body>

Page 87: Introduction to HTML5

Next: Maps app• Use Google Maps API to bring up map at current

location.• Respond to clicking by placing a marker and

calculating distance.• Provide way to change to fixed set of locations

or the last marker.• http://faculty.purchase.edu/jeanine.meyer/

html5workshop/geolocationdistance2.html – need to give permission to Share Location

• Works in Chrome and Firefox. Does not work in Safari for Windows.

Page 88: Introduction to HTML5

Opening screen

Page 89: Introduction to HTML5

Brings up ….

Page 90: Introduction to HTML5

After click on map

Page 91: Introduction to HTML5

After choose CUNY

Page 92: Introduction to HTML5

Mapping

• Google Maps API (and other applications) defines positions using special latitude/longitude data object

• Access to Google Map is created for a place in the HTML document, using specified map options

• HTML has a specification for doing geolocation.– navigator.geolocation produces latitude and longitude

values

Page 93: Introduction to HTML5

How to get positions?

• Google Maps– get to a map

• Browser location javascript:void(prompt('',gApplication.getMap().getCenter()));

OR• Click on green beaker and enable the drop latlng

marker– right click then normal click

Page 94: Introduction to HTML5

My program

• Tries to use the geolocation

• Gives user option to pick base location

• User can click on map and find distance from base center.

• Can change base to last clicked on position.

• General access to Google Maps features.

Page 95: Introduction to HTML5

Basics• if (navigator.geolocation) checks if

this object exists. Does NOT cause any errors.

if (navigator.geolocation) {navigator.geolocation.getCurrentPosition

(handler,problemhandler);}• handler when things go okay. problemhandler when there are errors, including user deciding not to share location.

Page 96: Introduction to HTML5

Create/AccessGoogle Maps

• map = new google.maps.Map(document.getElementById("place"), myOptions); brings up Google Maps in the div with id "place" using the parameters in myOptions.

<div id="place" style="width:600px; height:400px"></div>

• NOTE: use of % for width and height did not work when <!DOCTYPE html> used.

Page 97: Introduction to HTML5

style, external script

<style>header {font-family:Georgia,"Times New Roman",serif;font-size:20px;display:block;

}</style><script type="text/javascript" src="http://maps.google.com/maps/api/js?sensor=false"></script>

<script language="Javascript">

Page 98: Introduction to HTML5

init() codefunction init() {if (navigator.geolocation) {navigator.geolocation.getCurrentPosition(handler,problemhandler);}else { if (document.getElementById("place")) { document.getElementById("place").innerHTML = "I'm sorry but geolocation services are not supported by your browser";

document.getElementById("place").style.color = "#FF0000";

} } }

Page 99: Introduction to HTML5

function handler(position) {

var mylat = position.coords.latitude;

var mylong = position.coords.longitude;

makemap(mylat,mylong);

}

Page 100: Introduction to HTML5

error handlingfunction problemhandler(prob) {switch(prob.code) {case 1: document.getElementById("place").innerHTML = "User declined to share the location information.";break;case 2:document.getElementById("place").innerHTML = "Errors in getting base location.";break;case 3:document.getElementById("place").innerHTML = "Timeout in getting base location."; }document.getElementById("header").innerHTML = "Base location needs to be set!"; }

Page 101: Introduction to HTML5

variablesvar listener;var map;var markersArray =[];var blatlng; var myOptions; var locations = [ [35.1494444,-90.0488889, "Memphis, TN"], [41.04796,-73.70539,"Purchase College/SUNY"],

[41.878928, -87.641926,"IIT"]];

Page 102: Introduction to HTML5

create/access mapfunction makemap(mylat, mylong) { blatlng = new google.maps.LatLng(mylat,mylong);

myOptions = { zoom: 14,

center: blatlng, mapTypeId: google.maps.MapTypeId.ROADMAP};

map = new google.maps.Map(document.getElementById("place"), myOptions);listener = google.maps.event.addListener(map, 'click', function(event) {

checkit(event.latLng);}); }

Page 103: Introduction to HTML5

response to click on map

function checkit(clatlng) {var distance = dist(clatlng,blatlng);distance = Math.floor((distance+.005)*100)/100;var distanceString = String(distance)+" miles";marker = new google.maps.Marker({ position: clatlng,

title: distanceString,map: map });

markersArray.push(marker);document.getElementById("answer").innerHTML = "The distance from base to most recent marker is "+String(distance) +" miles."; }

Page 104: Introduction to HTML5

distance functionfunction dist(point1, point2) { //spherical law of cosines //var R = 6371; // km var R = 3959; // miles var lat1 = point1.lat()*Math.PI/180; var lat2 = point2.lat()*Math.PI/180 ; var lon1 = point1.lng()*Math.PI/180; var lon2 = point2.lng()*Math.PI/180;

var d = Math.acos(Math.sin(lat1)*Math.sin(lat2) + Math.cos(lat1)*Math.cos(lat2) * Math.cos(lon2-lon1)) * R; return d; }

Page 105: Introduction to HTML5

change base using radio buttons

function changebase() {for(var i=0;i<locations.length;i++) {

if (document.f.loc[i].checked) {makemap(locations[i]

[0],locations[i][1]);

document.getElementById("header").innerHTML = "Base location is "+locations[i][2];

}}return false;

}

Page 106: Introduction to HTML5

</script> </head> <body onload="init();"><header id="header">Base location is your current geolocation</header>

<div id="place" style="width:600px; height:400px"></div>

<div id="answer"></div>Change base location: <br/><form name="f" onSubmit=" return changebase();"> <input type="radio" name="loc" /> Memphis<br/> <input type="radio" name="loc" /> Purchase College<br/>

<input type="radio" name="loc" /> Illinois Institute of Technology<br/>

<input type="submit" value="CHANGE"></form> </body> </html>

Page 107: Introduction to HTML5

Variation

• Geolocation returns accuracy and, maybe, other information, including altitude.

• These applications mark the center with a red x and display other information– http://faculty.purchase.edu/jeanine.meyer/

html5workshop/geolocation.html– http://faculty.purchase.edu/jeanine.meyer/

html5workshop/geolocationkm.html• Note: accuracy is given in meters in both cases

Page 108: Introduction to HTML5

Critical code

• Uses custom image for markervar xmarker = "x1.png";…marker = new google.maps.Marker({

position: blatlng, title: "center",

icon: xmarker, map:

map });

Page 109: Introduction to HTML5

getCurrentPosition• 3rd parameter to getCurrentPosition callpositionopts = {enableHighAccuracy: true} ;…navigator.geolocation.getCurrentPosition(handler,

problemhandler, positionopts);• Add form coutput for outputdocument.coutput.lat.value = mylat;

document.coutput.lon.value = mylong;document.coutput.acc.value = position.coords.accuracy;document.coutput.alt.value = position.coords.altitude;document.coutput.altacc.value = position.coords.altitudeAccuracy;document.coutput.heading.value = position.coords.heading;document.coutput.speed.value = position.coords.speed;

Page 110: Introduction to HTML5

Next application:persistent storage

• Normal situation: no changes to client computer beyond downloaded files.

• cookies invented (with a pleasing name) to be files associated with each browser to be used only by same server site.– convenience: IDs and passwords, preferences, etc.– behavioral marketing!

• Early HTML supported cookies. localStorage is a new variation.

• CAUTION: Firefox requires the program to run on a server! Chrome allows running locally.

• http://faculty.purchase.edu/jeanine.meyer/html5workshop/geolocationdistance4.html

Page 111: Introduction to HTML5

Opening (after permission)

Page 112: Introduction to HTML5

New base

Page 113: Introduction to HTML5

Objective: add to maps app• 3 buttons: store base, retrieve base

stored, change base to last marker

• localStorage used name-value pairs.

• Do error checking!– check for ability to do localStorage– check if there is a stored time.

Page 114: Introduction to HTML5

Strategy

• Three buttons, invoking store(), retrieve(), and changebasetomarker()

• Use try { } catch(e) { } . The code in try will NOT trigger an error, but if there is one, will go to catch.

• Also use typeof(localStorage) to test if this is defined.

Page 115: Introduction to HTML5

<button onClick="javascript:store();">Store base. </button>

<button onClick="javascript:retrieve();">Restore last base. </button>

<button onClick="javascript:changebasetomarker();">Change base location to last marker. </button> <br/>

Page 116: Introduction to HTML5

function store() {if (typeof(localStorage) == "undefined") {alert("Browser does not recognize HTML local storage.");

}else { try { localStorage.setItem("baselat",blatlng.lat());

localStorage.setItem("baselng",blatlng.lng());localStorage.setItem("basename",basename);

} catch(e) { alert("Error with use of local storage: "+e);}

}return false; }

Page 117: Introduction to HTML5

function retrieve() {if (typeof(localStorage) == "undefined") {

alert("Browser does not recognize HTML local storage.");

}else { try {

oldlat= localStorage.getItem("baselat");oldlng = localStorage.getItem("baselng");oldname = localStorage.getItem("basename");if (oldlat==null) {

alert("No base stored");}else {makemap(Number(oldlat),Number(oldlng));

basename = oldname;document.getElementById("header").innerHTML =

"Base location is "+basename; } } catch(e) {

alert("Error with use of local storage: "+e);} }return false; }

Page 118: Introduction to HTML5

changes base to marker

function changebasetomarker() {

if (lastmarker!="undefined") {

makemap(lastmarker.lat(),lastmarker.lng());

basename = "marker";

}

}

Page 119: Introduction to HTML5

Comments

• Error checking good!

• Many GIS programs with common/similar features

• Need to determine where information goes– my locations array kept information in my

JavaScript

Page 120: Introduction to HTML5

Plug for Book• introduce application, mainly familiar games.• critical requirements• HTML5 (CSS, JavaScript) features• complete code: comments• Many chapters involve sets of applications• Introduction to programming• NOTE: not encyclopedic on featureshttp://www.friendsofed.com/book.html?

isbn=9781430233831

Page 121: Introduction to HTML5

Applications (HTML5 features)

• Favorite sites• Dice game: drawing arcs & rectangles• Bouncing ball: drawing, including gradient,

form validation, timed events• Cannonball & Slingshot: drawing lines &

images, mouse events, rotation & translation, programmer-defined objects

• Memory polygons & pictures: drawing, mouse events (clicking on card), timing

Page 122: Introduction to HTML5

Applications(HTML5 features)

• Quiz: dynamically created HTML markup, mouse events on elements, video

• Mazes: mouse events, drawing, localStorage, radio buttons

• Rock, Paper, Scissors: drawing, audio• Hangman: drawing lines and arcs (ovals),

dynamic HTML markup• Blackjack: key events, drawing images,

footer

Page 123: Introduction to HTML5

Conclusion

• Please email with comments on this tutorial and HTML5 for – professional use– educational use

• Thank you

[email protected]