我将一个元素拆分成多个块(由多个行和列定义),然后淡化这些块以创建动画效果。动画类型由delay()
值决定:
$('.block').each(function (i) {
$(this).stop().delay(30 * i).animate({
'opacity': 1
}, {
duration: 420
});
});
在这种情况下,每个块的淡入淡出效果都会延迟(30 *当前块索引)。第一个块获得0延迟,第二个块30延迟,.....最后一个块30 *(块数)延迟。所以这会使所有块水平淡化。
到目前为止,我已经发布了一系列效果:http://jsfiddle.net/MRPDw/。
我需要帮助的是找到螺旋型效果的延迟表达式,以及您认为可能的其他效果:D
答案 0 :(得分:4)
以下是螺旋模式的代码示例:
case 'spiral':
$('.block', grid).css({
'opacity': 0
});
var order = new Array();
var rows2 = rows/2, x, y, z, n=0;
for (z = 0; z < rows2; z++){
y = z;
for (x = z; x < cols - z - 1; x++) {
order[n++] = y * cols + x;
}
x = cols - z - 1;
for (y = z; y < rows - z - 1; y++) {
order[n++] = y * cols + x;
}
y = rows - z - 1;
for (x = cols - z - 1; x > z; x--) {
order[n++] = y * cols + x;
}
x = z;
for (y = rows - z - 1; y > z; y--) {
order[n++] = y * cols + x;
}
}
for (var m = 0; m < n; m++) {
$('.block-' + order[m], grid).stop().delay(100*m).animate({
opacity: 1
}, {
duration: 420,
complete: (m != n - 1) ||
function () {
alert('done');
}
});
}
break;
在this fiddle中查看它。
我还改进了你的“RANDOM”动画,以显示所有正方形,而不仅仅是一个子集。代码是:
case 'random':
var order = new Array();
var numbers = new Array();
var x, y, n=0, m=0, ncells = rows*cols;
for (y = 0; y < rows; y++){
for (x = 0; x < cols; x++){
numbers[n] = n++;
}
}
while(m < ncells){
n = Math.floor(Math.random()*ncells);
if (numbers[n] != -1){
order[m++] = n;
numbers[n] = -1;
}
}
$('.block', grid).css({
'opacity': 0
});
for (var m = 0; m < ncells; m++) {
$('.block-' + order[m], grid).stop().delay(100*m).animate({
opacity: 1
}, {
duration: 420,
complete: (m != ncells - 1) ||
function () {
alert('done');
}
});
}
break;
在this fiddle中查看它。
答案 1 :(得分:1)
考虑制作螺旋动画可能是最简单的方法,就是把你的矩阵想象成一张纸。
如果在x和y中心轴上折叠2倍的纸张,最终会得到一个较小的正方形(或矩形)象限。
现在,如果您仅从右下角到左上角为此象限设置动画(与您的'对角线反转'相同),您可以将此移动传播到其他3个象限以获得最终动画从矩阵中心向四角运行的效果。
case 'spiral':
$('.block', grid).css({
'opacity': 0
});
n = 0;
var center = {
x: cols / 2,
y: rows / 2
};
// iterate on the second quadrant only
for (var y = 0; y < center.y; y++)
for (var x = 0; x < center.x; x++) {
// and apply the animation to all quadrants, by using the multiple jQuery selector
$('.block-' + (y * rows + x) + ', ' + // 2nd quadrant
'.block-' + (y * rows + cols - x - 1) + ', ' + // 1st quadrant
'.block-' + ((rows - y - 1) * rows + x) + ', ' + // 3rd quadrant
'.block-' + ((rows - y - 1) * rows + cols - x - 1) // 4th quadrant
, grid).stop().delay(100 * (center.y - y + center.x - x)).animate({
opacity: 1
}, {
duration: 420,
complete: function () {
if (++n == rows * cols) {
alert('done'); // fire next animation...
}
}
});
}
这是demo(点击螺旋链接)