알아봅시다,
+Changwook.Doh 
cwdoh.com
Agenda
Chrome Enchanted: 
“2014년 주목할만한 HTML5 규격 4종” 
§ Web Components 
§ Web Animations 
§ Web RTC 
§ Service Worker
Web Components
어떤 문제들을 해결할 수 있을까?
@polyme 
r 
#itshackademic
Tab UI를 만드는 5가지 방법
G-Mail 팀도 힘들어 하는 것? 
TAG SOUP!!!
http://drbl.in/esYL 
Tab UI 정도는 
좀 쉽게!
무엇이 필요할까?
“자주 사용되거나 구조적 분리가 필요한 요소를 
다른 요소들과 충돌하지 않는 
재활용 가능한 방법이 필요해요.”
“특히 분리되어 있는 HTML, CSS, JS를 
하나로 묶어 쉽게 불러들일 수 있으면...”
Web 
Components 
더 적은 코드. 덜 혼란스럽게. 
<paper-tabs> 
<paper-tab>KNOWLEDGE</paper-tab> 
<paper-tab>HISTORY</paper-tab> 
<paper-tab>FOOD</paper-tab> 
</paper-tabs>
Web Component?
Custom Element 
● 새로운 엘리먼트의 정의. 기존 엘리먼트의 확장 
HTML Imports 
● HTML, CSS, JS를 로딩하고 싶다면? 
Shadow DOM 
● 캡슐화된 DOM, CSS의 스코프 분리 
Template 
● 드디어 등장한 네이티브로 지원되는 템플릿 
Web Component를 지탱하는 4가지 규격!
Custom Elements 
define new HTML/DOM elements
<paper-tabs selected=“1”> 
<paper-tab>Tab 1</paper-tab> 
<paper-tab>Tab 2</paper-tab> 
<paper-tab>Tab 3</paper-tab> 
</paper-tabs> 
Custom Elements 
새 HTML 엘리먼트의 정의 
선언적, 가독성 
직관적인 HTML 
확장 방법의 일반화 → 재사용성 
@polyme 
r 
#itshackademic
Custom Elements 
새 HTML 엘리먼트의 정의 
var tabs = document.querySelector('paper-tabs'); 
tabs.addEventListener('core-activate', function() { 
console.log(this.selected); 
}); 
@polyme 
r 
#itshackademic 
선언적, 가독성 
직관적인 HTML 
확장 방법의 일반화 → 재사용성
Custom Elements 
새로운 엘리먼트의 등록과 기존 엘리먼트로부터의 확장 
// 새로운 엘리먼트의 등록var XFoo = document.registerElement('x-foo'); 
document.body.appendChild(new XFoo()); 
// 기존 엘리먼트로부터의 확장var MegaButton = document.registerElement('mega-button', { 
prototype: Object.create( HTMLButtonElement.prototype ) 
});
Custom Elements 
일반적인 사용 흐름 
var XFooProto = Object.create(HTMLElement.prototype);// x-foo에 foo() 메서드 추가XFooProto.foo = 
function() { alert('foo() called'); }; 
// read-only 속성의 "bar" 속성 정의Object.defineProperty(XFooProto, "bar", {value: 5}); 
// Element 등록var XFoo = document.registerElement('x-foo', {prototype: XFooProto}); 
// DOM 생성var xfoo = document.createElement('x-foo'); 
document.body.appendChild(xfoo);
Custom Elements 
Callbacks 
var proto = Object.create(HTMLElement.prototype); 
proto.createdCallback = function() {...}; 
proto.attachedCallback = function() {…}; 
proto.detachedCallback = function() {…}; 
proto.attributeChangedCallback = function(attrName, oldValue, newValue) {…};var XFoo = 
document.registerElement('x-foo', {prototype: proto});
Shadow DOM 
DOM/CSS scoping
<video src=“foo.webm” controls></video> 
@polyme 
r 
#itshackademic
실제로 Shadow DOM 
<video src=“foo.webm” controls></video> 
@polyme 
r 
#itshackademic
<video src=“foo.webm” controls></video>
Shadow DOM 
Shadow Host & Shadow Root
Shadow DOM 101 
● 지정된 DOM을 정의한 DOM 트리로 렌더링 
o Shadow Host vs. Shadow Root 
o DOM Visualizer 
<div><h3>Light DOM</h3></div><script>var root = 
document.querySelector('div').createShadowRoot(); 
root.innerHTML = '<style>h3{ color: red; }</style>' + 
'<h3>Shadow DOM</h3>';</script> 
Shadow DOM
<style> 
:host { 
opacity: 0.4; 
transition: opacity 420ms ease-in-out; 
} 
:host(:hover) { 
opacity: 1; 
} 
:host(:active) { 
position: relative; 
top: 3px; 
left: 3px; 
}</style> 
Shadow DOM 
Style
Shadow DOM 201 
:host-context(.different) { 
color: red; 
} 
:host(x-foo:host) { 
/* Applies if the host is a <x-foo> element.*/ 
} 
:host(x-bar:host) { 
/* Applies if the host is a <x-bar> element. */ 
} 
:host(div) { { 
/* Applies if the host element or an ancestor is a <div>. */ 
} 
Shadow DOM 
Host 스타일 
<body class="different"> 
<x-foo></x-foo></body>
Shadow DOM 201 
<style> 
#host::shadow span { 
color: red; 
}</style><div id="host"> 
<span>Light DOM</span></div><script> 
var host = document.querySelector('div'); 
var root = host.createShadowRoot(); 
root.innerHTML = "<span>Shadow DOM</span>" + 
"<content></content>";</script> 
Shadow DOM 
외부에서 Shadow DOM 내부의 스타일링 
하기
Shadow DOM 201 
Shadow DOM 
::shadow pseudo element 
// No fun. 
document.querySelector('x-tabs').shadowRoot 
.querySelector('x-panel').shadowRoot 
.querySelector('#foo');// Fun. 
document.querySelector('x-tabs:shadow x-panel::shadow #foo');
Shadow DOM 201 
Shadow DOM 
/deep/ combinator 
x-tabs /deep/ x-panel { 
... 
} 
video /deep/ input[type="range"] { 
background: hotpink; 
}
Templates 
native client-side templating
var 
compiled 
= 
_.template("hello: 
<%= 
name 
%>"); 
compiled({name: 
'moe'}); 
=> 
"hello: 
moe" 
<script type="text/template"> 
// ... 
</script> 
Templating 
HTML Templates 이전 
Text Templating 
Script Overloading 
Offline DOM 
<div id="mytemplate" hidden> 
<img src="logo.png"> 
<div class="comment"></div></div>
<template> 
<div class=“comment”> 
<img src=“image.png”> 
</div> 
<script>...</script> 
</template> 
HTML Templates 
네이티브로 구현된 클라이언트 기반의 템플릿 
DOM 구조를 위해 DOM 사용 → no 
XSS 
파싱되나, 렌더링되지 않음 
복제/사용 전까지 콘텐츠는 비활성 
doc fragment → 페이지와 분리됨 
1. 렌더링되지 않음 
2. 스크립트는 실행되지 않음 
3. 리소스(이미지, 오디오 등)는 로딩되지 않음 
4. 문서 내에서 통상적인 DOM으로 액세스 불가
HTML Templates 
지원 여부 검사 
function supportsTemplate() { 
return 'content' in document.createElement('template'); 
}if (supportsTemplate()) { 
// Good to go! 
} else { 
// Use old templating techniques or libraries. 
}
HTML Templates 
템플릿의 사용 
<button onclick="useIt()">Use me</button><div id="container"></div> 
<script> 
function useIt() { 
var content = document.querySelector('template').content; 
content.querySelector('span').textContent = parseInt(span.textContent) + 1; 
document.querySelector('#container').appendChild( document.importNode(content, true)); 
}</script><template> 
<div>Template used: <span>0</span></div> 
<script>alert('Thanks!')</script></template>
HTML Imports 
loading web components
<script> 
var xhr = new XMLHttpRequest(); 
xhr.open('GET', '...', true); 
xhr.responseType = 'document'; 
xhr.onload = function(e) {}; 
xhr.send(); 
</script> 
Importing 
HTML Imports 이전 
<iframe> 
Ajax 
Script HACK! 
<script type="text/html" src="..."></script>
HTML Imports 
무엇이던 불러오세요. 
<head> 
<link rel="import" href="/path/to/imports/stuff.html"></head>
HTML Imports 
지원 여부 검사 
function supportsImports() { 
return 'import' in document.createElement('link'); 
}if (supportsImports()) { 
// 지원하므로 그대로 진행합니다. 
} else { 
// 파일을 로딩하기 위한 다른 라이브러리나 require 시스템들을 사용하세요. 
}
HTML Imports 
이벤트 핸들링 
<script async> 
function handleLoad(e) { 
console.log('Loaded import: ' + e.target.href); 
} 
function handleError(e) { 
console.log('Error loading import: ' + e.target.href); 
}</script><link rel="import" href="file.html" 
onload="handleLoad(event)" onerror="handleError(event)">
HTML Imports 
스크립트를 통한 Import 
var link = document.createElement('link'); 
link.rel = 'import'; 
link.href = 'file.html' 
link.onload = function(e) {...}; 
link.onerror = function(e) {...}; 
document.head.appendChild(link);
HTML Imports 
link.import 
var content = document.querySelector('link[rel="import"]').import; 
link.import == null 
● 브라우저가 HTML Imports를 지원하지 않을 경우 
● <link>가 rel="import"를 가지지 않을 경우 
● <link>가 DOM에 추가되지 않은 경우 
● <link>가 DOM으로부터 제거된 경우 
● ‘CORS를 만족하는’ 리소스가 아닐 경우
HTML Imports 
콘텐츠의 삽입 
<head> 
<link rel="import" href="warnings.html"></head><body> 
... 
<script> 
var link = document.querySelector('link[rel="import"]'); 
var content = link.import; 
// Grab DOM from warning.html's document. 
var el = content.querySelector('.warning'); 
document.body.appendChild(el.cloneNode(true)); 
</script></body>
Custom Elements 
컴포넌트가 인터페이스를 가진 DOM Element 형태로 사용될 수 있도록... 
Templates 
컴포넌트의 골격이 사용하기 전까지 비활성화된 상태로 관리되도록... 
Shadow DOM 
컴포넌트의 스타일, DOM의 표현을 캡슐화하여 처리할 수 있도록... 
HTML Imports 
위의 요소들을 포함한 리소스(Markup, JS, CSS)를 로딩할 수 있도록... 
웹 컴포넌트의 구성과 배포에 적합한 4가지 규격
Browser support 
Summer 2014
Further readings... 
Chrome Enchanted: 2014년 주목할만한 HTML5 규격 4종 
웹 컴포넌트: 차세대 프론트엔드 웹 개발로 가는 관문 
Introduction to Web Components 
Shadow DOM 101: 기초 
Shadow DOM 201: CSS와 스타일링 
Shadow DOM 301: 고급 개념과 DOM API 
HTML Imports: 웹을 위한 #include 
Custom Element: HTML에 새로운 엘리먼트를 정의하기 
HTML의 새로운 템플릿 태그
Web Animations
CSS Animation 
● CSS 기반의 키프레임 애니메이션 
CSS Transition 
● CSS3 규격의 일부로써, 지정된 CSS 속성 변경에 대한 전환 속도 제 
어 
SVG Animation 
● SVG 기반의 애니메이션 
requestAnimationFrame() 
● 다음 Repaint 시점 이전 프레임 갱신이 가능하도록 콜백 제공 
이미 존재하는 4가지 애니메이션 규격
“이것으로 충분한가?”
CSS Animation/Transition 
Issues 
동기화 
시퀀싱(Sequencing) 
Playback - Seek, Pause, Reverse 
Animation Blending 
Debugging
SVG Animation 
Issues 
강력함 
SVG에만 해당
JavaScript Animation 
Issues 
requestAnimationFrame()으로 렌더링 성능 저하 회피 
보편성과 활용성 높음 
Main UI 스레드 사용 
CSS 스타일 조정(특히 inline style)으로 인한 Layouting, 
Recalculating, ... 
SVG 같은 직접 접근 불가능한 객체 존재
Web Animations?
Web Animations 1.0 
HTML5에 추가된 새 애니메이션 규격 
규격의 대상 
● 추상화된 애니메이션 모델 
● JavaScript API 
CSS 및 SVG 문법 및 기능 매핑은 포함하지 않음
Web Animations 1.0 
HTML5에 추가된 새 애니메이션 규격 
CSS 및 SVG 애니메이션을 위한 기반 모델 제공 
선언적인 형태, 하지만 JS API로 제공되는 애니메이션 기능!!! 
하드웨어 가속 친화적! 
Timeline, Sequence 등 애니메이션 동기화 API 
동적인 애니메이션 조작성
Web Animations 
규격의 범위
Web Animations 
표준화 및 브라우저 지원 등 주요 현황 
Editor’s Draft - http://w3c.github.io/web-animations/ 
선언적인 형태, 하지만 JS API로 제공되는 애니메이션 기능!!! 
Chrome - CSS Anim. 엔진 변경 V36 element.animate(), V38 Playback Control 
Firefox 및 Safari - 개발 중, Internet Explorer - 논의 중 
web-animations.js Polyfill, Web Animations Demos
규격
Usage 
자바스크립트 기바의 애니메이션 
<div class="pulse" style="width:150px;">Hello world!</div><script> 
var elem = document.querySelector('.pulse'); 
var player = document.timeline.play(new Animation(elem, [ 
{opacity: "0.5", transform: "scale(0.5)"}, 
{opacity: "1.0", transform: "scale(1)"} 
], 
{ 
direction: "alternate", duration: 500, iterations: Infinity 
}));</script>
Overview 
웹 애니메이션의 모델 
Timing Model 
● 애니메이션 타이밍의 흐름(속도, 위치 등)을 제어 
Animation Model 
● Timing Model에서 전달된 값을 기반으로 애니메이션 속성들에 대한 실제 값 적용
Timing Model 
Timing Nodes
Timing Model 
Inherited Time & Local Time
Timing Group 
애니메이션들에 대한 동기화 모델
Sequence 
Parallel group 
Timing Group 
Mixin
Animation Model 
Iteration & Duration 
CSS Animation과의 차이점 
● Iteration Duration = Active Duration / Iteration Count
Animation Model 
애니메이션의 시작 위치(1st Iteration)
Web Animations API
애니메이션 생성 
new Animation( target, props, time ) 
div class="pulse" style="width:150px;">Hello world!</div><script> 
var elem = document.querySelector('.pulse'); 
var player = document.timeline.play(new Animation(elem, [ 
{opacity: "0.5", transform: "scale(0.5)"}, 
{opacity: "1.0", transform: "scale(1)"} 
], 
{ 
direction: "alternate", duration: 0.5, iterations: Infinity 
}));</script>
모션 패스(Motion Path) 
new MotionPathEffect( path_list ) 
<svg xmlns="http://www.w3.org/2000/svg" version="1.1"> 
<defs> 
<path id=path d="M 100,100 a 75,75 0 1,0 150,0 a 75,75 0 1,0 -150,0"/> 
</defs></svg><script> 
var path = document.querySelector('#path'); 
var animFunc = new MotionPathEffect( path.pathSegList); 
var animation = new Animation(targetElement, animFunc, 2);</script>
타이밍 그룹(Timing Group) 
Sequencial/Parallel Group 생성 
// Creating Parallel Groupvar parGroup = new ParGroup([new Animation(...), new 
Animation(...)]);// Creating Sequencial Groupvar seqGroup = new SeqGroup([new 
Animation(...), new Animation(...)]);// Creating Nested Groupsvar parGroup = new 
ParGroup([ 
new SeqGroup([ 
new Animation(...), 
new Animation(...), 
]), 
new Animation(...)]);
Player 
각 애니메이션에 대한 컨트롤러 
// starting animation & getting playervar player = 
document.timeline.play(myAnimation);// prop. example 2x speed up! 
player.playbackRate = 2;// animation control 
player.cancel(); 
player.finish(); 
player.play(); 
player.pause(); 
player.reverse();
Custom Effect 
타이밍 콜백에 의한 사용자화 
function ( 
time, // Time Fraction 
interation, // Iteration Index 
target, // Target Element 
prevTime // Previous Time Fraction){ 
/* do stuff */}
Browser support 
Oct. 2014
Further readings... 
W3C Web Animations Specification 
Web Animations.js 
Polymer - Web Animations 
Web Animations Demo 
Web Animations - element.animate() is now in Chrome 36
ROCK You!

알아봅시다, Polymer: Web Components & Web Animations

  • 1.
  • 2.
  • 3.
  • 4.
    Chrome Enchanted: “2014년주목할만한 HTML5 규격 4종” § Web Components § Web Animations § Web RTC § Service Worker
  • 5.
  • 6.
  • 7.
  • 8.
    Tab UI를 만드는5가지 방법
  • 9.
    G-Mail 팀도 힘들어하는 것? TAG SOUP!!!
  • 10.
    http://drbl.in/esYL Tab UI정도는 좀 쉽게!
  • 11.
  • 12.
    “자주 사용되거나 구조적분리가 필요한 요소를 다른 요소들과 충돌하지 않는 재활용 가능한 방법이 필요해요.”
  • 13.
    “특히 분리되어 있는HTML, CSS, JS를 하나로 묶어 쉽게 불러들일 수 있으면...”
  • 14.
    Web Components 더적은 코드. 덜 혼란스럽게. <paper-tabs> <paper-tab>KNOWLEDGE</paper-tab> <paper-tab>HISTORY</paper-tab> <paper-tab>FOOD</paper-tab> </paper-tabs>
  • 15.
  • 16.
    Custom Element ●새로운 엘리먼트의 정의. 기존 엘리먼트의 확장 HTML Imports ● HTML, CSS, JS를 로딩하고 싶다면? Shadow DOM ● 캡슐화된 DOM, CSS의 스코프 분리 Template ● 드디어 등장한 네이티브로 지원되는 템플릿 Web Component를 지탱하는 4가지 규격!
  • 17.
    Custom Elements definenew HTML/DOM elements
  • 19.
    <paper-tabs selected=“1”> <paper-tab>Tab1</paper-tab> <paper-tab>Tab 2</paper-tab> <paper-tab>Tab 3</paper-tab> </paper-tabs> Custom Elements 새 HTML 엘리먼트의 정의 선언적, 가독성 직관적인 HTML 확장 방법의 일반화 → 재사용성 @polyme r #itshackademic
  • 20.
    Custom Elements 새HTML 엘리먼트의 정의 var tabs = document.querySelector('paper-tabs'); tabs.addEventListener('core-activate', function() { console.log(this.selected); }); @polyme r #itshackademic 선언적, 가독성 직관적인 HTML 확장 방법의 일반화 → 재사용성
  • 21.
    Custom Elements 새로운엘리먼트의 등록과 기존 엘리먼트로부터의 확장 // 새로운 엘리먼트의 등록var XFoo = document.registerElement('x-foo'); document.body.appendChild(new XFoo()); // 기존 엘리먼트로부터의 확장var MegaButton = document.registerElement('mega-button', { prototype: Object.create( HTMLButtonElement.prototype ) });
  • 22.
    Custom Elements 일반적인사용 흐름 var XFooProto = Object.create(HTMLElement.prototype);// x-foo에 foo() 메서드 추가XFooProto.foo = function() { alert('foo() called'); }; // read-only 속성의 "bar" 속성 정의Object.defineProperty(XFooProto, "bar", {value: 5}); // Element 등록var XFoo = document.registerElement('x-foo', {prototype: XFooProto}); // DOM 생성var xfoo = document.createElement('x-foo'); document.body.appendChild(xfoo);
  • 23.
    Custom Elements Callbacks var proto = Object.create(HTMLElement.prototype); proto.createdCallback = function() {...}; proto.attachedCallback = function() {…}; proto.detachedCallback = function() {…}; proto.attributeChangedCallback = function(attrName, oldValue, newValue) {…};var XFoo = document.registerElement('x-foo', {prototype: proto});
  • 24.
  • 25.
  • 26.
    실제로 Shadow DOM <video src=“foo.webm” controls></video> @polyme r #itshackademic
  • 27.
  • 28.
    Shadow DOM ShadowHost & Shadow Root
  • 29.
    Shadow DOM 101 ● 지정된 DOM을 정의한 DOM 트리로 렌더링 o Shadow Host vs. Shadow Root o DOM Visualizer <div><h3>Light DOM</h3></div><script>var root = document.querySelector('div').createShadowRoot(); root.innerHTML = '<style>h3{ color: red; }</style>' + '<h3>Shadow DOM</h3>';</script> Shadow DOM
  • 30.
    <style> :host { opacity: 0.4; transition: opacity 420ms ease-in-out; } :host(:hover) { opacity: 1; } :host(:active) { position: relative; top: 3px; left: 3px; }</style> Shadow DOM Style
  • 31.
    Shadow DOM 201 :host-context(.different) { color: red; } :host(x-foo:host) { /* Applies if the host is a <x-foo> element.*/ } :host(x-bar:host) { /* Applies if the host is a <x-bar> element. */ } :host(div) { { /* Applies if the host element or an ancestor is a <div>. */ } Shadow DOM Host 스타일 <body class="different"> <x-foo></x-foo></body>
  • 32.
    Shadow DOM 201 <style> #host::shadow span { color: red; }</style><div id="host"> <span>Light DOM</span></div><script> var host = document.querySelector('div'); var root = host.createShadowRoot(); root.innerHTML = "<span>Shadow DOM</span>" + "<content></content>";</script> Shadow DOM 외부에서 Shadow DOM 내부의 스타일링 하기
  • 33.
    Shadow DOM 201 Shadow DOM ::shadow pseudo element // No fun. document.querySelector('x-tabs').shadowRoot .querySelector('x-panel').shadowRoot .querySelector('#foo');// Fun. document.querySelector('x-tabs:shadow x-panel::shadow #foo');
  • 34.
    Shadow DOM 201 Shadow DOM /deep/ combinator x-tabs /deep/ x-panel { ... } video /deep/ input[type="range"] { background: hotpink; }
  • 35.
  • 36.
    var compiled = _.template("hello: <%= name %>"); compiled({name: 'moe'}); => "hello: moe" <script type="text/template"> // ... </script> Templating HTML Templates 이전 Text Templating Script Overloading Offline DOM <div id="mytemplate" hidden> <img src="logo.png"> <div class="comment"></div></div>
  • 37.
    <template> <div class=“comment”> <img src=“image.png”> </div> <script>...</script> </template> HTML Templates 네이티브로 구현된 클라이언트 기반의 템플릿 DOM 구조를 위해 DOM 사용 → no XSS 파싱되나, 렌더링되지 않음 복제/사용 전까지 콘텐츠는 비활성 doc fragment → 페이지와 분리됨 1. 렌더링되지 않음 2. 스크립트는 실행되지 않음 3. 리소스(이미지, 오디오 등)는 로딩되지 않음 4. 문서 내에서 통상적인 DOM으로 액세스 불가
  • 38.
    HTML Templates 지원여부 검사 function supportsTemplate() { return 'content' in document.createElement('template'); }if (supportsTemplate()) { // Good to go! } else { // Use old templating techniques or libraries. }
  • 39.
    HTML Templates 템플릿의사용 <button onclick="useIt()">Use me</button><div id="container"></div> <script> function useIt() { var content = document.querySelector('template').content; content.querySelector('span').textContent = parseInt(span.textContent) + 1; document.querySelector('#container').appendChild( document.importNode(content, true)); }</script><template> <div>Template used: <span>0</span></div> <script>alert('Thanks!')</script></template>
  • 40.
    HTML Imports loadingweb components
  • 41.
    <script> var xhr= new XMLHttpRequest(); xhr.open('GET', '...', true); xhr.responseType = 'document'; xhr.onload = function(e) {}; xhr.send(); </script> Importing HTML Imports 이전 <iframe> Ajax Script HACK! <script type="text/html" src="..."></script>
  • 42.
    HTML Imports 무엇이던불러오세요. <head> <link rel="import" href="/path/to/imports/stuff.html"></head>
  • 45.
    HTML Imports 지원여부 검사 function supportsImports() { return 'import' in document.createElement('link'); }if (supportsImports()) { // 지원하므로 그대로 진행합니다. } else { // 파일을 로딩하기 위한 다른 라이브러리나 require 시스템들을 사용하세요. }
  • 46.
    HTML Imports 이벤트핸들링 <script async> function handleLoad(e) { console.log('Loaded import: ' + e.target.href); } function handleError(e) { console.log('Error loading import: ' + e.target.href); }</script><link rel="import" href="file.html" onload="handleLoad(event)" onerror="handleError(event)">
  • 47.
    HTML Imports 스크립트를통한 Import var link = document.createElement('link'); link.rel = 'import'; link.href = 'file.html' link.onload = function(e) {...}; link.onerror = function(e) {...}; document.head.appendChild(link);
  • 48.
    HTML Imports link.import var content = document.querySelector('link[rel="import"]').import; link.import == null ● 브라우저가 HTML Imports를 지원하지 않을 경우 ● <link>가 rel="import"를 가지지 않을 경우 ● <link>가 DOM에 추가되지 않은 경우 ● <link>가 DOM으로부터 제거된 경우 ● ‘CORS를 만족하는’ 리소스가 아닐 경우
  • 49.
    HTML Imports 콘텐츠의삽입 <head> <link rel="import" href="warnings.html"></head><body> ... <script> var link = document.querySelector('link[rel="import"]'); var content = link.import; // Grab DOM from warning.html's document. var el = content.querySelector('.warning'); document.body.appendChild(el.cloneNode(true)); </script></body>
  • 50.
    Custom Elements 컴포넌트가인터페이스를 가진 DOM Element 형태로 사용될 수 있도록... Templates 컴포넌트의 골격이 사용하기 전까지 비활성화된 상태로 관리되도록... Shadow DOM 컴포넌트의 스타일, DOM의 표현을 캡슐화하여 처리할 수 있도록... HTML Imports 위의 요소들을 포함한 리소스(Markup, JS, CSS)를 로딩할 수 있도록... 웹 컴포넌트의 구성과 배포에 적합한 4가지 규격
  • 51.
  • 52.
    Further readings... ChromeEnchanted: 2014년 주목할만한 HTML5 규격 4종 웹 컴포넌트: 차세대 프론트엔드 웹 개발로 가는 관문 Introduction to Web Components Shadow DOM 101: 기초 Shadow DOM 201: CSS와 스타일링 Shadow DOM 301: 고급 개념과 DOM API HTML Imports: 웹을 위한 #include Custom Element: HTML에 새로운 엘리먼트를 정의하기 HTML의 새로운 템플릿 태그
  • 53.
  • 54.
    CSS Animation ●CSS 기반의 키프레임 애니메이션 CSS Transition ● CSS3 규격의 일부로써, 지정된 CSS 속성 변경에 대한 전환 속도 제 어 SVG Animation ● SVG 기반의 애니메이션 requestAnimationFrame() ● 다음 Repaint 시점 이전 프레임 갱신이 가능하도록 콜백 제공 이미 존재하는 4가지 애니메이션 규격
  • 55.
  • 56.
    CSS Animation/Transition Issues 동기화 시퀀싱(Sequencing) Playback - Seek, Pause, Reverse Animation Blending Debugging
  • 57.
    SVG Animation Issues 강력함 SVG에만 해당
  • 58.
    JavaScript Animation Issues requestAnimationFrame()으로 렌더링 성능 저하 회피 보편성과 활용성 높음 Main UI 스레드 사용 CSS 스타일 조정(특히 inline style)으로 인한 Layouting, Recalculating, ... SVG 같은 직접 접근 불가능한 객체 존재
  • 59.
  • 60.
    Web Animations 1.0 HTML5에 추가된 새 애니메이션 규격 규격의 대상 ● 추상화된 애니메이션 모델 ● JavaScript API CSS 및 SVG 문법 및 기능 매핑은 포함하지 않음
  • 61.
    Web Animations 1.0 HTML5에 추가된 새 애니메이션 규격 CSS 및 SVG 애니메이션을 위한 기반 모델 제공 선언적인 형태, 하지만 JS API로 제공되는 애니메이션 기능!!! 하드웨어 가속 친화적! Timeline, Sequence 등 애니메이션 동기화 API 동적인 애니메이션 조작성
  • 62.
  • 63.
    Web Animations 표준화및 브라우저 지원 등 주요 현황 Editor’s Draft - http://w3c.github.io/web-animations/ 선언적인 형태, 하지만 JS API로 제공되는 애니메이션 기능!!! Chrome - CSS Anim. 엔진 변경 V36 element.animate(), V38 Playback Control Firefox 및 Safari - 개발 중, Internet Explorer - 논의 중 web-animations.js Polyfill, Web Animations Demos
  • 64.
  • 65.
    Usage 자바스크립트 기바의애니메이션 <div class="pulse" style="width:150px;">Hello world!</div><script> var elem = document.querySelector('.pulse'); var player = document.timeline.play(new Animation(elem, [ {opacity: "0.5", transform: "scale(0.5)"}, {opacity: "1.0", transform: "scale(1)"} ], { direction: "alternate", duration: 500, iterations: Infinity }));</script>
  • 66.
    Overview 웹 애니메이션의모델 Timing Model ● 애니메이션 타이밍의 흐름(속도, 위치 등)을 제어 Animation Model ● Timing Model에서 전달된 값을 기반으로 애니메이션 속성들에 대한 실제 값 적용
  • 67.
  • 68.
    Timing Model InheritedTime & Local Time
  • 69.
    Timing Group 애니메이션들에대한 동기화 모델
  • 70.
    Sequence Parallel group Timing Group Mixin
  • 71.
    Animation Model Iteration& Duration CSS Animation과의 차이점 ● Iteration Duration = Active Duration / Iteration Count
  • 72.
    Animation Model 애니메이션의시작 위치(1st Iteration)
  • 73.
  • 74.
    애니메이션 생성 newAnimation( target, props, time ) div class="pulse" style="width:150px;">Hello world!</div><script> var elem = document.querySelector('.pulse'); var player = document.timeline.play(new Animation(elem, [ {opacity: "0.5", transform: "scale(0.5)"}, {opacity: "1.0", transform: "scale(1)"} ], { direction: "alternate", duration: 0.5, iterations: Infinity }));</script>
  • 75.
    모션 패스(Motion Path) new MotionPathEffect( path_list ) <svg xmlns="http://www.w3.org/2000/svg" version="1.1"> <defs> <path id=path d="M 100,100 a 75,75 0 1,0 150,0 a 75,75 0 1,0 -150,0"/> </defs></svg><script> var path = document.querySelector('#path'); var animFunc = new MotionPathEffect( path.pathSegList); var animation = new Animation(targetElement, animFunc, 2);</script>
  • 76.
    타이밍 그룹(Timing Group) Sequencial/Parallel Group 생성 // Creating Parallel Groupvar parGroup = new ParGroup([new Animation(...), new Animation(...)]);// Creating Sequencial Groupvar seqGroup = new SeqGroup([new Animation(...), new Animation(...)]);// Creating Nested Groupsvar parGroup = new ParGroup([ new SeqGroup([ new Animation(...), new Animation(...), ]), new Animation(...)]);
  • 77.
    Player 각 애니메이션에대한 컨트롤러 // starting animation & getting playervar player = document.timeline.play(myAnimation);// prop. example 2x speed up! player.playbackRate = 2;// animation control player.cancel(); player.finish(); player.play(); player.pause(); player.reverse();
  • 78.
    Custom Effect 타이밍콜백에 의한 사용자화 function ( time, // Time Fraction interation, // Iteration Index target, // Target Element prevTime // Previous Time Fraction){ /* do stuff */}
  • 79.
  • 80.
    Further readings... W3CWeb Animations Specification Web Animations.js Polymer - Web Animations Web Animations Demo Web Animations - element.animate() is now in Chrome 36
  • 81.