Home Backend Development PHP Tutorial JavaScript small animation components and implementation code_PHP tutorial

JavaScript small animation components and implementation code_PHP tutorial

Jul 21, 2016 pm 03:36 PM
javascript and code example Do animation Woolen cloth Finish accomplish how Effect yes usually of components

How to create a common animation effect using js? Take a look at the example

Copy the code The code is as follows:

setInterval (function(){
element.style.left =parseFloat(element.style.left) +(n) +'px';
},10);


[Ctrl+A to select all Note: If you need to introduce external Js, you need to refresh to execute]

Use window.setInterval animation function, every 10 milliseconds The animation will be executed once;
and set are matched with the clearInterval function, which is used to end the animation.
Every setInterval will return a value similar to the thread id;
var interval =setInterval(function(){
element.style.left =parseFloat(element.style.left) +(n) + 'px';
},10);
Use clearInterval (interval) to end animation playback.
interval = setInterval(function(){
if(parseFloat(element.style.left) >500) clearInterval(interval)
element.style.left =parseFloat(element.style.left) +2 +'px';
},10);
When it exceeds 500px, the animation will will stop and the element will no longer move.

[Ctrl+A Select all Note: If you need to introduce external Js, you need to refresh to execute]

But the above animation is relatively stiff, and then we There is another kind of timeline animation.
Look at the example:
var element = document.getElementById('test1');
var start = +new Date,dur=1000,finish = start+dur;
interval = setInterval(function( ){
var time = +new Date,
pos = time > finish ? 1 : (time-start)/dur;
element.style.left = (100*pos)+"px" ;
if(time>finish) {
clearInterval(interval);
}
},10);
start is the start time of the target animation ( +new Date is actually new Date( ).getTime() )
dur is the total time required for animation execution
finish is the end time of the target animation
pos = time > finish ? 1 : (time-start)/dur; // You can think of pos as frequency, a time ratio
(100*pos), 100 represents the distance, if the distance is 500px, set it to 500*pos;
time>finish: If it exceeds the time, stop the animation!

[Ctrl+A to select all Note: If you need to introduce external Js, you need to refresh to execute]

Very good, we already know a simple animation here How to write the effect.
Let’s look at how to write a small complete animation component:
Copy the code The code is as follows:

(function($,name){
var parseEl = document.createElement('div')
,
props = ('backgroundColor borderBottomColor borderBottomWidth borderLeftColor borderLeftWidth '+
'borderRightColor borderRightWidth borderSpacing borderTopColor borderTopWidth bottom color fontSize '+
'fontWeight height left letterSpacing lineHeight marginBottom marginLeft marginRight marginTop maxHeight '+
'maxWidth minHeight minWidth opacity outlineColor outlineOffset outlineWidth paddingBottom paddingLeft '+
'paddingRight paddingTop right textIndent top width wordSpacing zIndex').split(' ')
,
normalize =function (style){
var css,
rules = {},
i = props.length,
v;
parseEl.innerHTML = '
';
css = parseEl.childNodes[0].style;
while(i--) if(v = css[props[i]]) rules[props[i]] = parse(v);
return rules;
},
color = function(source,target,pos){
var i = 2, j, c, tmp, v = [], r = [];
while(j=3,c=arguments[i-1],i--)
if(s(c,0)=='r') { c = c.match(/d+/g); while(j--) v.push(~~c[j]); } else {
if(c.length==4) c='#'+s(c,1)+s(c,1)+s(c,2)+s(c,2)+s(c,3)+s(c,3);
while(j--) v.push(parseInt(s(c,1+j*2,2), 16)); }
while(j--) { tmp = ~~(v[j+3]+(v[j]-v[j+3])*pos); r.push(tmp<0?0:tmp>255?255:tmp); }
return 'rgb('+r.join(',')+')';
},
parse = function(prop){
var p = parseFloat(prop), q = prop.replace(/^[-d.]+/,'');
return isNaN(p) ? { v: q, f: color, u: ''} : { v: p, f: interpolate, u: q };
},
s = function(str, p, c){
return str.substr(p,c||1);//color 用
},
interpolate =function(source,target,pos){
return (source+(target-source)*pos).toFixed(3);
},
flower = function(el, style,opts,after){
var el = document.getElementById(el), //通过id获取元素对象
opts = opts || {},
target = normalize(style),
comp = el.currentStyle ? el.currentStyle : getComputedStyle(el, null), //ie和w3c兼容,获取样式
prop,
current = {},
start = +new Date, //开始时间
dur = opts.duration||200, //执行事件,默认为200
finish = start+dur, //结束时间
interval,
easing = opts.easing || function(pos){ return (-Math.cos(pos*Math.PI)/2) + 0.5; };
for(prop in target) current[prop] = parse(comp[prop]);
interval = setInterval(function(){
var time = +new Date,
pos = time>finish ? 1 : (time-start)/dur;
for(prop in target){
el.style[prop] = target[prop].f(current[prop].v,target[prop].v,easing(pos)) + target[prop].u;
}
if(time>finish) {
clearInterval(interval); opts.after && opts.after(); after && setTimeout(after,1);
}
},10);
};
$[name] = flower;
})(window,"flower");

复制代码 代码如下:

var parse = function(prop){
var p = parseFloat(prop), q = prop.replace(/^[-d.]+/,'');
return isNaN(p) ? { v: q, f: color, u: ''} : { v: p, f: interpolate, u: q };
}
var p = parseFloat(prop) 意思是 : 500px => 500;
q = prop.replace(/^[-d.]+/,''); 500px => px;
return isNaN(p) ? { v: q, f: color, u: ''} : { v: p, f: interpolate, u: q }; 意思是 如果取的是颜色值(因为带有#号),返回{ v: q, f: color, u: ''} u 代表代为,f是一个color函数(后面会讲到);
var s = function(str, p, c){ return str.substr(p,c||1); }
The
s function is used to intercept the string and return the final result. The
color function uniformly returns the color value in the form of "rgb(x,x,x)". The
normalize function returns a json object. , the object contains the name and value of the css attribute to be executed by the element
while(i--) if(v = css[props[i]]) rules[props[i]] = parse(v);
Tear apart a line of code and see how it works
while(i--){
//A = sign is used here, and the assignment operation is performed first. If it does not exist, the if will not pass, killing two birds with one stone: )
if(v = css[props[i]]){
rules[props[i]] = parse(v); //Assign to new object,
}
}
In the interpolate function, return (source+(target-source)*pos).toFixed(3);
toFixed is to solve the decimal problem, such as 0.000000001; will become 1e-9; which is not the result we want, pass toFixed can be solved, toFixed (n), where n represents the number of decimal places to retain
el.currentStyle? el.currentStyle: getComputedStyle(el, null);
This is actually compatible with multiple browsers, one line of code to get the element Specific reference: JS gets the final style [getStyle]
Flower’s 4 parameters el target object, style is the final style, opts, is the parameter options including (dur time, easing function, callbak run after the end), The fourth after is the last callbak executed;
opts.easing can use various easing algorithms to change the motion state of elements;
such as
Copy code The code is as follows:

function bounce(pos) {
if (pos < (1/2.75)) {
return (7.5625*pos*pos);
} else if (pos < (2/2.75)) {
return (7.5625*(pos-=(1.5/2.75))*pos + .75);
} else if (pos < ; (2.5/2.75)) {
return (7.5625*(pos-=(2.25/2.75))*pos + .9375);
} else {
return (7.5625*(pos-=( 2.625/2.75))*pos + .984375);
}
}
(function($,name){
window.flower = flower;
})(window,'flower ');

This actually makes the internal function free and exposes an interface only through this call. Otherwise, external functions cannot access the flower in anonymous correspondence;
Look at the calling example : )
Copy the code The code is as follows:

test

test

<script> <br>(function($,name){ <br>var parseEl = document.createElement('div') <br>, <br>props = ('backgroundColor borderBottomColor borderBottomWidth borderLeftColor borderLeftWidth '+ <br>'borderRightColor borderRightWidth borderSpacing borderTopColor borderTopWidth bottom color fontSize '+ <br>'fontWeight height left letterSpacing lineHeight marginBottom marginLeft marginRight marginTop maxHeight '+ <br>'maxWidth minHeight minWidth opacity outlineColor outlineOffset outlineWidth paddingBottom paddingLeft '+ <br>'paddingRight paddingTop right textIndent top width wordSpacing zIndex').split(' ') <br>, <br>normalize =function (style){ <br>var css, <br>rules = {}, <br>i = props.length, <br>v; <br>parseEl.innerHTML = '<div style="'+style+'"></div>'; <br>css = parseEl.childNodes[0].style; <br>while(i--) if(v = css[props[i]]) rules[props[i]] = parse(v); <br>return rules; <br>}, <br>color = function(source,target,pos){ <br>var i = 2, j, c, tmp, v = [], r = []; <br>while(j=3,c=arguments[i-1],i--) <br>if(s(c,0)=='r') { c = c.match(/d+/g); while(j--) v.push(~~c[j]); } else { <br>if(c.length==4) c='#'+s(c,1)+s(c,1)+s(c,2)+s(c,2)+s(c,3)+s(c,3); <br>while(j--) v.push(parseInt(s(c,1+j*2,2), 16)); } <br>while(j--) { tmp = ~~(v[j+3]+(v[j]-v[j+3])*pos); r.push(tmp<0?0:tmp>255?255:tmp); } <br>return 'rgb('+r.join(',')+')'; <br>}, <br>parse = function(prop){ <br>var p = parseFloat(prop), q = prop.replace(/^[-d.]+/,''); <br>return isNaN(p) ? { v: q, f: color, u: ''} : { v: p, f: interpolate, u: q }; <br>}, <br>s = function(str, p, c){ <br>return str.substr(p,c||1); <br>}, <br>interpolate =function(source,target,pos){ <br>return (source+(target-source)*pos).toFixed(3); <br>}, <br>flower = function(el, style,opts,after){ <br>var el = document.getElementById(el), <br>opts = opts || {}, <br>target = normalize(style), <br>comp = el.currentStyle ? el.currentStyle : getComputedStyle(el, null), <br>prop, <br>current = {}, <br>start = +new Date, <br>dur = opts.duration||200, <br>finish = start+dur, <br>interval, <br>easing = opts.easing || function(pos){ return (-Math.cos(pos*Math.PI)/2) + 0.5; }; <br>for(prop in target) current[prop] = parse(comp[prop]); <br>interval = setInterval(function(){ <br>var time = +new Date, <br>pos = time>finish ? 1 : (time-start)/dur; <br>for(prop in target){ <br>el.style[prop] = target[prop].f(current[prop].v,target[prop].v,easing(pos)) + target[prop].u; <br>} <br>if(time>finish) { <br>clearInterval(interval); opts.after && opts.after(); after && setTimeout(after,1); <br>} <br>},10); <br>}; <br>$[name] = flower; <br>})(window,"flower"); <br>(function(){ <br>var bounce = function(pos) { <br>if (pos < (1/2.75)) { <BR>return (7.5625*pos*pos); <BR>} else if (pos < (2/2.75)) { <BR>return (7.5625*(pos-=(1.5/2.75))*pos + .75); <BR>} else if (pos < (2.5/2.75)) { <BR>return (7.5625*(pos-=(2.25/2.75))*pos + .9375); <BR>} else { <BR>return (7.5625*(pos-=(2.625/2.75))*pos + .984375); <BR>} <BR>} <BR>flower('test2', 'left:300px;padding:10px;border:50px solid #ff0000', { <BR>duration: 1500, <BR>after: function(){ <BR>flower('test1', 'background:#0f0;left:100px;padding-bottom:100px;opacity:1', { <BR>duration: 1234, easing: bounce <BR>}); <BR>} <BR>}); <BR>})(); <BR></script>

参考 : http://scripty2.com/doc/scripty2%20fx/s2/fx/transitions.html

www.bkjia.comtruehttp://www.bkjia.com/PHPjc/322028.htmlTechArticle做一个普通的动画效果,js是怎么完成的呢.看一下例子 复制代码 代码如下: setInterval(function(){ element.style.left =parseFloat(element.style.left) +(n) +'p...
Statement of this Website
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Article

R.E.P.O. Energy Crystals Explained and What They Do (Yellow Crystal)
2 weeks ago By 尊渡假赌尊渡假赌尊渡假赌
R.E.P.O. Best Graphic Settings
2 weeks ago By 尊渡假赌尊渡假赌尊渡假赌

Hot Tools

Notepad++7.3.1

Notepad++7.3.1

Easy-to-use and free code editor

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use

Zend Studio 13.0.1

Zend Studio 13.0.1

Powerful PHP integrated development environment

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

Users encounter rare glitches: Samsung Watch smartwatches suddenly experience white screen issues Users encounter rare glitches: Samsung Watch smartwatches suddenly experience white screen issues Apr 03, 2024 am 08:13 AM

You may have encountered the problem of green lines appearing on the screen of your smartphone. Even if you have never seen it, you must have seen related pictures on the Internet. So, have you ever encountered a situation where the smart watch screen turns white? On April 2, CNMO learned from foreign media that a Reddit user shared a picture on the social platform, showing the screen of the Samsung Watch series smart watches turning white. The user wrote: "I was charging when I left, and when I came back, it was like this. I tried to restart, but the screen was still like this during the restart process." Samsung Watch smart watch screen turned white. The Reddit user did not specify the smart watch. Specific model. However, judging from the picture, it should be Samsung Watch5. Previously, another Reddit user also reported

How to implement dual WeChat login on Huawei mobile phones? How to implement dual WeChat login on Huawei mobile phones? Mar 24, 2024 am 11:27 AM

How to implement dual WeChat login on Huawei mobile phones? With the rise of social media, WeChat has become one of the indispensable communication tools in people's daily lives. However, many people may encounter a problem: logging into multiple WeChat accounts at the same time on the same mobile phone. For Huawei mobile phone users, it is not difficult to achieve dual WeChat login. This article will introduce how to achieve dual WeChat login on Huawei mobile phones. First of all, the EMUI system that comes with Huawei mobile phones provides a very convenient function - dual application opening. Through the application dual opening function, users can simultaneously

Kyushu Fengshen Assassin 4S Radiator Review Air-cooled 'Assassin Master' Style Kyushu Fengshen Assassin 4S Radiator Review Air-cooled 'Assassin Master' Style Mar 28, 2024 am 11:11 AM

Speaking of ASSASSIN, I believe players will definitely think of the master assassins in "Assassin's Creed". They are not only skilled, but also have the creed of "devoting themselves to the darkness and serving the light". The ASSASSIN series of flagship air-cooled radiators from the appliance brand DeepCool coincide with each other. Recently, the latest product of this series, ASSASSIN4S, has been launched. "Assassin in Suit, Advanced" brings a new air-cooling experience to advanced players. The appearance is full of details. The Assassin 4S radiator adopts a double tower structure + a single fan built-in design. The outside is covered with a cube-shaped fairing, which has a strong overall sense. It is available in white and black colors to meet different colors. Tie

Exquisite light and shadow art in spring, Haqu H2 is the cost-effective choice Exquisite light and shadow art in spring, Haqu H2 is the cost-effective choice Apr 17, 2024 pm 05:07 PM

With the arrival of spring, everything revives and everything is full of vitality and vitality. In this beautiful season, how to add a touch of color to your home life? Haqu H2 projector, with its exquisite design and super cost-effectiveness, has become an indispensable beauty in this spring. This H2 projector is compact yet stylish. Whether placed on the TV cabinet in the living room or next to the bedside table in the bedroom, it can become a beautiful landscape. Its body is made of milky white matte texture. This design not only makes the projector look more advanced, but also increases the comfort of the touch. The beige leather-like material adds a touch of warmth and elegance to the overall appearance. This combination of colors and materials not only conforms to the aesthetic trend of modern homes, but also can be integrated into

How to implement the WeChat clone function on Huawei mobile phones How to implement the WeChat clone function on Huawei mobile phones Mar 24, 2024 pm 06:03 PM

How to implement the WeChat clone function on Huawei mobile phones With the popularity of social software and people's increasing emphasis on privacy and security, the WeChat clone function has gradually become the focus of people's attention. The WeChat clone function can help users log in to multiple WeChat accounts on the same mobile phone at the same time, making it easier to manage and use. It is not difficult to implement the WeChat clone function on Huawei mobile phones. You only need to follow the following steps. Step 1: Make sure that the mobile phone system version and WeChat version meet the requirements. First, make sure that your Huawei mobile phone system version has been updated to the latest version, as well as the WeChat App.

Huntkey MX750P full module power supply review: 750W of concentrated platinum strength Huntkey MX750P full module power supply review: 750W of concentrated platinum strength Mar 28, 2024 pm 03:20 PM

With its compact size, the ITX platform has attracted many players who pursue the ultimate and unique beauty. With the improvement of manufacturing processes and technological advancements, both Intel's 14th generation Core and RTX40 series graphics cards can exert their strength on the ITX platform, and gamers also There are higher requirements for SFX power supply. Game enthusiast Huntkey has launched a new MX series power supply. In the ITX platform that meets high-performance requirements, the MX750P full-module power supply has a rated power of up to 750W and has passed 80PLUS platinum level certification. Below we bring the evaluation of this power supply. Huntkey MX750P full-module power supply adopts a simple and fashionable design concept. There are two black and white models for players to choose from. Both use matte surface treatment and have a good texture with silver gray and red fonts.

Easily understand 4K HD images! This large multi-modal model automatically analyzes the content of web posters, making it very convenient for workers. Easily understand 4K HD images! This large multi-modal model automatically analyzes the content of web posters, making it very convenient for workers. Apr 23, 2024 am 08:04 AM

A large model that can automatically analyze the content of PDFs, web pages, posters, and Excel charts is not too convenient for workers. The InternLM-XComposer2-4KHD (abbreviated as IXC2-4KHD) model proposed by Shanghai AILab, the Chinese University of Hong Kong and other research institutions makes this a reality. Compared with other multi-modal large models that have a resolution limit of no more than 1500x1500, this work increases the maximum input image of multi-modal large models to more than 4K (3840x1600) resolution, and supports any aspect ratio and 336 pixels to 4K Dynamic resolution changes. Three days after its release, the model topped the HuggingFace visual question answering model popularity list. Easy to handle

A true one-lens experience with the NIKKOR Z 28-400mm f/4-8 VR lens A true one-lens experience with the NIKKOR Z 28-400mm f/4-8 VR lens Mar 28, 2024 pm 02:54 PM

Many photography enthusiasts like to use lenses. Their shooting needs are very changeable, so when it comes to lens selection, they prefer a more versatile product, which is what we commonly call "one lens to conquer the world" lens. It just so happens that Nikon has launched a new product, the NIKKOR Z28-400mmf/4-8VR lens, a true "one lens that can conquer the world" lens. The lens covers from the 28mm wide-angle end to the 400mm telephoto end. Equipped with its Z-mount camera, it can easily shoot a very rich range of photography themes and bring about a rich change of perspective. Today, we will talk to you about this NIKKOR Z28-400mmf/4-8VR lens through our recent use experience. NIKKOR Z28-400mmf/4-8VR is

See all articles